diff --git a/api/functions/index.js b/api/functions/index.js index 7c8e30cf..8995888a 100644 --- a/api/functions/index.js +++ b/api/functions/index.js @@ -192,8 +192,7 @@ app.post('/scanresult/:api/:buildId', async (req, res) => { performanceScore: lhr.categories.performance.score, accessibilityScore: lhr.categories.accessibility.score, bestPracticesScore: lhr.categories['best-practices'].score, - seoScore: lhr.categories.seo.score, - pwaScore: lhr.categories.pwa.score, + seoScore: lhr.categories.seo.score }; } diff --git a/docker/customHtmlRules.js b/docker/customHtmlRules.js index 8fb54ba4..6a9b23fa 100644 --- a/docker/customHtmlRules.js +++ b/docker/customHtmlRules.js @@ -225,8 +225,6 @@ exports.addCustomHtmlRule = () => { if (event.tagName !== "code" && event.tagName !== "a") { if (event.lastEvent.raw) { if (re.test(event.lastEvent.raw.toLowerCase())) { - console.log('BRUHHHHH') - console.log(event) reporter.warn( "Page must not show email addresses.", event.line, diff --git a/docker/index.js b/docker/index.js index 34c857d7..e0511049 100644 --- a/docker/index.js +++ b/docker/index.js @@ -27,12 +27,13 @@ const { processBrokenLinks, getFinalEval, sendAlertEmail, - convertSpecialCharUrl + convertSpecialCharUrl, + runLighthouseReport } = require("./utils"); const { readGithubSuperLinter } = require("./parseSuperLinter"); -const LIGHTHOUSEFOLDER = "./.lighthouseci/"; +const LIGHTHOUSEFOLDER = "./lhr.json"; const ARTILLERYFOLDER = "./artilleryOut.json"; const PACKAGE_CONFIG = require('./package-lock.json'); @@ -51,7 +52,7 @@ const _getAgrs = () => { alias: "t", describe: "Dashboard token (sign up at https://codeauditor.com/)", type: "string", - demandOption: true, + demandOption: false, }) .option("buildId", { describe: "Build/Run number, e.g. CI Build number", @@ -181,14 +182,7 @@ const main = async () => { // Lighthouse if (options.lighthouse) { writeLog(`start lighthouse`); - try { - const rs = execSync( - `./node_modules/.bin/lhci collect --url="${options.url}" -n 1` - ).toString(); - writeLog(`lighthouse check finished`, rs); - } catch (e) { - writeLog(`lighthouse check failed`, e); - } + await runLighthouseReport(options.url); } // Artillery diff --git a/docker/package-lock.json b/docker/package-lock.json index 7b1c6992..de219e13 100644 --- a/docker/package-lock.json +++ b/docker/package-lock.json @@ -23,7 +23,7 @@ "htmlhint": "^0.11.0", "minimatch": "^3.1.2", "mocha": "^9.2.2", - "node-fetch": "^2.6.11", + "node-fetch": "^2.6.12", "node-fetch-cookies": "^1.5.0", "nodemailer": "^6.9.3", "object-assign": "^4.1.1", @@ -7582,9 +7582,9 @@ "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==" }, "node_modules/node-fetch": { - "version": "2.6.11", - "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.11.tgz", - "integrity": "sha512-4I6pdBY1EthSqDmJkiNk3JIT8cswwR9nfeW/cPdUagJYEQG7R95WRH74wpz7ma8Gh/9dI9FP+OU+0E4FvtA55w==", + "version": "2.6.12", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.12.tgz", + "integrity": "sha512-C/fGU2E8ToujUivIO0H+tpQ6HWo4eEmchoPIoXtxCrVghxdKq+QOHqEZW7tuP3KlV3bC8FRMO5nMCC7Zm1VP6g==", "dependencies": { "whatwg-url": "^5.0.0" }, diff --git a/docker/package.json b/docker/package.json index 236cb630..8a4b5c4b 100644 --- a/docker/package.json +++ b/docker/package.json @@ -23,7 +23,7 @@ "htmlhint": "^0.11.0", "minimatch": "^3.1.2", "mocha": "^9.2.2", - "node-fetch": "^2.6.11", + "node-fetch": "^2.6.12", "node-fetch-cookies": "^1.5.0", "nodemailer": "^6.9.3", "object-assign": "^4.1.1", diff --git a/docker/utils.js b/docker/utils.js index 075d1241..14cd12b0 100644 --- a/docker/utils.js +++ b/docker/utils.js @@ -10,6 +10,7 @@ const { execSync } = require("child_process"); const slug = require("slug"); const nodemailer = require("nodemailer"); const fns = require('date-fns') +const fetch = require('node-fetch') exports.sendAlertEmail = async (email, emailConfig, scanSummary) => { // create reusable transporter object using the default SMTP transport @@ -255,42 +256,65 @@ exports.runBrokenLinkCheck = (url, maxthread) => { } }; +/** + * run Lighthouse Report + * @param {string} url + */ +exports.runLighthouseReport = async (url) => { + const categories = ["accessibility","best_practices","performance","SEO"] + const lighthouseUrl = new URL( + 'https://www.googleapis.com/pagespeedonline/v5/runPagespeed' + ) + lighthouseUrl.searchParams.append('key', 'AIzaSyBGZtZ045o_LRrs3Wgk4MvrDabMqMjHFnQ') + lighthouseUrl.searchParams.append('url', url) + lighthouseUrl.searchParams.append('strategy', 'mobile') + for (const category of categories) { + lighthouseUrl.searchParams.append('category', category.toUpperCase()) + } + const response = await fetch(lighthouseUrl) + if (response.ok) { + const data = await response.json() + const lighthouseResult = data.lighthouseResult + var json = JSON.stringify(lighthouseResult); + if (lighthouseResult) { + fs.writeFile('lhr.json', json, 'utf8', err => { + if (err) { + console.error(err); + } + }); + } + } +} + /** * parse Lighthouse Report - * @param {string} folder - .lighthouseci folder + * @param {string} folder - lhr file * @param {func} writeLog - logging method */ exports.readLighthouseReport = (folder, writeLog) => { if (!fs.existsSync(folder)) { console.log( - 'ERROR => No lighthouse report found. Run again with `-v "%.LIGHTHOUSECI%:/usr/app/.lighthouseci"` option' + 'ERROR => No lighthouse report found' ); return [null, null]; } writeLog(`Reading Lighthouse report files`); - let lhFiles = fs.readdirSync(folder); - - if (lhFiles.filter((x) => x.endsWith(".json")).length === 0) { - return [null, null]; - } - const jsonReport = lhFiles.filter((x) => x.endsWith(".json")).splice(-1)[0]; - const lhr = JSON.parse(fs.readFileSync(`${folder}${jsonReport}`).toString()); + const lhr = JSON.parse(fs.readFileSync(`lhr.json`).toString()); const lhrSummary = { performanceScore: lhr.categories.performance.score, accessibilityScore: lhr.categories.accessibility.score, bestPracticesScore: lhr.categories["best-practices"].score, seoScore: lhr.categories.seo.score, - pwaScore: lhr.categories.pwa.score, }; return [lhr, lhrSummary]; }; /** * parse Artillery Report - * @param {string} folder - .lighthouseci folder + * @param {string} folder - Artillery report file * @param {func} writeLog - logging method */ exports.readArtilleryReport = (folder, writeLog) => { @@ -553,7 +577,6 @@ exports.printResultsToConsole = ( // output Lighthouse Score Box lhScaled = { performanceScore: Math.round(lh.performanceScore * 100), - pwaScore: Math.round(lh.pwaScore * 100), seoScore: Math.round(lh.seoScore * 100), accessibilityScore: Math.round(lh.accessibilityScore * 100), bestPracticesScore: Math.round(lh.bestPracticesScore * 100), @@ -561,8 +584,7 @@ exports.printResultsToConsole = ( ((lh.performanceScore + lh.seoScore + lh.bestPracticesScore + - lh.accessibilityScore + - lh.pwaScore) / + lh.accessibilityScore) / 5) * 100 ), @@ -572,7 +594,6 @@ exports.printResultsToConsole = ( let strPerformance = "Performance: "; let strSeo = "SEO: "; let strBP = "Best practices: "; - let strPwa = "PWA: "; let avg = chalk( `${strAvg.padEnd(10)} ${lhScaled.average.toString().padStart(10)} / 100` @@ -590,11 +611,8 @@ exports.printResultsToConsole = ( .toString() .padStart(4)} / 100` ); - let pwa = chalk( - `${strPwa.padEnd(10)} ${lhScaled.pwaScore.toString().padStart(10)} / 100` - ); - consoleBox([avg, performance, bestPractice, seo, pwa], "green"); + consoleBox([avg, performance, bestPractice, seo], "green"); } if (atrSummary) { @@ -740,7 +758,6 @@ exports.getFinalEval = ( // output Lighthouse Score Box lhScaled = { performanceScore: Math.round(lh.performanceScore * 100), - pwaScore: Math.round(lh.pwaScore * 100), seoScore: Math.round(lh.seoScore * 100), accessibilityScore: Math.round(lh.accessibilityScore * 100), bestPracticesScore: Math.round(lh.bestPracticesScore * 100), @@ -748,8 +765,7 @@ exports.getFinalEval = ( ((lh.performanceScore + lh.seoScore + lh.bestPracticesScore + - lh.accessibilityScore + - lh.pwaScore) / + lh.accessibilityScore) / 5) * 100 ), @@ -767,7 +783,6 @@ exports.getFinalEval = ( (reqThreshold.bestPracticesScore && lhScaled.bestPracticesScore < reqThreshold.bestPracticesScore) || (reqThreshold.seoScore && lhScaled.seoScore < reqThreshold.seoScore) || - (reqThreshold.pwaScore && lhScaled.pwaScore < reqThreshold.pwaScore) || (reqThreshold.average && lhScaled.average < reqThreshold.average) ) { consoleBox( @@ -777,7 +792,7 @@ exports.getFinalEval = ( reqThreshold.accessibilityScore } Best practices=${reqThreshold.bestPracticesScore} SEO=${ reqThreshold.seoScore - } PWA=${reqThreshold.pwaScore} !!!`, + }`, "red" ); failedThreshold = true; diff --git a/ui/public/build/bundle.css b/ui/public/build/bundle.css deleted file mode 100644 index a3e6d04b..00000000 --- a/ui/public/build/bundle.css +++ /dev/null @@ -1,23 +0,0 @@ -.wrapper.svelte-1h7kq9t{height:500px} -hr.svelte-1esk07k{border-top:0.5px solid #e8e8e8} -h2.svelte-1fv0uxu.svelte-1fv0uxu{text-align:left;border-bottom:1px dotted #000;line-height:0.1em;margin-bottom:15px}h2.svelte-1fv0uxu span.svelte-1fv0uxu{background:#fff;padding-left:0px;padding-right:10px} -.container.svelte-1u9womi{transition:0.3s}.container.svelte-1u9womi:hover{box-shadow:0 8px 16px 0 rgba(0, 0, 0, 0.2);cursor:pointer} -h2.svelte-1fv0uxu.svelte-1fv0uxu{text-align:left;border-bottom:1px dotted #000;line-height:0.1em;margin-bottom:15px}h2.svelte-1fv0uxu span.svelte-1fv0uxu{background:#fff;padding-left:0px;padding-right:10px} -h2.svelte-1dq5z6z.svelte-1dq5z6z{text-align:left;border-bottom:1px dotted #000;line-height:0.1em;margin-bottom:15px}h2.svelte-1dq5z6z span.svelte-1dq5z6z{background:#fff;padding-left:0px;padding-right:10px}.container.svelte-1dq5z6z.svelte-1dq5z6z{transition:0.3s}.container.svelte-1dq5z6z.svelte-1dq5z6z:hover{box-shadow:0 8px 16px 0 rgba(0, 0, 0, 0.2);cursor:pointer} -h2.svelte-1fv0uxu.svelte-1fv0uxu{text-align:left;border-bottom:1px dotted #000;line-height:0.1em;margin-bottom:15px}h2.svelte-1fv0uxu span.svelte-1fv0uxu{background:#fff;padding-left:0px;padding-right:10px} -.active.svelte-eei9cp{background:white;color:#cc4141}.active.svelte-eei9cp:focus{color:#cc4141}.active.svelte-eei9cp:visited{color:#cc4141}#codeEditor.svelte-eei9cp{height:100%} -h2.svelte-1fv0uxu.svelte-1fv0uxu{text-align:left;border-bottom:1px dotted #000;line-height:0.1em;margin-bottom:15px}h2.svelte-1fv0uxu span.svelte-1fv0uxu{background:#fff;padding-left:0px;padding-right:10px} -.active.svelte-uwyanu{background:white;color:#cc4141}.active.svelte-uwyanu:focus{color:#cc4141}.active.svelte-uwyanu:visited{color:#cc4141} -.spinner.svelte-69u30n{width:26px;height:26px;background-color:#333;border-radius:100%;-webkit-animation:svelte-69u30n-sk-scaleout 1s infinite ease-in-out;animation:svelte-69u30n-sk-scaleout 1s infinite ease-in-out}@-webkit-keyframes svelte-69u30n-sk-scaleout{0%{-webkit-transform:scale(0)}100%{-webkit-transform:scale(1);opacity:0}}@keyframes svelte-69u30n-sk-scaleout{0%{-webkit-transform:scale(0);transform:scale(0)}100%{-webkit-transform:scale(1);transform:scale(1);opacity:0}} -.spinner.svelte-sbgbys.svelte-sbgbys{margin:100px auto;width:50px;height:40px;text-align:center;font-size:10px}.spinner.svelte-sbgbys>div.svelte-sbgbys{background-color:#333;height:100%;width:6px;display:inline-block;-webkit-animation:svelte-sbgbys-sk-stretchdelay 1.2s infinite ease-in-out;animation:svelte-sbgbys-sk-stretchdelay 1.2s infinite ease-in-out}.spinner.svelte-sbgbys .rect2.svelte-sbgbys{-webkit-animation-delay:-1.1s;animation-delay:-1.1s}.spinner.svelte-sbgbys .rect3.svelte-sbgbys{-webkit-animation-delay:-1s;animation-delay:-1s}.spinner.svelte-sbgbys .rect4.svelte-sbgbys{-webkit-animation-delay:-0.9s;animation-delay:-0.9s}.spinner.svelte-sbgbys .rect5.svelte-sbgbys{-webkit-animation-delay:-0.8s;animation-delay:-0.8s}@-webkit-keyframes svelte-sbgbys-sk-stretchdelay{0%,40%,100%{-webkit-transform:scaleY(0.4)}20%{-webkit-transform:scaleY(1)}}@keyframes svelte-sbgbys-sk-stretchdelay{0%,40%,100%{transform:scaleY(0.4);-webkit-transform:scaleY(0.4)}20%{transform:scaleY(1);-webkit-transform:scaleY(1)}} -.modal.svelte-4s763w{transition:opacity 0.2s ease}.fullheight.svelte-4s763w{height:90vh}.modal-body.svelte-4s763w{height:72vh} -.social.svelte-fjaw1s{width:270px} -.loader.svelte-1lz89tc.svelte-1lz89tc{--path:#2f3545;--dot:#cc4141;--duration:3s;width:44px;height:44px;position:relative}.loader.svelte-1lz89tc.svelte-1lz89tc:before{content:"";width:6px;height:6px;border-radius:50%;position:absolute;display:block;background:var(--dot);top:37px;left:19px;transform:translate(-18px, -18px);animation:svelte-1lz89tc-dotRect var(--duration) cubic-bezier(0.785, 0.135, 0.15, 0.86) infinite}.loader.svelte-1lz89tc svg.svelte-1lz89tc{display:block;width:100%;height:100%}.loader.svelte-1lz89tc svg rect.svelte-1lz89tc,.loader.svelte-1lz89tc svg polygon.svelte-1lz89tc,.loader.svelte-1lz89tc svg circle.svelte-1lz89tc{fill:none;stroke:var(--path);stroke-width:10px;stroke-linejoin:round;stroke-linecap:round}.loader.svelte-1lz89tc svg polygon.svelte-1lz89tc{stroke-dasharray:145 76 145 76;stroke-dashoffset:0;animation:svelte-1lz89tc-pathTriangle var(--duration) cubic-bezier(0.785, 0.135, 0.15, 0.86) infinite}.loader.svelte-1lz89tc svg rect.svelte-1lz89tc{stroke-dasharray:192 64 192 64;stroke-dashoffset:0;animation:svelte-1lz89tc-pathRect 3s cubic-bezier(0.785, 0.135, 0.15, 0.86) infinite}.loader.svelte-1lz89tc svg circle.svelte-1lz89tc{stroke-dasharray:150 50 150 50;stroke-dashoffset:75;animation:svelte-1lz89tc-pathCircle var(--duration) cubic-bezier(0.785, 0.135, 0.15, 0.86) infinite}.loader.triangle.svelte-1lz89tc.svelte-1lz89tc{width:48px}.loader.triangle.svelte-1lz89tc.svelte-1lz89tc:before{left:21px;transform:translate(-10px, -18px);animation:svelte-1lz89tc-dotTriangle var(--duration) cubic-bezier(0.785, 0.135, 0.15, 0.86) infinite}@keyframes svelte-1lz89tc-pathTriangle{33%{stroke-dashoffset:74}66%{stroke-dashoffset:147}100%{stroke-dashoffset:221}}@keyframes svelte-1lz89tc-dotTriangle{33%{transform:translate(0, 0)}66%{transform:translate(10px, -18px)}100%{transform:translate(-10px, -18px)}}@keyframes svelte-1lz89tc-pathRect{25%{stroke-dashoffset:64}50%{stroke-dashoffset:128}75%{stroke-dashoffset:192}100%{stroke-dashoffset:256}}@keyframes svelte-1lz89tc-dotRect{25%{transform:translate(0, 0)}50%{transform:translate(18px, -18px)}75%{transform:translate(0, -36px)}100%{transform:translate(-18px, -18px)}}@keyframes svelte-1lz89tc-pathCircle{25%{stroke-dashoffset:125}50%{stroke-dashoffset:175}75%{stroke-dashoffset:225}100%{stroke-dashoffset:275}}.loader.svelte-1lz89tc.svelte-1lz89tc{display:inline-block;margin:0 16px}.svelte-1lz89tc.svelte-1lz89tc{box-sizing:border-box}.svelte-1lz89tc.svelte-1lz89tc:before,.svelte-1lz89tc.svelte-1lz89tc:after{box-sizing:border-box}.apploader.svelte-1lz89tc.svelte-1lz89tc{display:flex;justify-content:center;align-items:center} -input[type="range"].svelte-12emz5j{-webkit-appearance:none;margin:18px 0;width:100%}input[type="range"].svelte-12emz5j:focus{outline:none}input[type="range"].svelte-12emz5j::-webkit-slider-runnable-track{width:100%;height:8.4px;cursor:pointer;box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d;background:#8cb9dd;border-radius:1.3px;border:0.2px solid #010101}input[type="range"].svelte-12emz5j::-webkit-slider-thumb{box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d;border:1px solid #000000;height:36px;width:16px;border-radius:3px;background:#ffffff;cursor:pointer;-webkit-appearance:none;margin-top:-14px}input[type="range"].svelte-12emz5j:focus::-webkit-slider-runnable-track{background:#367ebd}input[type="range"].svelte-12emz5j::-moz-range-track{width:100%;height:8.4px;cursor:pointer;box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d;background:#8cb9dd;border-radius:1.3px;border:0.2px solid #010101}input[type="range"].svelte-12emz5j::-moz-range-thumb{box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d;border:1px solid #000000;height:36px;width:16px;border-radius:3px;background:#ffffff;cursor:pointer}input[type="range"].svelte-12emz5j::-ms-track{width:100%;height:8.4px;cursor:pointer;background:transparent;border-color:transparent;border-width:16px 0;color:transparent}input[type="range"].svelte-12emz5j::-ms-fill-lower{background:#8cb9dd;border:0.2px solid #010101;border-radius:2.6px;box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d}input[type="range"].svelte-12emz5j::-ms-fill-upper{background:#8cb9dd;border:0.2px solid #010101;border-radius:2.6px;box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d}input[type="range"].svelte-12emz5j::-ms-thumb{box-shadow:1px 1px 1px #000000, 0px 0px 1px #0d0d0d;border:1px solid #000000;height:36px;width:16px;border-radius:3px;background:#ffffff;cursor:pointer}input[type="range"].svelte-12emz5j:focus::-ms-fill-lower{background:#8cb9dd}input[type="range"].svelte-12emz5j:focus::-ms-fill-upper{background:#367ebd} -div.svelte-bja3dk{border:1px solid #ddd;box-shadow:1px 1px 1px #ddd;background:white;border-radius:4px;padding:4px;position:absolute} -input[type="radio"]+label.svelte-1nc5sgc span.svelte-1nc5sgc{transition:background 0.2s, transform 0.2s}input[type="radio"]+label.svelte-1nc5sgc span.svelte-1nc5sgc:hover,input[type="radio"]+label.svelte-1nc5sgc:hover span.svelte-1nc5sgc{transform:scale(1.2)}input[type="radio"]:checked+label.svelte-1nc5sgc span.svelte-1nc5sgc{background-color:black;box-shadow:0px 0px 0px 2px white inset}input[type="radio"]:checked+label.svelte-1nc5sgc.svelte-1nc5sgc{color:#414141} -.nav.svelte-1ks7xo3,footer.svelte-1ks7xo3{background-color:#333}img.svelte-1ks7xo3{max-width:100%;height:auto}body.svelte-1ks7xo3{display:flex;min-height:100vh;flex-direction:column;padding:0}main.svelte-1ks7xo3{flex:1} -.link.svelte-sc5ab6,.text.svelte-sc5ab6{color:black -} - -/*# sourceMappingURL=bundle.css.map */ \ No newline at end of file diff --git a/ui/public/build/bundle.css.map b/ui/public/build/bundle.css.map deleted file mode 100644 index ee0920c6..00000000 --- a/ui/public/build/bundle.css.map +++ /dev/null @@ -1,50 +0,0 @@ -{ - "version": 3, - "file": "bundle.css", - "sources": [ - "../../ArtilleryChart.svelte", - "../../ArtilleryDetailTable.svelte", - "../../ArtilleryDetailsCard.svelte", - "../../BuildList.svelte", - "../../BuildDetailsCard.svelte", - "../../DetailListCard.svelte", - "../../HTMLHintDetailsCard.svelte", - "../../HtmlErrorsTable.svelte", - "../../LighthouseDetailsCard.svelte", - "../../DetailsTable.svelte", - "../../LoadingCircle.svelte", - "../../LoadingFlat.svelte", - "../../Modal.svelte", - "../../SocialLogin.svelte", - "../../Spinner.svelte", - "../../TextField.svelte", - "../../TooltipFromAction.svelte", - "../../UpdateIgnoreUrl.svelte", - "../../Layout.svelte", - "../../Rules.svelte" - ], - "sourcesContent": [ - "\n\n\n\n
\n\n
\n", - "\n\n\n\n\n
\n Report completed:\n {formatDistanceToNow(new Date(details.buildDate), { addSuffix: true })}\n at\n {format(new Date(details.buildDate), 'hh:mm')}\n
\n
\n
Scenarios launched
\n
\n {details.scenariosCreated}\n
\n
\n
Request Latency
\n
\n
\n
\n
\n
\n
\n
\n
Scenarios completed
\n
\n {details.scenariosCompleted}\n
\n
\n
\n
Min
\n
\n {details.latencyMin}\n (ms)\n
\n
\n
\n
Max
\n
\n {details.latencyMax}\n (ms)\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
Requests completed
\n
\n {details.requestsCompleted}\n
\n
\n
\n
Median
\n
\n {details.latencyMedian}\n (ms)\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
RPS sent
\n
{details.rpsCount}
\n
\n
\n
p95
\n
\n {details.latencyP95}\n (ms)\n
\n
\n
\n
p99
\n
\n {details.latencyP99}\n (ms)\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n", - "\n\n\n\n
\n {#if val.finalEval == 'FAIL'}\n
\n {:else if val.finalEval == 'PASS'}\n
\n {:else}\n
\n {/if}\n\n
\n
\n
\n
\n
\n

LINKS

\n \n
\n \n
\n

CODE

\n \n
\n \n {#if val.performanceScore}\n
\n

\n LIGHTHOUSE\n

\n \n
\n {/if}\n \n
\n

\n LOAD TEST\n

\n \n
\n
\n
\n
\n\n
\n \n Build Version: {val.buildVersion}\n \n
\n \n
\n
\n", - "\n\n\n\n{#if numberOfBuilds === 0}\n
You have 0 scans!
\n{:else}\n
\n
\n {#if lastBuild}\n \n {count} builds in last 30 days, last build: {formatDistanceToNow(\n lastBuild,\n { addSuffix: true }\n )}\n \n {/if}\n
\n
\n\n {#each groupUrlKey as url, i}\n
\n
\n
\n \n
\n \n
\n\n
\n\n
\n\n
\n\n
\n toggle(i)}>\n {#if showTotalBuild}\n \n {:else}\n \n {/if}\n \n

\n Scan History:\n {groupUrl[url].length}\n

\n
\n
\n
\n
\n {#if currCard == i}\n
\n \n
\n {/if}\n
\n {/each}\n{/if}\n", - "\n\n\n\n
\n {#if val.finalEval === 'FAIL'}\n
\n {:else if val.finalEval === 'PASS'}\n
\n {:else}\n
\n {/if}\n\n
\n
\n
\n navigateTo(`/build/${val.runId}`)}>\n navigateTo(`/build/${val.runId}`)}>\n

LINKS

\n \n
\n \n navigateTo(`/build/${val.runId}`)}>\n

CODE

\n \n
\n \n {#if val.performanceScore}\n navigateTo(`/build/${val.runId}`)}>\n

\n LIGHTHOUSE\n

\n \n
\n {/if}\n \n navigateTo(`/build/${val.runId}`)}>\n

\n LOAD TEST\n

\n \n
\n
\n
\n
\n\n
\n \n Build Version: {val.buildVersion}\n \n
\n \n\n", - "\n\n\n\n{#each value as val}\n
\n {#if val.finalEval === 'FAIL'}\n
\n {:else if val.finalEval === 'PASS'}\n
\n {:else}\n
\n {/if}\n\n
\n navigateTo(`/build/${val.runId}`)}>\n
\n \n {format(new Date(val.buildDate), 'dd MMM yyyy')}\n \n
\n \n Last scanned:\n {formatDistanceToNow(new Date(val.buildDate), { addSuffix: true })}\n at\n {format(new Date(val.buildDate), 'hh:mm aaaa')}\n \n
\n \n Duration:\n {printTimeDiff(+val.scanDuration)}\n \n
\n \n Scanned:\n {numberWithCommas(val.totalScanned)}\n items\n \n
\n\n navigateTo(`/build/${val.runId}`)}>\n

\n LINKS\n

\n \n
\n\n navigateTo(`/build/${val.runId}`)}>\n

\n CODE\n

\n \n
\n\n navigateTo(`/build/${val.runId}`)}>\n

\n LOAD TEST\n

\n \n
\n\n {#if val.performanceScore}\n navigateTo(`/build/${val.runId}`)}>\n

\n LIGHTHOUSE\n

\n \n
\n {/if}\n
\n\n
\n \n Build Version: {val.buildVersion}\n \n
\n \n \n \n{/each}\n", - "\n\n\n\n
\n {#if val.finalEval == 'FAIL'}\n
\n {:else if val.finalEval == 'PASS'}\n
\n {:else}\n
\n {/if}\n\n
\n
\n
\n
\n
\n

LINKS

\n \n
\n \n
\n

CODE

\n \n
\n \n {#if val.performanceScore}\n
\n

\n LIGHTHOUSE\n

\n \n
\n {/if}\n \n
\n

\n LOAD TEST\n

\n \n
\n
\n
\n
\n\n \n {#if htmlRules}\n

HTML Rules Scanned: {htmlRules.selectedRules.split(/[,]+/).length}

\n \n \n \n {#if isCollapsedRules}\n {#each htmlRules.selectedRules.split(/[,]+/) as rule}\n
\n {#if customHtmlHintRules.some(x => x.rule === rule)}\n x.rule === rule)).ruleLink ? 'link' : 'hover:no-underline cursor-text'} inline-block align-baseline\" \n href=\"{(customHtmlHintRules.find(x => x.rule === rule)).ruleLink}\"\n >\n {customHtmlHintRules.find(x => x.rule === rule).displayName}\n \n {:else if htmlHintRules.some(x => x.rule === rule)}\n x.rule === rule)).ruleLink ? 'link' : 'hover:no-underline cursor-text'} inline-block align-baseline\" \n href=\"{(htmlHintRules.find(x => x.rule === rule)).ruleLink}\"\n >\n {htmlHintRules.find(x => x.rule === rule).displayName}\n \n {/if}\n
\n {/each}\n {/if}\n {/if}\n
\n\n
\n \n Build Version: {val.buildVersion}\n \n
\n\n
\n
\n", - "\n\n\n\n{#if errors.length === 0 && codeIssues.length === 0}\n
\n \n \n \n There is no HTML issues found in this build!!\n \n \n \n
\n{:else}\n
\n \n changeMode(0)}\n class:active={displayMode === 0}\n class=\"inline-flex items-center transition-colors duration-300 ease-in\n focus:outline-none hover:text-blue-400 focus:text-blue-400\n rounded-l-full px-4 py-2\">\n By Page\n \n changeMode(1)}\n class:active={displayMode === 1}\n class=\"inline-flex items-center transition-colors duration-300 ease-in\n focus:outline-none hover:text-blue-400 focus:text-blue-400\n rounded-r-full px-4 py-2\">\n By Reason\n \n
\n
\n \n \n \n \n \n
\n
\n\n {#if displayMode === 0}\n \n {:else}\n \n {/if}\n{/if}\n\n\n {#if loading}\n \n {/if}\n
\n\n", - "\n\n\n\n
\n {#if val.finalEval == 'FAIL'}\n
\n {:else if val.finalEval == 'PASS'}\n
\n {:else}\n
\n {/if}\n\n
\n
\n
\n
\n
\n {#if val.buildDate}\n \n Set Performance Threshold For Next Scan\n \n {/if}\n
\n\n
\n

LINKS

\n \n
\n\n
\n

CODE

\n \n
\n\n {#if val.performanceScore}\n
\n

\n LIGHTHOUSE\n

\n \n
\n {/if}\n\n
\n

\n LOAD TEST\n

\n \n
\n
\n\n
\n \n Build Version: {val.buildVersion}\n \n
\n \n
\n
\n", - "\n\n\n\n{#if builds.length === 0}\n
\n \n \n \n There is no broken links in this build!!\n \n \n \n
\n{:else}\n
\n \n changeMode(0)}\n class:active={displayMode === 0}\n class=\"inline-flex items-center transition-colors duration-300 ease-in\n focus:outline-none rounded-l-full px-4 py-2\">\n By Source\n \n changeMode(1)}\n class:active={displayMode === 1}\n class=\"inline-flex items-center transition-colors duration-300 ease-in\n focus:outline-none px-4 py-2\">\n By Destination\n \n changeMode(2)}\n class:active={displayMode === 2}\n class=\"inline-flex items-center transition-colors duration-300 ease-in\n focus:outline-none rounded-r-full px-4 py-2\">\n By Status\n \n
\n
\n \n \n \n \n \n
\n
\n {#if foundUnscannableLinks.length > 0}\n \n hideShow()}\n cssClass=\"inline-block cursor-pointer\">\n {#if !hiddenRows}\n \n {:else}\n \n {/if}\n \n Found Unscannable Links:\n \n {#if !hiddenRows}\n \n See our Knowledge Base (KB) to learn more about \n why some working websites are reported as broken in CodeAuditor?\n \n \n \n \n Unscannable Link\n Source\n Anchor Text\n \n \n \n {#each foundUnscannableLinks as url}\n \n \n \n {url.dst.length < 70 ? url.dst : url.dst.substring(0, 70) + '...'}\n \n \n \n \n {url.src.length < 70 ? url.src : url.src.substring(0, 70) + '...'}\n \n \n {url.link || ''}\n \n {/each}\n \n \n {/if}\n {/if}\n\n {#if displayMode === 0}\n \n {:else if displayMode === 1}\n \n {:else}\n \n {/if}\n{/if}\n", - "\n\n
\n", - "\n\n
\n
\n
\n
\n
\n
\n
\n", - "\n\n\n\n\n\n \n\n \n \n \n \n
\n

{header}

\n
\n\n \n
\n \n
\n\n \n
\n {#if mainAction}\n \n {mainAction}\n {#if loading}\n \n {/if}\n \n {/if}\n \n Close\n \n
\n\n
\n
\n
\n\n\n", - "\n\n\n\n
\n \n \n \n \n \n \n \n Sign In Using Google\n {#if loading}\n \n {/if}\n \n
\n
\n \n \n \n \n Sign In Using Facebook\n {#if loading}\n \n {/if}\n \n
\n", - "\n\n
\n
\n
\n
\n
\n
\n \n \n \n
\n\n
\n \n \n \n
\n\n
\n \n \n \n
\n
\n
\n
\n
\n
\n", - "\n\n\n\n\n {label}\n\n\n\n{#if required && !value}\n

This field is required

\n{/if}\n\n{#if errorMsg && value}\n

{errorMsg}

\n{/if}\n", - "\n
{title}
\n\n", - "\n\n\n\n\n
\n \n
\n You can use glob matching, e.g. https://twitter.com/** will match with\n https://twitter.com/users/john or https://twitter.com/login\n
\n
\n To see more supported Glob patterns, check out \n CodeAuditor KB\n
\n \n
    \n
  • \n
    \n \n\n \n
    \n
  • \n {#if scanUrl}\n
  • \n
    \n \n \n
    \n
  • \n {/if}\n
\n \n
\n\n\n\n

Added to ignored list!

\n

\n You currently have {ignoredUrls.length} ignored URLs.\n \n View\n \n

\n
\n", - "\n\n\n
\n \n \n
\n
\n
\n
\n
\n
\n Copyright © SSW 1990 - {new Date().getFullYear()}. All Rights\n Reserved.\n
\n
\n \n FEEDBACK TO SSW\n \n |\n \n TERMS AND CONDITIONS\n \n |\n \n FIND US ON FACEBOOK\n \n
\n
\n
\n
\n
\n Our website is under\n \n CONSTANT CONTINUOUS DEPLOYMENT.\n \n
\n
\n Powered by{\" \"}\n \n {\" \"}\n GitHub\n \n
\n
\n
\n
\n
\n\n\n\n", - "\n\n
\n
\n \n \n
\n
" - ], - "names": [], - "mappings": "AA2EA,QAAQ,eAAC,CAAC,AACV,MAAM,CAAE,KAAK,AACb,CAAC;ACpED,EAAE,eAAC,CAAC,AACF,UAAU,CAAE,KAAK,CAAC,KAAK,CAAC,OAAO,AACjC,CAAC;ACKD,EAAE,8BAAC,CAAC,AACF,UAAU,CAAE,IAAI,CAChB,aAAa,CAAE,GAAG,CAAC,MAAM,CAAC,IAAI,CAC9B,WAAW,CAAE,KAAK,CAClB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,iBAAE,CAAC,IAAI,eAAC,CAAC,AACP,UAAU,CAAE,IAAI,CAChB,YAAY,CAAE,GAAG,CACjB,aAAa,CAAE,IAAI,AACrB,CAAC;ACqBD,UAAU,eAAC,CAAC,AACV,UAAU,CAAE,IAAI,AAClB,CAAC,AAED,yBAAU,MAAM,AAAC,CAAC,AAChB,UAAU,CAAE,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAC3C,MAAM,CAAE,OAAO,AACjB,CAAC;ACxCD,EAAE,8BAAC,CAAC,AACF,UAAU,CAAE,IAAI,CAChB,aAAa,CAAE,GAAG,CAAC,MAAM,CAAC,IAAI,CAC9B,WAAW,CAAE,KAAK,CAClB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,iBAAE,CAAC,IAAI,eAAC,CAAC,AACP,UAAU,CAAE,IAAI,CAChB,YAAY,CAAE,GAAG,CACjB,aAAa,CAAE,IAAI,AACrB,CAAC;ACPD,EAAE,8BAAC,CAAC,AACF,UAAU,CAAE,IAAI,CAChB,aAAa,CAAE,GAAG,CAAC,MAAM,CAAC,IAAI,CAC9B,WAAW,CAAE,KAAK,CAClB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,iBAAE,CAAC,IAAI,eAAC,CAAC,AACP,UAAU,CAAE,IAAI,CAChB,YAAY,CAAE,GAAG,CACjB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,UAAU,8BAAC,CAAC,AACV,UAAU,CAAE,IAAI,AAClB,CAAC,AAED,wCAAU,MAAM,AAAC,CAAC,AAChB,UAAU,CAAE,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAC3C,MAAM,CAAE,OAAO,AACjB,CAAC;ACpBD,EAAE,8BAAC,CAAC,AACF,UAAU,CAAE,IAAI,CAChB,aAAa,CAAE,GAAG,CAAC,MAAM,CAAC,IAAI,CAC9B,WAAW,CAAE,KAAK,CAClB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,iBAAE,CAAC,IAAI,eAAC,CAAC,AACP,UAAU,CAAE,IAAI,CAChB,YAAY,CAAE,GAAG,CACjB,aAAa,CAAE,IAAI,AACrB,CAAC;ACyED,OAAO,cAAC,CAAC,AACP,UAAU,CAAE,KAAK,CACjB,KAAK,CAAE,OAAO,AAChB,CAAC,AACD,qBAAO,MAAM,AAAC,CAAC,AACb,KAAK,CAAE,OAAO,AAChB,CAAC,AACD,qBAAO,QAAQ,AAAC,CAAC,AACf,KAAK,CAAE,OAAO,AAChB,CAAC,AACD,WAAW,cAAC,CAAC,AACX,MAAM,CAAE,IAAI,AACd,CAAC;ACnGD,EAAE,8BAAC,CAAC,AACF,UAAU,CAAE,IAAI,CAChB,aAAa,CAAE,GAAG,CAAC,MAAM,CAAC,IAAI,CAC9B,WAAW,CAAE,KAAK,CAClB,aAAa,CAAE,IAAI,AACrB,CAAC,AAED,iBAAE,CAAC,IAAI,eAAC,CAAC,AACP,UAAU,CAAE,IAAI,CAChB,YAAY,CAAE,GAAG,CACjB,aAAa,CAAE,IAAI,AACrB,CAAC;ACiBD,OAAO,cAAC,CAAC,AACP,UAAU,CAAE,KAAK,CACjB,KAAK,CAAE,OAAO,AAChB,CAAC,AACD,qBAAO,MAAM,AAAC,CAAC,AACb,KAAK,CAAE,OAAO,AAChB,CAAC,AACD,qBAAO,QAAQ,AAAC,CAAC,AACf,KAAK,CAAE,OAAO,AAChB,CAAC;ACpDD,QAAQ,cAAC,CAAC,AACR,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,IAAI,CACZ,gBAAgB,CAAE,IAAI,CAEtB,aAAa,CAAE,IAAI,CACnB,iBAAiB,CAAE,yBAAW,CAAC,EAAE,CAAC,QAAQ,CAAC,WAAW,CACtD,SAAS,CAAE,yBAAW,CAAC,EAAE,CAAC,QAAQ,CAAC,WAAW,AAChD,CAAC,AAED,mBAAmB,yBAAY,CAAC,AAC9B,EAAE,AAAC,CAAC,AACF,iBAAiB,CAAE,MAAM,CAAC,CAAC,AAC7B,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,MAAM,CAAC,CAAC,CAC3B,OAAO,CAAE,CAAC,AACZ,CAAC,AACH,CAAC,AAED,WAAW,yBAAY,CAAC,AACtB,EAAE,AAAC,CAAC,AACF,iBAAiB,CAAE,MAAM,CAAC,CAAC,CAC3B,SAAS,CAAE,MAAM,CAAC,CAAC,AACrB,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,MAAM,CAAC,CAAC,CAC3B,SAAS,CAAE,MAAM,CAAC,CAAC,CACnB,OAAO,CAAE,CAAC,AACZ,CAAC,AACH,CAAC;AC9BD,QAAQ,4BAAC,CAAC,AACR,MAAM,CAAE,KAAK,CAAC,IAAI,CAClB,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,IAAI,CACZ,UAAU,CAAE,MAAM,CAClB,SAAS,CAAE,IAAI,AACjB,CAAC,AAED,sBAAQ,CAAG,GAAG,cAAC,CAAC,AACd,gBAAgB,CAAE,IAAI,CACtB,MAAM,CAAE,IAAI,CACZ,KAAK,CAAE,GAAG,CACV,OAAO,CAAE,YAAY,CAErB,iBAAiB,CAAE,6BAAe,CAAC,IAAI,CAAC,QAAQ,CAAC,WAAW,CAC5D,SAAS,CAAE,6BAAe,CAAC,IAAI,CAAC,QAAQ,CAAC,WAAW,AACtD,CAAC,AAED,sBAAQ,CAAC,MAAM,cAAC,CAAC,AACf,uBAAuB,CAAE,KAAK,CAC9B,eAAe,CAAE,KAAK,AACxB,CAAC,AAED,sBAAQ,CAAC,MAAM,cAAC,CAAC,AACf,uBAAuB,CAAE,GAAG,CAC5B,eAAe,CAAE,GAAG,AACtB,CAAC,AAED,sBAAQ,CAAC,MAAM,cAAC,CAAC,AACf,uBAAuB,CAAE,KAAK,CAC9B,eAAe,CAAE,KAAK,AACxB,CAAC,AAED,sBAAQ,CAAC,MAAM,cAAC,CAAC,AACf,uBAAuB,CAAE,KAAK,CAC9B,eAAe,CAAE,KAAK,AACxB,CAAC,AAED,mBAAmB,6BAAgB,CAAC,AAClC,EAAE,CACF,GAAG,CACH,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,OAAO,GAAG,CAAC,AAChC,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,OAAO,CAAC,CAAC,AAC9B,CAAC,AACH,CAAC,AAED,WAAW,6BAAgB,CAAC,AAC1B,EAAE,CACF,GAAG,CACH,IAAI,AAAC,CAAC,AACJ,SAAS,CAAE,OAAO,GAAG,CAAC,CACtB,iBAAiB,CAAE,OAAO,GAAG,CAAC,AAChC,CAAC,AACD,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,OAAO,CAAC,CAAC,CACpB,iBAAiB,CAAE,OAAO,CAAC,CAAC,AAC9B,CAAC,AACH,CAAC;ACvCD,MAAM,cAAC,CAAC,AACN,UAAU,CAAE,OAAO,CAAC,IAAI,CAAC,IAAI,AAC/B,CAAC,AACD,WAAW,cAAC,CAAC,AACX,MAAM,CAAE,IAAI,AACd,CAAC,AACD,WAAW,cAAC,CAAC,AACX,MAAM,CAAE,IAAI,AACd,CAAC;ACAD,OAAO,cAAC,CAAC,AACP,KAAK,CAAE,KAAK,AACd,CAAC;AChCuB,OAAO,8BAAC,CAAC,AAC/B,MAAM,CAAE,OAAO,CACf,KAAK,CAAE,OAAO,CACd,UAAU,CAAE,EAAE,CACd,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,IAAI,CACZ,QAAQ,CAAE,QAAQ,AACpB,CAAC,AACD,qCAAO,OAAO,AAAC,CAAC,AACd,OAAO,CAAE,EAAE,CACX,KAAK,CAAE,GAAG,CACV,MAAM,CAAE,GAAG,CACX,aAAa,CAAE,GAAG,CAClB,QAAQ,CAAE,QAAQ,CAClB,OAAO,CAAE,KAAK,CACd,UAAU,CAAE,IAAI,KAAK,CAAC,CACtB,GAAG,CAAE,IAAI,CACT,IAAI,CAAE,IAAI,CACV,SAAS,CAAE,UAAU,KAAK,CAAC,CAAC,KAAK,CAAC,CAClC,SAAS,CAAE,sBAAO,CAAC,IAAI,UAAU,CAAC,CAAC,aAAa,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,AACpF,CAAC,AACD,sBAAO,CAAC,GAAG,eAAC,CAAC,AACX,OAAO,CAAE,KAAK,CACd,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,IAAI,AACd,CAAC,AACD,sBAAO,CAAC,GAAG,CAAC,mBAAI,CAChB,sBAAO,CAAC,GAAG,CAAC,sBAAO,CACnB,sBAAO,CAAC,GAAG,CAAC,MAAM,eAAC,CAAC,AAClB,IAAI,CAAE,IAAI,CACV,MAAM,CAAE,IAAI,MAAM,CAAC,CACnB,YAAY,CAAE,IAAI,CAClB,eAAe,CAAE,KAAK,CACtB,cAAc,CAAE,KAAK,AACvB,CAAC,AACD,sBAAO,CAAC,GAAG,CAAC,OAAO,eAAC,CAAC,AACnB,gBAAgB,CAAE,GAAG,CAAC,EAAE,CAAC,GAAG,CAAC,EAAE,CAC/B,iBAAiB,CAAE,CAAC,CACpB,SAAS,CAAE,2BAAY,CAAC,IAAI,UAAU,CAAC,CAAC,aAAa,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,AACzF,CAAC,AACD,sBAAO,CAAC,GAAG,CAAC,IAAI,eAAC,CAAC,AAChB,gBAAgB,CAAE,GAAG,CAAC,EAAE,CAAC,GAAG,CAAC,EAAE,CAC/B,iBAAiB,CAAE,CAAC,CACpB,SAAS,CAAE,uBAAQ,CAAC,EAAE,CAAC,aAAa,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,AACxE,CAAC,AACD,sBAAO,CAAC,GAAG,CAAC,MAAM,eAAC,CAAC,AAClB,gBAAgB,CAAE,GAAG,CAAC,EAAE,CAAC,GAAG,CAAC,EAAE,CAC/B,iBAAiB,CAAE,EAAE,CACrB,SAAS,CAAE,yBAAU,CAAC,IAAI,UAAU,CAAC,CAAC,aAAa,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,AACvF,CAAC,AACD,OAAO,SAAS,8BAAC,CAAC,AAChB,KAAK,CAAE,IAAI,AACb,CAAC,AACD,OAAO,uCAAS,OAAO,AAAC,CAAC,AACvB,IAAI,CAAE,IAAI,CACV,SAAS,CAAE,UAAU,KAAK,CAAC,CAAC,KAAK,CAAC,CAClC,SAAS,CAAE,0BAAW,CAAC,IAAI,UAAU,CAAC,CAAC,aAAa,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,AACxF,CAAC,AAED,WAAW,2BAAa,CAAC,AACvB,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,EAAE,AACvB,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACH,CAAC,AACD,WAAW,0BAAY,CAAC,AACtB,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC,AAC5B,CAAC,AACD,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,UAAU,IAAI,CAAC,CAAC,KAAK,CAAC,AACnC,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,SAAS,CAAE,UAAU,KAAK,CAAC,CAAC,KAAK,CAAC,AACpC,CAAC,AACH,CAAC,AACD,WAAW,uBAAS,CAAC,AACnB,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,EAAE,AACvB,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACH,CAAC,AACD,WAAW,sBAAQ,CAAC,AAClB,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC,AAC5B,CAAC,AACD,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,UAAU,IAAI,CAAC,CAAC,KAAK,CAAC,AACnC,CAAC,AACD,GAAG,AAAC,CAAC,AACH,SAAS,CAAE,UAAU,CAAC,CAAC,CAAC,KAAK,CAAC,AAChC,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,SAAS,CAAE,UAAU,KAAK,CAAC,CAAC,KAAK,CAAC,AACpC,CAAC,AACH,CAAC,AACD,WAAW,yBAAW,CAAC,AACrB,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,GAAG,AAAC,CAAC,AACH,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACD,IAAI,AAAC,CAAC,AACJ,iBAAiB,CAAE,GAAG,AACxB,CAAC,AACH,CAAC,AACD,OAAO,8BAAC,CAAC,AACP,OAAO,CAAE,YAAY,CACrB,MAAM,CAAE,CAAC,CAAC,IAAI,AAChB,CAAC,AAMD,8BAAE,CAAC,AACD,UAAU,CAAE,UAAU,AACxB,CAAC,AACD,8BAAC,OAAO,CAAE,8BAAC,MAAM,AAAC,CAAC,AACjB,UAAU,CAAE,UAAU,AACxB,CAAC,AAED,UAAU,8BAAC,CAAC,AACV,OAAO,CAAE,IAAI,CACb,eAAe,CAAE,MAAM,CACvB,WAAW,CAAE,MAAM,AACrB,CAAC;AC1HD,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,eAAC,CAAC,AACnB,kBAAkB,CAAE,IAAI,CACxB,MAAM,CAAE,IAAI,CAAC,CAAC,CACd,KAAK,CAAE,IAAI,AACb,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,MAAM,AAAC,CAAC,AACzB,OAAO,CAAE,IAAI,AACf,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,+BAA+B,AAAC,CAAC,AAClD,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,KAAK,CACb,MAAM,CAAE,OAAO,CACf,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CACpD,UAAU,CAAE,OAAO,CACnB,aAAa,CAAE,KAAK,CACpB,MAAM,CAAE,KAAK,CAAC,KAAK,CAAC,OAAO,AAC7B,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,sBAAsB,AAAC,CAAC,AACzC,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CACpD,MAAM,CAAE,GAAG,CAAC,KAAK,CAAC,OAAO,CACzB,MAAM,CAAE,IAAI,CACZ,KAAK,CAAE,IAAI,CACX,aAAa,CAAE,GAAG,CAClB,UAAU,CAAE,OAAO,CACnB,MAAM,CAAE,OAAO,CACf,kBAAkB,CAAE,IAAI,CACxB,UAAU,CAAE,KAAK,AACnB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,MAAM,+BAA+B,AAAC,CAAC,AACxD,UAAU,CAAE,OAAO,AACrB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,kBAAkB,AAAC,CAAC,AACrC,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,KAAK,CACb,MAAM,CAAE,OAAO,CACf,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CACpD,UAAU,CAAE,OAAO,CACnB,aAAa,CAAE,KAAK,CACpB,MAAM,CAAE,KAAK,CAAC,KAAK,CAAC,OAAO,AAC7B,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,kBAAkB,AAAC,CAAC,AACrC,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CACpD,MAAM,CAAE,GAAG,CAAC,KAAK,CAAC,OAAO,CACzB,MAAM,CAAE,IAAI,CACZ,KAAK,CAAE,IAAI,CACX,aAAa,CAAE,GAAG,CAClB,UAAU,CAAE,OAAO,CACnB,MAAM,CAAE,OAAO,AACjB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,WAAW,AAAC,CAAC,AAC9B,KAAK,CAAE,IAAI,CACX,MAAM,CAAE,KAAK,CACb,MAAM,CAAE,OAAO,CACf,UAAU,CAAE,WAAW,CACvB,YAAY,CAAE,WAAW,CACzB,YAAY,CAAE,IAAI,CAAC,CAAC,CACpB,KAAK,CAAE,WAAW,AACpB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,gBAAgB,AAAC,CAAC,AACnC,UAAU,CAAE,OAAO,CACnB,MAAM,CAAE,KAAK,CAAC,KAAK,CAAC,OAAO,CAC3B,aAAa,CAAE,KAAK,CACpB,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,AACtD,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,gBAAgB,AAAC,CAAC,AACnC,UAAU,CAAE,OAAO,CACnB,MAAM,CAAE,KAAK,CAAC,KAAK,CAAC,OAAO,CAC3B,aAAa,CAAE,KAAK,CACpB,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,AACtD,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,WAAW,AAAC,CAAC,AAC9B,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,OAAO,CACpD,MAAM,CAAE,GAAG,CAAC,KAAK,CAAC,OAAO,CACzB,MAAM,CAAE,IAAI,CACZ,KAAK,CAAE,IAAI,CACX,aAAa,CAAE,GAAG,CAClB,UAAU,CAAE,OAAO,CACnB,MAAM,CAAE,OAAO,AACjB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,MAAM,gBAAgB,AAAC,CAAC,AACzC,UAAU,CAAE,OAAO,AACrB,CAAC,AACD,KAAK,CAAC,IAAI,CAAC,OAAO,gBAAC,MAAM,gBAAgB,AAAC,CAAC,AACzC,UAAU,CAAE,OAAO,AACrB,CAAC;AC/FD,GAAG,cAAC,CAAC,AACJ,MAAM,CAAE,GAAG,CAAC,KAAK,CAAC,IAAI,CACtB,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,IAAI,CAC5B,UAAU,CAAE,KAAK,CACjB,aAAa,CAAE,GAAG,CAClB,OAAO,CAAE,GAAG,CACZ,QAAQ,CAAE,QAAQ,AACnB,CAAC;ACsCD,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,CAAG,oBAAK,CAAC,IAAI,eAAC,CAAC,AAChC,UAAU,CAAE,UAAU,CAAC,IAAI,CAAC,CAAC,SAAS,CAAC,IAAI,AAC7C,CAAC,AAED,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,CAAG,oBAAK,CAAC,mBAAI,MAAM,CACtC,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,CAAG,oBAAK,MAAM,CAAC,IAAI,eAAC,CAAC,AACtC,SAAS,CAAE,MAAM,GAAG,CAAC,AACvB,CAAC,AAED,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,QAAQ,CAAG,oBAAK,CAAC,IAAI,eAAC,CAAC,AACxC,gBAAgB,CAAE,KAAK,CACvB,UAAU,CAAE,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,KAAK,CAAC,KAAK,AACzC,CAAC,AAED,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,QAAQ,CAAG,KAAK,8BAAC,CAAC,AACnC,KAAK,CAAE,OAAO,AAChB,CAAC;AC0GC,mBAAI,CACJ,MAAM,eAAC,CAAC,AACN,gBAAgB,CAAE,IAAI,AACxB,CAAC,AACD,GAAG,eAAC,CAAC,AACH,SAAS,CAAE,IAAI,CACf,MAAM,CAAE,IAAI,AACd,CAAC,AACD,IAAI,eAAC,CAAC,AACN,OAAO,CAAE,IAAI,CACb,UAAU,CAAE,KAAK,CACjB,cAAc,CAAE,MAAM,CACtB,OAAO,CAAE,CAAC,AACZ,CAAC,AACC,IAAI,eAAC,CAAC,AACN,IAAI,CAAE,CAAC,AACT,CAAC;AC7LD,mBAAK,CAAE,KAAK,cAAC,CAAC,AACZ,KAAK,CAAE,KAAK;AACd,CAAC" -} \ No newline at end of file diff --git a/ui/public/build/bundle.js b/ui/public/build/bundle.js deleted file mode 100644 index 2310ff0f..00000000 --- a/ui/public/build/bundle.js +++ /dev/null @@ -1,85884 +0,0 @@ - -(function(l, r) { if (l.getElementById('livereloadscript')) return; r = l.createElement('script'); r.async = 1; r.src = '//' + (window.location.host || 'localhost').split(':')[0] + ':35729/livereload.js?snipver=1'; r.id = 'livereloadscript'; l.getElementsByTagName('head')[0].appendChild(r) })(window.document); -var app = (function () { - 'use strict'; - - function noop$1() { } - const identity$2 = x => x; - function assign$1(tar, src) { - // @ts-ignore - for (const k in src) - tar[k] = src[k]; - return tar; - } - // Adapted from https://github.com/then/is-promise/blob/master/index.js - // Distributed under MIT License https://github.com/then/is-promise/blob/master/LICENSE - function is_promise(value) { - return !!value && (typeof value === 'object' || typeof value === 'function') && typeof value.then === 'function'; - } - function add_location(element, file, line, column, char) { - element.__svelte_meta = { - loc: { file, line, column, char } - }; - } - function run(fn) { - return fn(); - } - function blank_object() { - return Object.create(null); - } - function run_all(fns) { - fns.forEach(run); - } - function is_function(thing) { - return typeof thing === 'function'; - } - function safe_not_equal(a, b) { - return a != a ? b == b : a !== b || ((a && typeof a === 'object') || typeof a === 'function'); - } - let src_url_equal_anchor; - function src_url_equal(element_src, url) { - if (!src_url_equal_anchor) { - src_url_equal_anchor = document.createElement('a'); - } - src_url_equal_anchor.href = url; - return element_src === src_url_equal_anchor.href; - } - function is_empty(obj) { - return Object.keys(obj).length === 0; - } - function validate_store(store, name) { - if (store != null && typeof store.subscribe !== 'function') { - throw new Error(`'${name}' is not a store with a 'subscribe' method`); - } - } - function subscribe(store, ...callbacks) { - if (store == null) { - return noop$1; - } - const unsub = store.subscribe(...callbacks); - return unsub.unsubscribe ? () => unsub.unsubscribe() : unsub; - } - function get_store_value(store) { - let value; - subscribe(store, _ => value = _)(); - return value; - } - function component_subscribe(component, store, callback) { - component.$$.on_destroy.push(subscribe(store, callback)); - } - function create_slot(definition, ctx, $$scope, fn) { - if (definition) { - const slot_ctx = get_slot_context(definition, ctx, $$scope, fn); - return definition[0](slot_ctx); - } - } - function get_slot_context(definition, ctx, $$scope, fn) { - return definition[1] && fn - ? assign$1($$scope.ctx.slice(), definition[1](fn(ctx))) - : $$scope.ctx; - } - function get_slot_changes(definition, $$scope, dirty, fn) { - if (definition[2] && fn) { - const lets = definition[2](fn(dirty)); - if ($$scope.dirty === undefined) { - return lets; - } - if (typeof lets === 'object') { - const merged = []; - const len = Math.max($$scope.dirty.length, lets.length); - for (let i = 0; i < len; i += 1) { - merged[i] = $$scope.dirty[i] | lets[i]; - } - return merged; - } - return $$scope.dirty | lets; - } - return $$scope.dirty; - } - function update_slot_base(slot, slot_definition, ctx, $$scope, slot_changes, get_slot_context_fn) { - if (slot_changes) { - const slot_context = get_slot_context(slot_definition, ctx, $$scope, get_slot_context_fn); - slot.p(slot_context, slot_changes); - } - } - function get_all_dirty_from_scope($$scope) { - if ($$scope.ctx.length > 32) { - const dirty = []; - const length = $$scope.ctx.length / 32; - for (let i = 0; i < length; i++) { - dirty[i] = -1; - } - return dirty; - } - return -1; - } - function null_to_empty(value) { - return value == null ? '' : value; - } - function action_destroyer(action_result) { - return action_result && is_function(action_result.destroy) ? action_result.destroy : noop$1; - } - function split_css_unit(value) { - const split = typeof value === 'string' && value.match(/^\s*(-?[\d.]+)([^\s]*)\s*$/); - return split ? [parseFloat(split[1]), split[2] || 'px'] : [value, 'px']; - } - - const is_client = typeof window !== 'undefined'; - let now = is_client - ? () => window.performance.now() - : () => Date.now(); - let raf = is_client ? cb => requestAnimationFrame(cb) : noop$1; - - const tasks = new Set(); - function run_tasks(now) { - tasks.forEach(task => { - if (!task.c(now)) { - tasks.delete(task); - task.f(); - } - }); - if (tasks.size !== 0) - raf(run_tasks); - } - /** - * Creates a new task that runs on each raf frame - * until it returns a falsy value or is aborted - */ - function loop(callback) { - let task; - if (tasks.size === 0) - raf(run_tasks); - return { - promise: new Promise(fulfill => { - tasks.add(task = { c: callback, f: fulfill }); - }), - abort() { - tasks.delete(task); - } - }; - } - - const globals = (typeof window !== 'undefined' - ? window - : typeof globalThis !== 'undefined' - ? globalThis - : global); - function append(target, node) { - target.appendChild(node); - } - function get_root_for_style(node) { - if (!node) - return document; - const root = node.getRootNode ? node.getRootNode() : node.ownerDocument; - if (root && root.host) { - return root; - } - return node.ownerDocument; - } - function append_empty_stylesheet(node) { - const style_element = element('style'); - append_stylesheet(get_root_for_style(node), style_element); - return style_element.sheet; - } - function append_stylesheet(node, style) { - append(node.head || node, style); - return style.sheet; - } - function insert(target, node, anchor) { - target.insertBefore(node, anchor || null); - } - function detach(node) { - if (node.parentNode) { - node.parentNode.removeChild(node); - } - } - function destroy_each(iterations, detaching) { - for (let i = 0; i < iterations.length; i += 1) { - if (iterations[i]) - iterations[i].d(detaching); - } - } - function element(name) { - return document.createElement(name); - } - function svg_element(name) { - return document.createElementNS('http://www.w3.org/2000/svg', name); - } - function text(data) { - return document.createTextNode(data); - } - function space() { - return text(' '); - } - function empty() { - return text(''); - } - function listen(node, event, handler, options) { - node.addEventListener(event, handler, options); - return () => node.removeEventListener(event, handler, options); - } - function prevent_default(fn) { - return function (event) { - event.preventDefault(); - // @ts-ignore - return fn.call(this, event); - }; - } - function attr(node, attribute, value) { - if (value == null) - node.removeAttribute(attribute); - else if (node.getAttribute(attribute) !== value) - node.setAttribute(attribute, value); - } - function get_binding_group_value(group, __value, checked) { - const value = new Set(); - for (let i = 0; i < group.length; i += 1) { - if (group[i].checked) - value.add(group[i].__value); - } - if (!checked) { - value.delete(__value); - } - return Array.from(value); - } - function init_binding_group(group) { - let _inputs; - return { - /* push */ p(...inputs) { - _inputs = inputs; - _inputs.forEach(input => group.push(input)); - }, - /* remove */ r() { - _inputs.forEach(input => group.splice(group.indexOf(input), 1)); - } - }; - } - function to_number(value) { - return value === '' ? null : +value; - } - function children(element) { - return Array.from(element.childNodes); - } - function set_input_value(input, value) { - input.value = value == null ? '' : value; - } - function set_style(node, key, value, important) { - if (value == null) { - node.style.removeProperty(key); - } - else { - node.style.setProperty(key, value, important ? 'important' : ''); - } - } - function select_option(select, value, mounting) { - for (let i = 0; i < select.options.length; i += 1) { - const option = select.options[i]; - if (option.__value === value) { - option.selected = true; - return; - } - } - if (!mounting || value !== undefined) { - select.selectedIndex = -1; // no option should be selected - } - } - function select_value(select) { - const selected_option = select.querySelector(':checked'); - return selected_option && selected_option.__value; - } - function toggle_class(element, name, toggle) { - element.classList[toggle ? 'add' : 'remove'](name); - } - function custom_event(type, detail, { bubbles = false, cancelable = false } = {}) { - const e = document.createEvent('CustomEvent'); - e.initCustomEvent(type, bubbles, cancelable, detail); - return e; - } - - // we need to store the information for multiple documents because a Svelte application could also contain iframes - // https://github.com/sveltejs/svelte/issues/3624 - const managed_styles = new Map(); - let active = 0; - // https://github.com/darkskyapp/string-hash/blob/master/index.js - function hash(str) { - let hash = 5381; - let i = str.length; - while (i--) - hash = ((hash << 5) - hash) ^ str.charCodeAt(i); - return hash >>> 0; - } - function create_style_information(doc, node) { - const info = { stylesheet: append_empty_stylesheet(node), rules: {} }; - managed_styles.set(doc, info); - return info; - } - function create_rule(node, a, b, duration, delay, ease, fn, uid = 0) { - const step = 16.666 / duration; - let keyframes = '{\n'; - for (let p = 0; p <= 1; p += step) { - const t = a + (b - a) * ease(p); - keyframes += p * 100 + `%{${fn(t, 1 - t)}}\n`; - } - const rule = keyframes + `100% {${fn(b, 1 - b)}}\n}`; - const name = `__svelte_${hash(rule)}_${uid}`; - const doc = get_root_for_style(node); - const { stylesheet, rules } = managed_styles.get(doc) || create_style_information(doc, node); - if (!rules[name]) { - rules[name] = true; - stylesheet.insertRule(`@keyframes ${name} ${rule}`, stylesheet.cssRules.length); - } - const animation = node.style.animation || ''; - node.style.animation = `${animation ? `${animation}, ` : ''}${name} ${duration}ms linear ${delay}ms 1 both`; - active += 1; - return name; - } - function delete_rule(node, name) { - const previous = (node.style.animation || '').split(', '); - const next = previous.filter(name - ? anim => anim.indexOf(name) < 0 // remove specific animation - : anim => anim.indexOf('__svelte') === -1 // remove all Svelte animations - ); - const deleted = previous.length - next.length; - if (deleted) { - node.style.animation = next.join(', '); - active -= deleted; - if (!active) - clear_rules(); - } - } - function clear_rules() { - raf(() => { - if (active) - return; - managed_styles.forEach(info => { - const { ownerNode } = info.stylesheet; - // there is no ownerNode if it runs on jsdom. - if (ownerNode) - detach(ownerNode); - }); - managed_styles.clear(); - }); - } - - let current_component; - function set_current_component(component) { - current_component = component; - } - function get_current_component() { - if (!current_component) - throw new Error('Function called outside component initialization'); - return current_component; - } - /** - * The `onMount` function schedules a callback to run as soon as the component has been mounted to the DOM. - * It must be called during the component's initialisation (but doesn't need to live *inside* the component; - * it can be called from an external module). - * - * `onMount` does not run inside a [server-side component](/docs#run-time-server-side-component-api). - * - * https://svelte.dev/docs#run-time-svelte-onmount - */ - function onMount(fn) { - get_current_component().$$.on_mount.push(fn); - } - /** - * Schedules a callback to run immediately before the component is unmounted. - * - * Out of `onMount`, `beforeUpdate`, `afterUpdate` and `onDestroy`, this is the - * only one that runs inside a server-side component. - * - * https://svelte.dev/docs#run-time-svelte-ondestroy - */ - function onDestroy(fn) { - get_current_component().$$.on_destroy.push(fn); - } - /** - * Creates an event dispatcher that can be used to dispatch [component events](/docs#template-syntax-component-directives-on-eventname). - * Event dispatchers are functions that can take two arguments: `name` and `detail`. - * - * Component events created with `createEventDispatcher` create a - * [CustomEvent](https://developer.mozilla.org/en-US/docs/Web/API/CustomEvent). - * These events do not [bubble](https://developer.mozilla.org/en-US/docs/Learn/JavaScript/Building_blocks/Events#Event_bubbling_and_capture). - * The `detail` argument corresponds to the [CustomEvent.detail](https://developer.mozilla.org/en-US/docs/Web/API/CustomEvent/detail) - * property and can contain any type of data. - * - * https://svelte.dev/docs#run-time-svelte-createeventdispatcher - */ - function createEventDispatcher() { - const component = get_current_component(); - return (type, detail, { cancelable = false } = {}) => { - const callbacks = component.$$.callbacks[type]; - if (callbacks) { - // TODO are there situations where events could be dispatched - // in a server (non-DOM) environment? - const event = custom_event(type, detail, { cancelable }); - callbacks.slice().forEach(fn => { - fn.call(component, event); - }); - return !event.defaultPrevented; - } - return true; - }; - } - // TODO figure out if we still want to support - // shorthand events, or if we want to implement - // a real bubbling mechanism - function bubble(component, event) { - const callbacks = component.$$.callbacks[event.type]; - if (callbacks) { - // @ts-ignore - callbacks.slice().forEach(fn => fn.call(this, event)); - } - } - - const dirty_components = []; - const binding_callbacks = []; - let render_callbacks = []; - const flush_callbacks = []; - const resolved_promise = /* @__PURE__ */ Promise.resolve(); - let update_scheduled = false; - function schedule_update() { - if (!update_scheduled) { - update_scheduled = true; - resolved_promise.then(flush); - } - } - function add_render_callback(fn) { - render_callbacks.push(fn); - } - function add_flush_callback(fn) { - flush_callbacks.push(fn); - } - // flush() calls callbacks in this order: - // 1. All beforeUpdate callbacks, in order: parents before children - // 2. All bind:this callbacks, in reverse order: children before parents. - // 3. All afterUpdate callbacks, in order: parents before children. EXCEPT - // for afterUpdates called during the initial onMount, which are called in - // reverse order: children before parents. - // Since callbacks might update component values, which could trigger another - // call to flush(), the following steps guard against this: - // 1. During beforeUpdate, any updated components will be added to the - // dirty_components array and will cause a reentrant call to flush(). Because - // the flush index is kept outside the function, the reentrant call will pick - // up where the earlier call left off and go through all dirty components. The - // current_component value is saved and restored so that the reentrant call will - // not interfere with the "parent" flush() call. - // 2. bind:this callbacks cannot trigger new flush() calls. - // 3. During afterUpdate, any updated components will NOT have their afterUpdate - // callback called a second time; the seen_callbacks set, outside the flush() - // function, guarantees this behavior. - const seen_callbacks = new Set(); - let flushidx = 0; // Do *not* move this inside the flush() function - function flush() { - // Do not reenter flush while dirty components are updated, as this can - // result in an infinite loop. Instead, let the inner flush handle it. - // Reentrancy is ok afterwards for bindings etc. - if (flushidx !== 0) { - return; - } - const saved_component = current_component; - do { - // first, call beforeUpdate functions - // and update components - try { - while (flushidx < dirty_components.length) { - const component = dirty_components[flushidx]; - flushidx++; - set_current_component(component); - update$1(component.$$); - } - } - catch (e) { - // reset dirty state to not end up in a deadlocked state and then rethrow - dirty_components.length = 0; - flushidx = 0; - throw e; - } - set_current_component(null); - dirty_components.length = 0; - flushidx = 0; - while (binding_callbacks.length) - binding_callbacks.pop()(); - // then, once components are updated, call - // afterUpdate functions. This may cause - // subsequent updates... - for (let i = 0; i < render_callbacks.length; i += 1) { - const callback = render_callbacks[i]; - if (!seen_callbacks.has(callback)) { - // ...so guard against infinite loops - seen_callbacks.add(callback); - callback(); - } - } - render_callbacks.length = 0; - } while (dirty_components.length); - while (flush_callbacks.length) { - flush_callbacks.pop()(); - } - update_scheduled = false; - seen_callbacks.clear(); - set_current_component(saved_component); - } - function update$1($$) { - if ($$.fragment !== null) { - $$.update(); - run_all($$.before_update); - const dirty = $$.dirty; - $$.dirty = [-1]; - $$.fragment && $$.fragment.p($$.ctx, dirty); - $$.after_update.forEach(add_render_callback); - } - } - /** - * Useful for example to execute remaining `afterUpdate` callbacks before executing `destroy`. - */ - function flush_render_callbacks(fns) { - const filtered = []; - const targets = []; - render_callbacks.forEach((c) => fns.indexOf(c) === -1 ? filtered.push(c) : targets.push(c)); - targets.forEach((c) => c()); - render_callbacks = filtered; - } - - let promise; - function wait() { - if (!promise) { - promise = Promise.resolve(); - promise.then(() => { - promise = null; - }); - } - return promise; - } - function dispatch(node, direction, kind) { - node.dispatchEvent(custom_event(`${direction ? 'intro' : 'outro'}${kind}`)); - } - const outroing = new Set(); - let outros; - function group_outros() { - outros = { - r: 0, - c: [], - p: outros // parent group - }; - } - function check_outros() { - if (!outros.r) { - run_all(outros.c); - } - outros = outros.p; - } - function transition_in(block, local) { - if (block && block.i) { - outroing.delete(block); - block.i(local); - } - } - function transition_out(block, local, detach, callback) { - if (block && block.o) { - if (outroing.has(block)) - return; - outroing.add(block); - outros.c.push(() => { - outroing.delete(block); - if (callback) { - if (detach) - block.d(1); - callback(); - } - }); - block.o(local); - } - else if (callback) { - callback(); - } - } - const null_transition = { duration: 0 }; - function create_in_transition(node, fn, params) { - const options = { direction: 'in' }; - let config = fn(node, params, options); - let running = false; - let animation_name; - let task; - let uid = 0; - function cleanup() { - if (animation_name) - delete_rule(node, animation_name); - } - function go() { - const { delay = 0, duration = 300, easing = identity$2, tick = noop$1, css } = config || null_transition; - if (css) - animation_name = create_rule(node, 0, 1, duration, delay, easing, css, uid++); - tick(0, 1); - const start_time = now() + delay; - const end_time = start_time + duration; - if (task) - task.abort(); - running = true; - add_render_callback(() => dispatch(node, true, 'start')); - task = loop(now => { - if (running) { - if (now >= end_time) { - tick(1, 0); - dispatch(node, true, 'end'); - cleanup(); - return running = false; - } - if (now >= start_time) { - const t = easing((now - start_time) / duration); - tick(t, 1 - t); - } - } - return running; - }); - } - let started = false; - return { - start() { - if (started) - return; - started = true; - delete_rule(node); - if (is_function(config)) { - config = config(options); - wait().then(go); - } - else { - go(); - } - }, - invalidate() { - started = false; - }, - end() { - if (running) { - cleanup(); - running = false; - } - } - }; - } - function create_out_transition(node, fn, params) { - const options = { direction: 'out' }; - let config = fn(node, params, options); - let running = true; - let animation_name; - const group = outros; - group.r += 1; - function go() { - const { delay = 0, duration = 300, easing = identity$2, tick = noop$1, css } = config || null_transition; - if (css) - animation_name = create_rule(node, 1, 0, duration, delay, easing, css); - const start_time = now() + delay; - const end_time = start_time + duration; - add_render_callback(() => dispatch(node, false, 'start')); - loop(now => { - if (running) { - if (now >= end_time) { - tick(0, 1); - dispatch(node, false, 'end'); - if (!--group.r) { - // this will result in `end()` being called, - // so we don't need to clean up here - run_all(group.c); - } - return false; - } - if (now >= start_time) { - const t = easing((now - start_time) / duration); - tick(1 - t, t); - } - } - return running; - }); - } - if (is_function(config)) { - wait().then(() => { - // @ts-ignore - config = config(options); - go(); - }); - } - else { - go(); - } - return { - end(reset) { - if (reset && config.tick) { - config.tick(1, 0); - } - if (running) { - if (animation_name) - delete_rule(node, animation_name); - running = false; - } - } - }; - } - - function handle_promise(promise, info) { - const token = info.token = {}; - function update(type, index, key, value) { - if (info.token !== token) - return; - info.resolved = value; - let child_ctx = info.ctx; - if (key !== undefined) { - child_ctx = child_ctx.slice(); - child_ctx[key] = value; - } - const block = type && (info.current = type)(child_ctx); - let needs_flush = false; - if (info.block) { - if (info.blocks) { - info.blocks.forEach((block, i) => { - if (i !== index && block) { - group_outros(); - transition_out(block, 1, 1, () => { - if (info.blocks[i] === block) { - info.blocks[i] = null; - } - }); - check_outros(); - } - }); - } - else { - info.block.d(1); - } - block.c(); - transition_in(block, 1); - block.m(info.mount(), info.anchor); - needs_flush = true; - } - info.block = block; - if (info.blocks) - info.blocks[index] = block; - if (needs_flush) { - flush(); - } - } - if (is_promise(promise)) { - const current_component = get_current_component(); - promise.then(value => { - set_current_component(current_component); - update(info.then, 1, info.value, value); - set_current_component(null); - }, error => { - set_current_component(current_component); - update(info.catch, 2, info.error, error); - set_current_component(null); - if (!info.hasCatch) { - throw error; - } - }); - // if we previously had a then/catch block, destroy it - if (info.current !== info.pending) { - update(info.pending, 0); - return true; - } - } - else { - if (info.current !== info.then) { - update(info.then, 1, info.value, promise); - return true; - } - info.resolved = promise; - } - } - function update_await_block_branch(info, ctx, dirty) { - const child_ctx = ctx.slice(); - const { resolved } = info; - if (info.current === info.then) { - child_ctx[info.value] = resolved; - } - if (info.current === info.catch) { - child_ctx[info.error] = resolved; - } - info.block.p(child_ctx, dirty); - } - - function bind$2(component, name, callback) { - const index = component.$$.props[name]; - if (index !== undefined) { - component.$$.bound[index] = callback; - callback(component.$$.ctx[index]); - } - } - function create_component(block) { - block && block.c(); - } - function mount_component(component, target, anchor, customElement) { - const { fragment, after_update } = component.$$; - fragment && fragment.m(target, anchor); - if (!customElement) { - // onMount happens before the initial afterUpdate - add_render_callback(() => { - const new_on_destroy = component.$$.on_mount.map(run).filter(is_function); - // if the component was destroyed immediately - // it will update the `$$.on_destroy` reference to `null`. - // the destructured on_destroy may still reference to the old array - if (component.$$.on_destroy) { - component.$$.on_destroy.push(...new_on_destroy); - } - else { - // Edge case - component was destroyed immediately, - // most likely as a result of a binding initialising - run_all(new_on_destroy); - } - component.$$.on_mount = []; - }); - } - after_update.forEach(add_render_callback); - } - function destroy_component(component, detaching) { - const $$ = component.$$; - if ($$.fragment !== null) { - flush_render_callbacks($$.after_update); - run_all($$.on_destroy); - $$.fragment && $$.fragment.d(detaching); - // TODO null out other refs, including component.$$ (but need to - // preserve final state?) - $$.on_destroy = $$.fragment = null; - $$.ctx = []; - } - } - function make_dirty(component, i) { - if (component.$$.dirty[0] === -1) { - dirty_components.push(component); - schedule_update(); - component.$$.dirty.fill(0); - } - component.$$.dirty[(i / 31) | 0] |= (1 << (i % 31)); - } - function init(component, options, instance, create_fragment, not_equal, props, append_styles, dirty = [-1]) { - const parent_component = current_component; - set_current_component(component); - const $$ = component.$$ = { - fragment: null, - ctx: [], - // state - props, - update: noop$1, - not_equal, - bound: blank_object(), - // lifecycle - on_mount: [], - on_destroy: [], - on_disconnect: [], - before_update: [], - after_update: [], - context: new Map(options.context || (parent_component ? parent_component.$$.context : [])), - // everything else - callbacks: blank_object(), - dirty, - skip_bound: false, - root: options.target || parent_component.$$.root - }; - append_styles && append_styles($$.root); - let ready = false; - $$.ctx = instance - ? instance(component, options.props || {}, (i, ret, ...rest) => { - const value = rest.length ? rest[0] : ret; - if ($$.ctx && not_equal($$.ctx[i], $$.ctx[i] = value)) { - if (!$$.skip_bound && $$.bound[i]) - $$.bound[i](value); - if (ready) - make_dirty(component, i); - } - return ret; - }) - : []; - $$.update(); - ready = true; - run_all($$.before_update); - // `false` as a special case of no DOM component - $$.fragment = create_fragment ? create_fragment($$.ctx) : false; - if (options.target) { - if (options.hydrate) { - const nodes = children(options.target); - // eslint-disable-next-line @typescript-eslint/no-non-null-assertion - $$.fragment && $$.fragment.l(nodes); - nodes.forEach(detach); - } - else { - // eslint-disable-next-line @typescript-eslint/no-non-null-assertion - $$.fragment && $$.fragment.c(); - } - if (options.intro) - transition_in(component.$$.fragment); - mount_component(component, options.target, options.anchor, options.customElement); - flush(); - } - set_current_component(parent_component); - } - /** - * Base class for Svelte components. Used when dev=false. - */ - class SvelteComponent { - $destroy() { - destroy_component(this, 1); - this.$destroy = noop$1; - } - $on(type, callback) { - if (!is_function(callback)) { - return noop$1; - } - const callbacks = (this.$$.callbacks[type] || (this.$$.callbacks[type] = [])); - callbacks.push(callback); - return () => { - const index = callbacks.indexOf(callback); - if (index !== -1) - callbacks.splice(index, 1); - }; - } - $set($$props) { - if (this.$$set && !is_empty($$props)) { - this.$$.skip_bound = true; - this.$$set($$props); - this.$$.skip_bound = false; - } - } - } - - function dispatch_dev(type, detail) { - document.dispatchEvent(custom_event(type, Object.assign({ version: '3.59.1' }, detail), { bubbles: true })); - } - function append_dev(target, node) { - dispatch_dev('SvelteDOMInsert', { target, node }); - append(target, node); - } - function insert_dev(target, node, anchor) { - dispatch_dev('SvelteDOMInsert', { target, node, anchor }); - insert(target, node, anchor); - } - function detach_dev(node) { - dispatch_dev('SvelteDOMRemove', { node }); - detach(node); - } - function listen_dev(node, event, handler, options, has_prevent_default, has_stop_propagation, has_stop_immediate_propagation) { - const modifiers = options === true ? ['capture'] : options ? Array.from(Object.keys(options)) : []; - if (has_prevent_default) - modifiers.push('preventDefault'); - if (has_stop_propagation) - modifiers.push('stopPropagation'); - if (has_stop_immediate_propagation) - modifiers.push('stopImmediatePropagation'); - dispatch_dev('SvelteDOMAddEventListener', { node, event, handler, modifiers }); - const dispose = listen(node, event, handler, options); - return () => { - dispatch_dev('SvelteDOMRemoveEventListener', { node, event, handler, modifiers }); - dispose(); - }; - } - function attr_dev(node, attribute, value) { - attr(node, attribute, value); - if (value == null) - dispatch_dev('SvelteDOMRemoveAttribute', { node, attribute }); - else - dispatch_dev('SvelteDOMSetAttribute', { node, attribute, value }); - } - function prop_dev(node, property, value) { - node[property] = value; - dispatch_dev('SvelteDOMSetProperty', { node, property, value }); - } - function set_data_dev(text, data) { - data = '' + data; - if (text.data === data) - return; - dispatch_dev('SvelteDOMSetData', { node: text, data }); - text.data = data; - } - function validate_each_argument(arg) { - if (typeof arg !== 'string' && !(arg && typeof arg === 'object' && 'length' in arg)) { - let msg = '{#each} only iterates over array-like objects.'; - if (typeof Symbol === 'function' && arg && Symbol.iterator in arg) { - msg += ' You can use a spread to convert this iterable into an array.'; - } - throw new Error(msg); - } - } - function validate_slots(name, slot, keys) { - for (const slot_key of Object.keys(slot)) { - if (!~keys.indexOf(slot_key)) { - console.warn(`<${name}> received an unexpected slot "${slot_key}".`); - } - } - } - function construct_svelte_component_dev(component, props) { - const error_message = 'this={...} of should specify a Svelte component.'; - try { - const instance = new component(props); - if (!instance.$$ || !instance.$set || !instance.$on || !instance.$destroy) { - throw new Error(error_message); - } - return instance; - } - catch (err) { - const { message } = err; - if (typeof message === 'string' && message.indexOf('is not a constructor') !== -1) { - throw new Error(error_message); - } - else { - throw err; - } - } - } - /** - * Base class for Svelte components with some minor dev-enhancements. Used when dev=true. - */ - class SvelteComponentDev extends SvelteComponent { - constructor(options) { - if (!options || (!options.target && !options.$$inline)) { - throw new Error("'target' is a required option"); - } - super(); - } - $destroy() { - super.$destroy(); - this.$destroy = () => { - console.warn('Component was already destroyed'); // eslint-disable-line no-console - }; - } - $capture_state() { } - $inject_state() { } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const stringToByteArray$1 = function (str) { - // TODO(user): Use native implementations if/when available - const out = []; - let p = 0; - for (let i = 0; i < str.length; i++) { - let c = str.charCodeAt(i); - if (c < 128) { - out[p++] = c; - } - else if (c < 2048) { - out[p++] = (c >> 6) | 192; - out[p++] = (c & 63) | 128; - } - else if ((c & 0xfc00) === 0xd800 && - i + 1 < str.length && - (str.charCodeAt(i + 1) & 0xfc00) === 0xdc00) { - // Surrogate Pair - c = 0x10000 + ((c & 0x03ff) << 10) + (str.charCodeAt(++i) & 0x03ff); - out[p++] = (c >> 18) | 240; - out[p++] = ((c >> 12) & 63) | 128; - out[p++] = ((c >> 6) & 63) | 128; - out[p++] = (c & 63) | 128; - } - else { - out[p++] = (c >> 12) | 224; - out[p++] = ((c >> 6) & 63) | 128; - out[p++] = (c & 63) | 128; - } - } - return out; - }; - /** - * Turns an array of numbers into the string given by the concatenation of the - * characters to which the numbers correspond. - * @param bytes Array of numbers representing characters. - * @return Stringification of the array. - */ - const byteArrayToString = function (bytes) { - // TODO(user): Use native implementations if/when available - const out = []; - let pos = 0, c = 0; - while (pos < bytes.length) { - const c1 = bytes[pos++]; - if (c1 < 128) { - out[c++] = String.fromCharCode(c1); - } - else if (c1 > 191 && c1 < 224) { - const c2 = bytes[pos++]; - out[c++] = String.fromCharCode(((c1 & 31) << 6) | (c2 & 63)); - } - else if (c1 > 239 && c1 < 365) { - // Surrogate Pair - const c2 = bytes[pos++]; - const c3 = bytes[pos++]; - const c4 = bytes[pos++]; - const u = (((c1 & 7) << 18) | ((c2 & 63) << 12) | ((c3 & 63) << 6) | (c4 & 63)) - - 0x10000; - out[c++] = String.fromCharCode(0xd800 + (u >> 10)); - out[c++] = String.fromCharCode(0xdc00 + (u & 1023)); - } - else { - const c2 = bytes[pos++]; - const c3 = bytes[pos++]; - out[c++] = String.fromCharCode(((c1 & 15) << 12) | ((c2 & 63) << 6) | (c3 & 63)); - } - } - return out.join(''); - }; - // We define it as an object literal instead of a class because a class compiled down to es5 can't - // be treeshaked. https://github.com/rollup/rollup/issues/1691 - // Static lookup maps, lazily populated by init_() - const base64 = { - /** - * Maps bytes to characters. - */ - byteToCharMap_: null, - /** - * Maps characters to bytes. - */ - charToByteMap_: null, - /** - * Maps bytes to websafe characters. - * @private - */ - byteToCharMapWebSafe_: null, - /** - * Maps websafe characters to bytes. - * @private - */ - charToByteMapWebSafe_: null, - /** - * Our default alphabet, shared between - * ENCODED_VALS and ENCODED_VALS_WEBSAFE - */ - ENCODED_VALS_BASE: 'ABCDEFGHIJKLMNOPQRSTUVWXYZ' + 'abcdefghijklmnopqrstuvwxyz' + '0123456789', - /** - * Our default alphabet. Value 64 (=) is special; it means "nothing." - */ - get ENCODED_VALS() { - return this.ENCODED_VALS_BASE + '+/='; - }, - /** - * Our websafe alphabet. - */ - get ENCODED_VALS_WEBSAFE() { - return this.ENCODED_VALS_BASE + '-_.'; - }, - /** - * Whether this browser supports the atob and btoa functions. This extension - * started at Mozilla but is now implemented by many browsers. We use the - * ASSUME_* variables to avoid pulling in the full useragent detection library - * but still allowing the standard per-browser compilations. - * - */ - HAS_NATIVE_SUPPORT: typeof atob === 'function', - /** - * Base64-encode an array of bytes. - * - * @param input An array of bytes (numbers with - * value in [0, 255]) to encode. - * @param webSafe Boolean indicating we should use the - * alternative alphabet. - * @return The base64 encoded string. - */ - encodeByteArray(input, webSafe) { - if (!Array.isArray(input)) { - throw Error('encodeByteArray takes an array as a parameter'); - } - this.init_(); - const byteToCharMap = webSafe - ? this.byteToCharMapWebSafe_ - : this.byteToCharMap_; - const output = []; - for (let i = 0; i < input.length; i += 3) { - const byte1 = input[i]; - const haveByte2 = i + 1 < input.length; - const byte2 = haveByte2 ? input[i + 1] : 0; - const haveByte3 = i + 2 < input.length; - const byte3 = haveByte3 ? input[i + 2] : 0; - const outByte1 = byte1 >> 2; - const outByte2 = ((byte1 & 0x03) << 4) | (byte2 >> 4); - let outByte3 = ((byte2 & 0x0f) << 2) | (byte3 >> 6); - let outByte4 = byte3 & 0x3f; - if (!haveByte3) { - outByte4 = 64; - if (!haveByte2) { - outByte3 = 64; - } - } - output.push(byteToCharMap[outByte1], byteToCharMap[outByte2], byteToCharMap[outByte3], byteToCharMap[outByte4]); - } - return output.join(''); - }, - /** - * Base64-encode a string. - * - * @param input A string to encode. - * @param webSafe If true, we should use the - * alternative alphabet. - * @return The base64 encoded string. - */ - encodeString(input, webSafe) { - // Shortcut for Mozilla browsers that implement - // a native base64 encoder in the form of "btoa/atob" - if (this.HAS_NATIVE_SUPPORT && !webSafe) { - return btoa(input); - } - return this.encodeByteArray(stringToByteArray$1(input), webSafe); - }, - /** - * Base64-decode a string. - * - * @param input to decode. - * @param webSafe True if we should use the - * alternative alphabet. - * @return string representing the decoded value. - */ - decodeString(input, webSafe) { - // Shortcut for Mozilla browsers that implement - // a native base64 encoder in the form of "btoa/atob" - if (this.HAS_NATIVE_SUPPORT && !webSafe) { - return atob(input); - } - return byteArrayToString(this.decodeStringToByteArray(input, webSafe)); - }, - /** - * Base64-decode a string. - * - * In base-64 decoding, groups of four characters are converted into three - * bytes. If the encoder did not apply padding, the input length may not - * be a multiple of 4. - * - * In this case, the last group will have fewer than 4 characters, and - * padding will be inferred. If the group has one or two characters, it decodes - * to one byte. If the group has three characters, it decodes to two bytes. - * - * @param input Input to decode. - * @param webSafe True if we should use the web-safe alphabet. - * @return bytes representing the decoded value. - */ - decodeStringToByteArray(input, webSafe) { - this.init_(); - const charToByteMap = webSafe - ? this.charToByteMapWebSafe_ - : this.charToByteMap_; - const output = []; - for (let i = 0; i < input.length;) { - const byte1 = charToByteMap[input.charAt(i++)]; - const haveByte2 = i < input.length; - const byte2 = haveByte2 ? charToByteMap[input.charAt(i)] : 0; - ++i; - const haveByte3 = i < input.length; - const byte3 = haveByte3 ? charToByteMap[input.charAt(i)] : 64; - ++i; - const haveByte4 = i < input.length; - const byte4 = haveByte4 ? charToByteMap[input.charAt(i)] : 64; - ++i; - if (byte1 == null || byte2 == null || byte3 == null || byte4 == null) { - throw new DecodeBase64StringError(); - } - const outByte1 = (byte1 << 2) | (byte2 >> 4); - output.push(outByte1); - if (byte3 !== 64) { - const outByte2 = ((byte2 << 4) & 0xf0) | (byte3 >> 2); - output.push(outByte2); - if (byte4 !== 64) { - const outByte3 = ((byte3 << 6) & 0xc0) | byte4; - output.push(outByte3); - } - } - } - return output; - }, - /** - * Lazy static initialization function. Called before - * accessing any of the static map variables. - * @private - */ - init_() { - if (!this.byteToCharMap_) { - this.byteToCharMap_ = {}; - this.charToByteMap_ = {}; - this.byteToCharMapWebSafe_ = {}; - this.charToByteMapWebSafe_ = {}; - // We want quick mappings back and forth, so we precompute two maps. - for (let i = 0; i < this.ENCODED_VALS.length; i++) { - this.byteToCharMap_[i] = this.ENCODED_VALS.charAt(i); - this.charToByteMap_[this.byteToCharMap_[i]] = i; - this.byteToCharMapWebSafe_[i] = this.ENCODED_VALS_WEBSAFE.charAt(i); - this.charToByteMapWebSafe_[this.byteToCharMapWebSafe_[i]] = i; - // Be forgiving when decoding and correctly decode both encodings. - if (i >= this.ENCODED_VALS_BASE.length) { - this.charToByteMap_[this.ENCODED_VALS_WEBSAFE.charAt(i)] = i; - this.charToByteMapWebSafe_[this.ENCODED_VALS.charAt(i)] = i; - } - } - } - } - }; - /** - * An error encountered while decoding base64 string. - */ - class DecodeBase64StringError extends Error { - constructor() { - super(...arguments); - this.name = 'DecodeBase64StringError'; - } - } - /** - * URL-safe base64 encoding - */ - const base64Encode = function (str) { - const utf8Bytes = stringToByteArray$1(str); - return base64.encodeByteArray(utf8Bytes, true); - }; - /** - * URL-safe base64 encoding (without "." padding in the end). - * e.g. Used in JSON Web Token (JWT) parts. - */ - const base64urlEncodeWithoutPadding = function (str) { - // Use base64url encoding and remove padding in the end (dot characters). - return base64Encode(str).replace(/\./g, ''); - }; - /** - * URL-safe base64 decoding - * - * NOTE: DO NOT use the global atob() function - it does NOT support the - * base64Url variant encoding. - * - * @param str To be decoded - * @return Decoded result, if possible - */ - const base64Decode = function (str) { - try { - return base64.decodeString(str, true); - } - catch (e) { - console.error('base64Decode failed: ', e); - } - return null; - }; - /** - * Copy properties from source to target (recursively allows extension - * of Objects and Arrays). Scalar values in the target are over-written. - * If target is undefined, an object of the appropriate type will be created - * (and returned). - * - * We recursively copy all child properties of plain Objects in the source- so - * that namespace- like dictionaries are merged. - * - * Note that the target can be a function, in which case the properties in - * the source Object are copied onto it as static properties of the Function. - * - * Note: we don't merge __proto__ to prevent prototype pollution - */ - function deepExtend(target, source) { - if (!(source instanceof Object)) { - return source; - } - switch (source.constructor) { - case Date: - // Treat Dates like scalars; if the target date object had any child - // properties - they will be lost! - const dateValue = source; - return new Date(dateValue.getTime()); - case Object: - if (target === undefined) { - target = {}; - } - break; - case Array: - // Always copy the array source and overwrite the target. - target = []; - break; - default: - // Not a plain Object - treat it as a scalar. - return source; - } - for (const prop in source) { - // use isValidKey to guard against prototype pollution. See https://snyk.io/vuln/SNYK-JS-LODASH-450202 - if (!source.hasOwnProperty(prop) || !isValidKey(prop)) { - continue; - } - target[prop] = deepExtend(target[prop], source[prop]); - } - return target; - } - function isValidKey(key) { - return key !== '__proto__'; - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Polyfill for `globalThis` object. - * @returns the `globalThis` object for the given environment. - * @public - */ - function getGlobal() { - if (typeof self !== 'undefined') { - return self; - } - if (typeof window !== 'undefined') { - return window; - } - if (typeof global !== 'undefined') { - return global; - } - throw new Error('Unable to locate global object.'); - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const getDefaultsFromGlobal = () => getGlobal().__FIREBASE_DEFAULTS__; - /** - * Attempt to read defaults from a JSON string provided to - * process(.)env(.)__FIREBASE_DEFAULTS__ or a JSON file whose path is in - * process(.)env(.)__FIREBASE_DEFAULTS_PATH__ - * The dots are in parens because certain compilers (Vite?) cannot - * handle seeing that variable in comments. - * See https://github.com/firebase/firebase-js-sdk/issues/6838 - */ - const getDefaultsFromEnvVariable = () => { - if (typeof process === 'undefined' || typeof process.env === 'undefined') { - return; - } - const defaultsJsonString = process.env.__FIREBASE_DEFAULTS__; - if (defaultsJsonString) { - return JSON.parse(defaultsJsonString); - } - }; - const getDefaultsFromCookie = () => { - if (typeof document === 'undefined') { - return; - } - let match; - try { - match = document.cookie.match(/__FIREBASE_DEFAULTS__=([^;]+)/); - } - catch (e) { - // Some environments such as Angular Universal SSR have a - // `document` object but error on accessing `document.cookie`. - return; - } - const decoded = match && base64Decode(match[1]); - return decoded && JSON.parse(decoded); - }; - /** - * Get the __FIREBASE_DEFAULTS__ object. It checks in order: - * (1) if such an object exists as a property of `globalThis` - * (2) if such an object was provided on a shell environment variable - * (3) if such an object exists in a cookie - * @public - */ - const getDefaults = () => { - try { - return (getDefaultsFromGlobal() || - getDefaultsFromEnvVariable() || - getDefaultsFromCookie()); - } - catch (e) { - /** - * Catch-all for being unable to get __FIREBASE_DEFAULTS__ due - * to any environment case we have not accounted for. Log to - * info instead of swallowing so we can find these unknown cases - * and add paths for them if needed. - */ - console.info(`Unable to get __FIREBASE_DEFAULTS__ due to: ${e}`); - return; - } - }; - /** - * Returns emulator host stored in the __FIREBASE_DEFAULTS__ object - * for the given product. - * @returns a URL host formatted like `127.0.0.1:9999` or `[::1]:4000` if available - * @public - */ - const getDefaultEmulatorHost = (productName) => { var _a, _b; return (_b = (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.emulatorHosts) === null || _b === void 0 ? void 0 : _b[productName]; }; - /** - * Returns emulator hostname and port stored in the __FIREBASE_DEFAULTS__ object - * for the given product. - * @returns a pair of hostname and port like `["::1", 4000]` if available - * @public - */ - const getDefaultEmulatorHostnameAndPort = (productName) => { - const host = getDefaultEmulatorHost(productName); - if (!host) { - return undefined; - } - const separatorIndex = host.lastIndexOf(':'); // Finding the last since IPv6 addr also has colons. - if (separatorIndex <= 0 || separatorIndex + 1 === host.length) { - throw new Error(`Invalid host ${host} with no separate hostname and port!`); - } - // eslint-disable-next-line no-restricted-globals - const port = parseInt(host.substring(separatorIndex + 1), 10); - if (host[0] === '[') { - // Bracket-quoted `[ipv6addr]:port` => return "ipv6addr" (without brackets). - return [host.substring(1, separatorIndex - 1), port]; - } - else { - return [host.substring(0, separatorIndex), port]; - } - }; - /** - * Returns Firebase app config stored in the __FIREBASE_DEFAULTS__ object. - * @public - */ - const getDefaultAppConfig = () => { var _a; return (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.config; }; - /** - * Returns an experimental setting on the __FIREBASE_DEFAULTS__ object (properties - * prefixed by "_") - * @public - */ - const getExperimentalSetting = (name) => { var _a; return (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a[`_${name}`]; }; - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class Deferred { - constructor() { - this.reject = () => { }; - this.resolve = () => { }; - this.promise = new Promise((resolve, reject) => { - this.resolve = resolve; - this.reject = reject; - }); - } - /** - * Our API internals are not promiseified and cannot because our callback APIs have subtle expectations around - * invoking promises inline, which Promises are forbidden to do. This method accepts an optional node-style callback - * and returns a node-style callback which will resolve or reject the Deferred's promise. - */ - wrapCallback(callback) { - return (error, value) => { - if (error) { - this.reject(error); - } - else { - this.resolve(value); - } - if (typeof callback === 'function') { - // Attaching noop handler just in case developer wasn't expecting - // promises - this.promise.catch(() => { }); - // Some of our callbacks don't expect a value and our own tests - // assert that the parameter length is 1 - if (callback.length === 1) { - callback(error); - } - else { - callback(error, value); - } - } - }; - } - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function createMockUserToken(token, projectId) { - if (token.uid) { - throw new Error('The "uid" field is no longer supported by mockUserToken. Please use "sub" instead for Firebase Auth User ID.'); - } - // Unsecured JWTs use "none" as the algorithm. - const header = { - alg: 'none', - type: 'JWT' - }; - const project = projectId || 'demo-project'; - const iat = token.iat || 0; - const sub = token.sub || token.user_id; - if (!sub) { - throw new Error("mockUserToken must contain 'sub' or 'user_id' field!"); - } - const payload = Object.assign({ - // Set all required fields to decent defaults - iss: `https://securetoken.google.com/${project}`, aud: project, iat, exp: iat + 3600, auth_time: iat, sub, user_id: sub, firebase: { - sign_in_provider: 'custom', - identities: {} - } }, token); - // Unsecured JWTs use the empty string as a signature. - const signature = ''; - return [ - base64urlEncodeWithoutPadding(JSON.stringify(header)), - base64urlEncodeWithoutPadding(JSON.stringify(payload)), - signature - ].join('.'); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns navigator.userAgent string or '' if it's not defined. - * @return user agent string - */ - function getUA() { - if (typeof navigator !== 'undefined' && - typeof navigator['userAgent'] === 'string') { - return navigator['userAgent']; - } - else { - return ''; - } - } - /** - * Detect Cordova / PhoneGap / Ionic frameworks on a mobile device. - * - * Deliberately does not rely on checking `file://` URLs (as this fails PhoneGap - * in the Ripple emulator) nor Cordova `onDeviceReady`, which would normally - * wait for a callback. - */ - function isMobileCordova() { - return (typeof window !== 'undefined' && - // @ts-ignore Setting up an broadly applicable index signature for Window - // just to deal with this case would probably be a bad idea. - !!(window['cordova'] || window['phonegap'] || window['PhoneGap']) && - /ios|iphone|ipod|ipad|android|blackberry|iemobile/i.test(getUA())); - } - /** - * Detect Node.js. - * - * @return true if Node.js environment is detected or specified. - */ - // Node detection logic from: https://github.com/iliakan/detect-node/ - function isNode() { - var _a; - const forceEnvironment = (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.forceEnvironment; - if (forceEnvironment === 'node') { - return true; - } - else if (forceEnvironment === 'browser') { - return false; - } - try { - return (Object.prototype.toString.call(global.process) === '[object process]'); - } - catch (e) { - return false; - } - } - /** - * Detect Browser Environment - */ - function isBrowser() { - return typeof self === 'object' && self.self === self; - } - function isBrowserExtension() { - const runtime = typeof chrome === 'object' - ? chrome.runtime - : typeof browser === 'object' - ? browser.runtime - : undefined; - return typeof runtime === 'object' && runtime.id !== undefined; - } - /** - * Detect React Native. - * - * @return true if ReactNative environment is detected. - */ - function isReactNative() { - return (typeof navigator === 'object' && navigator['product'] === 'ReactNative'); - } - /** Detects Internet Explorer. */ - function isIE() { - const ua = getUA(); - return ua.indexOf('MSIE ') >= 0 || ua.indexOf('Trident/') >= 0; - } - /** Returns true if we are running in Safari. */ - function isSafari() { - return (!isNode() && - navigator.userAgent.includes('Safari') && - !navigator.userAgent.includes('Chrome')); - } - /** - * This method checks if indexedDB is supported by current browser/service worker context - * @return true if indexedDB is supported by current browser/service worker context - */ - function isIndexedDBAvailable() { - try { - return typeof indexedDB === 'object'; - } - catch (e) { - return false; - } - } - /** - * This method validates browser/sw context for indexedDB by opening a dummy indexedDB database and reject - * if errors occur during the database open operation. - * - * @throws exception if current browser/sw context can't run idb.open (ex: Safari iframe, Firefox - * private browsing) - */ - function validateIndexedDBOpenable() { - return new Promise((resolve, reject) => { - try { - let preExist = true; - const DB_CHECK_NAME = 'validate-browser-context-for-indexeddb-analytics-module'; - const request = self.indexedDB.open(DB_CHECK_NAME); - request.onsuccess = () => { - request.result.close(); - // delete database only when it doesn't pre-exist - if (!preExist) { - self.indexedDB.deleteDatabase(DB_CHECK_NAME); - } - resolve(true); - }; - request.onupgradeneeded = () => { - preExist = false; - }; - request.onerror = () => { - var _a; - reject(((_a = request.error) === null || _a === void 0 ? void 0 : _a.message) || ''); - }; - } - catch (error) { - reject(error); - } - }); - } - /** - * - * This method checks whether cookie is enabled within current browser - * @return true if cookie is enabled within current browser - */ - function areCookiesEnabled() { - if (typeof navigator === 'undefined' || !navigator.cookieEnabled) { - return false; - } - return true; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * @fileoverview Standardized Firebase Error. - * - * Usage: - * - * // Typescript string literals for type-safe codes - * type Err = - * 'unknown' | - * 'object-not-found' - * ; - * - * // Closure enum for type-safe error codes - * // at-enum {string} - * var Err = { - * UNKNOWN: 'unknown', - * OBJECT_NOT_FOUND: 'object-not-found', - * } - * - * let errors: Map = { - * 'generic-error': "Unknown error", - * 'file-not-found': "Could not find file: {$file}", - * }; - * - * // Type-safe function - must pass a valid error code as param. - * let error = new ErrorFactory('service', 'Service', errors); - * - * ... - * throw error.create(Err.GENERIC); - * ... - * throw error.create(Err.FILE_NOT_FOUND, {'file': fileName}); - * ... - * // Service: Could not file file: foo.txt (service/file-not-found). - * - * catch (e) { - * assert(e.message === "Could not find file: foo.txt."); - * if ((e as FirebaseError)?.code === 'service/file-not-found') { - * console.log("Could not read file: " + e['file']); - * } - * } - */ - const ERROR_NAME = 'FirebaseError'; - // Based on code from: - // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Error#Custom_Error_Types - class FirebaseError extends Error { - constructor( - /** The error code for this error. */ - code, message, - /** Custom data for this error. */ - customData) { - super(message); - this.code = code; - this.customData = customData; - /** The custom name for all FirebaseErrors. */ - this.name = ERROR_NAME; - // Fix For ES5 - // https://github.com/Microsoft/TypeScript-wiki/blob/master/Breaking-Changes.md#extending-built-ins-like-error-array-and-map-may-no-longer-work - Object.setPrototypeOf(this, FirebaseError.prototype); - // Maintains proper stack trace for where our error was thrown. - // Only available on V8. - if (Error.captureStackTrace) { - Error.captureStackTrace(this, ErrorFactory.prototype.create); - } - } - } - class ErrorFactory { - constructor(service, serviceName, errors) { - this.service = service; - this.serviceName = serviceName; - this.errors = errors; - } - create(code, ...data) { - const customData = data[0] || {}; - const fullCode = `${this.service}/${code}`; - const template = this.errors[code]; - const message = template ? replaceTemplate(template, customData) : 'Error'; - // Service Name: Error message (service/code). - const fullMessage = `${this.serviceName}: ${message} (${fullCode}).`; - const error = new FirebaseError(fullCode, fullMessage, customData); - return error; - } - } - function replaceTemplate(template, data) { - return template.replace(PATTERN, (_, key) => { - const value = data[key]; - return value != null ? String(value) : `<${key}?>`; - }); - } - const PATTERN = /\{\$([^}]+)}/g; - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function contains$1(obj, key) { - return Object.prototype.hasOwnProperty.call(obj, key); - } - function isEmpty(obj) { - for (const key in obj) { - if (Object.prototype.hasOwnProperty.call(obj, key)) { - return false; - } - } - return true; - } - /** - * Deep equal two objects. Support Arrays and Objects. - */ - function deepEqual(a, b) { - if (a === b) { - return true; - } - const aKeys = Object.keys(a); - const bKeys = Object.keys(b); - for (const k of aKeys) { - if (!bKeys.includes(k)) { - return false; - } - const aProp = a[k]; - const bProp = b[k]; - if (isObject(aProp) && isObject(bProp)) { - if (!deepEqual(aProp, bProp)) { - return false; - } - } - else if (aProp !== bProp) { - return false; - } - } - for (const k of bKeys) { - if (!aKeys.includes(k)) { - return false; - } - } - return true; - } - function isObject(thing) { - return thing !== null && typeof thing === 'object'; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns a querystring-formatted string (e.g. &arg=val&arg2=val2) from a - * params object (e.g. {arg: 'val', arg2: 'val2'}) - * Note: You must prepend it with ? when adding it to a URL. - */ - function querystring(querystringParams) { - const params = []; - for (const [key, value] of Object.entries(querystringParams)) { - if (Array.isArray(value)) { - value.forEach(arrayVal => { - params.push(encodeURIComponent(key) + '=' + encodeURIComponent(arrayVal)); - }); - } - else { - params.push(encodeURIComponent(key) + '=' + encodeURIComponent(value)); - } - } - return params.length ? '&' + params.join('&') : ''; - } - /** - * Decodes a querystring (e.g. ?arg=val&arg2=val2) into a params object - * (e.g. {arg: 'val', arg2: 'val2'}) - */ - function querystringDecode(querystring) { - const obj = {}; - const tokens = querystring.replace(/^\?/, '').split('&'); - tokens.forEach(token => { - if (token) { - const [key, value] = token.split('='); - obj[decodeURIComponent(key)] = decodeURIComponent(value); - } - }); - return obj; - } - /** - * Extract the query string part of a URL, including the leading question mark (if present). - */ - function extractQuerystring(url) { - const queryStart = url.indexOf('?'); - if (!queryStart) { - return ''; - } - const fragmentStart = url.indexOf('#', queryStart); - return url.substring(queryStart, fragmentStart > 0 ? fragmentStart : undefined); - } - - /** - * Helper to make a Subscribe function (just like Promise helps make a - * Thenable). - * - * @param executor Function which can make calls to a single Observer - * as a proxy. - * @param onNoObservers Callback when count of Observers goes to zero. - */ - function createSubscribe(executor, onNoObservers) { - const proxy = new ObserverProxy(executor, onNoObservers); - return proxy.subscribe.bind(proxy); - } - /** - * Implement fan-out for any number of Observers attached via a subscribe - * function. - */ - class ObserverProxy { - /** - * @param executor Function which can make calls to a single Observer - * as a proxy. - * @param onNoObservers Callback when count of Observers goes to zero. - */ - constructor(executor, onNoObservers) { - this.observers = []; - this.unsubscribes = []; - this.observerCount = 0; - // Micro-task scheduling by calling task.then(). - this.task = Promise.resolve(); - this.finalized = false; - this.onNoObservers = onNoObservers; - // Call the executor asynchronously so subscribers that are called - // synchronously after the creation of the subscribe function - // can still receive the very first value generated in the executor. - this.task - .then(() => { - executor(this); - }) - .catch(e => { - this.error(e); - }); - } - next(value) { - this.forEachObserver((observer) => { - observer.next(value); - }); - } - error(error) { - this.forEachObserver((observer) => { - observer.error(error); - }); - this.close(error); - } - complete() { - this.forEachObserver((observer) => { - observer.complete(); - }); - this.close(); - } - /** - * Subscribe function that can be used to add an Observer to the fan-out list. - * - * - We require that no event is sent to a subscriber sychronously to their - * call to subscribe(). - */ - subscribe(nextOrObserver, error, complete) { - let observer; - if (nextOrObserver === undefined && - error === undefined && - complete === undefined) { - throw new Error('Missing Observer.'); - } - // Assemble an Observer object when passed as callback functions. - if (implementsAnyMethods$1(nextOrObserver, [ - 'next', - 'error', - 'complete' - ])) { - observer = nextOrObserver; - } - else { - observer = { - next: nextOrObserver, - error, - complete - }; - } - if (observer.next === undefined) { - observer.next = noop; - } - if (observer.error === undefined) { - observer.error = noop; - } - if (observer.complete === undefined) { - observer.complete = noop; - } - const unsub = this.unsubscribeOne.bind(this, this.observers.length); - // Attempt to subscribe to a terminated Observable - we - // just respond to the Observer with the final error or complete - // event. - if (this.finalized) { - // eslint-disable-next-line @typescript-eslint/no-floating-promises - this.task.then(() => { - try { - if (this.finalError) { - observer.error(this.finalError); - } - else { - observer.complete(); - } - } - catch (e) { - // nothing - } - return; - }); - } - this.observers.push(observer); - return unsub; - } - // Unsubscribe is synchronous - we guarantee that no events are sent to - // any unsubscribed Observer. - unsubscribeOne(i) { - if (this.observers === undefined || this.observers[i] === undefined) { - return; - } - delete this.observers[i]; - this.observerCount -= 1; - if (this.observerCount === 0 && this.onNoObservers !== undefined) { - this.onNoObservers(this); - } - } - forEachObserver(fn) { - if (this.finalized) { - // Already closed by previous event....just eat the additional values. - return; - } - // Since sendOne calls asynchronously - there is no chance that - // this.observers will become undefined. - for (let i = 0; i < this.observers.length; i++) { - this.sendOne(i, fn); - } - } - // Call the Observer via one of it's callback function. We are careful to - // confirm that the observe has not been unsubscribed since this asynchronous - // function had been queued. - sendOne(i, fn) { - // Execute the callback asynchronously - // eslint-disable-next-line @typescript-eslint/no-floating-promises - this.task.then(() => { - if (this.observers !== undefined && this.observers[i] !== undefined) { - try { - fn(this.observers[i]); - } - catch (e) { - // Ignore exceptions raised in Observers or missing methods of an - // Observer. - // Log error to console. b/31404806 - if (typeof console !== 'undefined' && console.error) { - console.error(e); - } - } - } - }); - } - close(err) { - if (this.finalized) { - return; - } - this.finalized = true; - if (err !== undefined) { - this.finalError = err; - } - // Proxy is no longer needed - garbage collect references - // eslint-disable-next-line @typescript-eslint/no-floating-promises - this.task.then(() => { - this.observers = undefined; - this.onNoObservers = undefined; - }); - } - } - /** - * Return true if the object passed in implements any of the named methods. - */ - function implementsAnyMethods$1(obj, methods) { - if (typeof obj !== 'object' || obj === null) { - return false; - } - for (const method of methods) { - if (method in obj && typeof obj[method] === 'function') { - return true; - } - } - return false; - } - function noop() { - // do nothing - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function getModularInstance(service) { - if (service && service._delegate) { - return service._delegate; - } - else { - return service; - } - } - - /** - * Component for service name T, e.g. `auth`, `auth-internal` - */ - class Component { - /** - * - * @param name The public service name, e.g. app, auth, firestore, database - * @param instanceFactory Service factory responsible for creating the public interface - * @param type whether the service provided by the component is public or private - */ - constructor(name, instanceFactory, type) { - this.name = name; - this.instanceFactory = instanceFactory; - this.type = type; - this.multipleInstances = false; - /** - * Properties to be added to the service namespace - */ - this.serviceProps = {}; - this.instantiationMode = "LAZY" /* InstantiationMode.LAZY */; - this.onInstanceCreated = null; - } - setInstantiationMode(mode) { - this.instantiationMode = mode; - return this; - } - setMultipleInstances(multipleInstances) { - this.multipleInstances = multipleInstances; - return this; - } - setServiceProps(props) { - this.serviceProps = props; - return this; - } - setInstanceCreatedCallback(callback) { - this.onInstanceCreated = callback; - return this; - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DEFAULT_ENTRY_NAME$2 = '[DEFAULT]'; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for instance for service name T, e.g. 'auth', 'auth-internal' - * NameServiceMapping[T] is an alias for the type of the instance - */ - class Provider { - constructor(name, container) { - this.name = name; - this.container = container; - this.component = null; - this.instances = new Map(); - this.instancesDeferred = new Map(); - this.instancesOptions = new Map(); - this.onInitCallbacks = new Map(); - } - /** - * @param identifier A provider can provide mulitple instances of a service - * if this.component.multipleInstances is true. - */ - get(identifier) { - // if multipleInstances is not supported, use the default name - const normalizedIdentifier = this.normalizeInstanceIdentifier(identifier); - if (!this.instancesDeferred.has(normalizedIdentifier)) { - const deferred = new Deferred(); - this.instancesDeferred.set(normalizedIdentifier, deferred); - if (this.isInitialized(normalizedIdentifier) || - this.shouldAutoInitialize()) { - // initialize the service if it can be auto-initialized - try { - const instance = this.getOrInitializeService({ - instanceIdentifier: normalizedIdentifier - }); - if (instance) { - deferred.resolve(instance); - } - } - catch (e) { - // when the instance factory throws an exception during get(), it should not cause - // a fatal error. We just return the unresolved promise in this case. - } - } - } - return this.instancesDeferred.get(normalizedIdentifier).promise; - } - getImmediate(options) { - var _a; - // if multipleInstances is not supported, use the default name - const normalizedIdentifier = this.normalizeInstanceIdentifier(options === null || options === void 0 ? void 0 : options.identifier); - const optional = (_a = options === null || options === void 0 ? void 0 : options.optional) !== null && _a !== void 0 ? _a : false; - if (this.isInitialized(normalizedIdentifier) || - this.shouldAutoInitialize()) { - try { - return this.getOrInitializeService({ - instanceIdentifier: normalizedIdentifier - }); - } - catch (e) { - if (optional) { - return null; - } - else { - throw e; - } - } - } - else { - // In case a component is not initialized and should/can not be auto-initialized at the moment, return null if the optional flag is set, or throw - if (optional) { - return null; - } - else { - throw Error(`Service ${this.name} is not available`); - } - } - } - getComponent() { - return this.component; - } - setComponent(component) { - if (component.name !== this.name) { - throw Error(`Mismatching Component ${component.name} for Provider ${this.name}.`); - } - if (this.component) { - throw Error(`Component for ${this.name} has already been provided`); - } - this.component = component; - // return early without attempting to initialize the component if the component requires explicit initialization (calling `Provider.initialize()`) - if (!this.shouldAutoInitialize()) { - return; - } - // if the service is eager, initialize the default instance - if (isComponentEager(component)) { - try { - this.getOrInitializeService({ instanceIdentifier: DEFAULT_ENTRY_NAME$2 }); - } - catch (e) { - // when the instance factory for an eager Component throws an exception during the eager - // initialization, it should not cause a fatal error. - // TODO: Investigate if we need to make it configurable, because some component may want to cause - // a fatal error in this case? - } - } - // Create service instances for the pending promises and resolve them - // NOTE: if this.multipleInstances is false, only the default instance will be created - // and all promises with resolve with it regardless of the identifier. - for (const [instanceIdentifier, instanceDeferred] of this.instancesDeferred.entries()) { - const normalizedIdentifier = this.normalizeInstanceIdentifier(instanceIdentifier); - try { - // `getOrInitializeService()` should always return a valid instance since a component is guaranteed. use ! to make typescript happy. - const instance = this.getOrInitializeService({ - instanceIdentifier: normalizedIdentifier - }); - instanceDeferred.resolve(instance); - } - catch (e) { - // when the instance factory throws an exception, it should not cause - // a fatal error. We just leave the promise unresolved. - } - } - } - clearInstance(identifier = DEFAULT_ENTRY_NAME$2) { - this.instancesDeferred.delete(identifier); - this.instancesOptions.delete(identifier); - this.instances.delete(identifier); - } - // app.delete() will call this method on every provider to delete the services - // TODO: should we mark the provider as deleted? - async delete() { - const services = Array.from(this.instances.values()); - await Promise.all([ - ...services - .filter(service => 'INTERNAL' in service) // legacy services - // eslint-disable-next-line @typescript-eslint/no-explicit-any - .map(service => service.INTERNAL.delete()), - ...services - .filter(service => '_delete' in service) // modularized services - // eslint-disable-next-line @typescript-eslint/no-explicit-any - .map(service => service._delete()) - ]); - } - isComponentSet() { - return this.component != null; - } - isInitialized(identifier = DEFAULT_ENTRY_NAME$2) { - return this.instances.has(identifier); - } - getOptions(identifier = DEFAULT_ENTRY_NAME$2) { - return this.instancesOptions.get(identifier) || {}; - } - initialize(opts = {}) { - const { options = {} } = opts; - const normalizedIdentifier = this.normalizeInstanceIdentifier(opts.instanceIdentifier); - if (this.isInitialized(normalizedIdentifier)) { - throw Error(`${this.name}(${normalizedIdentifier}) has already been initialized`); - } - if (!this.isComponentSet()) { - throw Error(`Component ${this.name} has not been registered yet`); - } - const instance = this.getOrInitializeService({ - instanceIdentifier: normalizedIdentifier, - options - }); - // resolve any pending promise waiting for the service instance - for (const [instanceIdentifier, instanceDeferred] of this.instancesDeferred.entries()) { - const normalizedDeferredIdentifier = this.normalizeInstanceIdentifier(instanceIdentifier); - if (normalizedIdentifier === normalizedDeferredIdentifier) { - instanceDeferred.resolve(instance); - } - } - return instance; - } - /** - * - * @param callback - a function that will be invoked after the provider has been initialized by calling provider.initialize(). - * The function is invoked SYNCHRONOUSLY, so it should not execute any longrunning tasks in order to not block the program. - * - * @param identifier An optional instance identifier - * @returns a function to unregister the callback - */ - onInit(callback, identifier) { - var _a; - const normalizedIdentifier = this.normalizeInstanceIdentifier(identifier); - const existingCallbacks = (_a = this.onInitCallbacks.get(normalizedIdentifier)) !== null && _a !== void 0 ? _a : new Set(); - existingCallbacks.add(callback); - this.onInitCallbacks.set(normalizedIdentifier, existingCallbacks); - const existingInstance = this.instances.get(normalizedIdentifier); - if (existingInstance) { - callback(existingInstance, normalizedIdentifier); - } - return () => { - existingCallbacks.delete(callback); - }; - } - /** - * Invoke onInit callbacks synchronously - * @param instance the service instance` - */ - invokeOnInitCallbacks(instance, identifier) { - const callbacks = this.onInitCallbacks.get(identifier); - if (!callbacks) { - return; - } - for (const callback of callbacks) { - try { - callback(instance, identifier); - } - catch (_a) { - // ignore errors in the onInit callback - } - } - } - getOrInitializeService({ instanceIdentifier, options = {} }) { - let instance = this.instances.get(instanceIdentifier); - if (!instance && this.component) { - instance = this.component.instanceFactory(this.container, { - instanceIdentifier: normalizeIdentifierForFactory(instanceIdentifier), - options - }); - this.instances.set(instanceIdentifier, instance); - this.instancesOptions.set(instanceIdentifier, options); - /** - * Invoke onInit listeners. - * Note this.component.onInstanceCreated is different, which is used by the component creator, - * while onInit listeners are registered by consumers of the provider. - */ - this.invokeOnInitCallbacks(instance, instanceIdentifier); - /** - * Order is important - * onInstanceCreated() should be called after this.instances.set(instanceIdentifier, instance); which - * makes `isInitialized()` return true. - */ - if (this.component.onInstanceCreated) { - try { - this.component.onInstanceCreated(this.container, instanceIdentifier, instance); - } - catch (_a) { - // ignore errors in the onInstanceCreatedCallback - } - } - } - return instance || null; - } - normalizeInstanceIdentifier(identifier = DEFAULT_ENTRY_NAME$2) { - if (this.component) { - return this.component.multipleInstances ? identifier : DEFAULT_ENTRY_NAME$2; - } - else { - return identifier; // assume multiple instances are supported before the component is provided. - } - } - shouldAutoInitialize() { - return (!!this.component && - this.component.instantiationMode !== "EXPLICIT" /* InstantiationMode.EXPLICIT */); - } - } - // undefined should be passed to the service factory for the default instance - function normalizeIdentifierForFactory(identifier) { - return identifier === DEFAULT_ENTRY_NAME$2 ? undefined : identifier; - } - function isComponentEager(component) { - return component.instantiationMode === "EAGER" /* InstantiationMode.EAGER */; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * ComponentContainer that provides Providers for service name T, e.g. `auth`, `auth-internal` - */ - class ComponentContainer { - constructor(name) { - this.name = name; - this.providers = new Map(); - } - /** - * - * @param component Component being added - * @param overwrite When a component with the same name has already been registered, - * if overwrite is true: overwrite the existing component with the new component and create a new - * provider with the new component. It can be useful in tests where you want to use different mocks - * for different tests. - * if overwrite is false: throw an exception - */ - addComponent(component) { - const provider = this.getProvider(component.name); - if (provider.isComponentSet()) { - throw new Error(`Component ${component.name} has already been registered with ${this.name}`); - } - provider.setComponent(component); - } - addOrOverwriteComponent(component) { - const provider = this.getProvider(component.name); - if (provider.isComponentSet()) { - // delete the existing provider from the container, so we can register the new component - this.providers.delete(component.name); - } - this.addComponent(component); - } - /** - * getProvider provides a type safe interface where it can only be called with a field name - * present in NameServiceMapping interface. - * - * Firebase SDKs providing services should extend NameServiceMapping interface to register - * themselves. - */ - getProvider(name) { - if (this.providers.has(name)) { - return this.providers.get(name); - } - // create a Provider for a service that hasn't registered with Firebase - const provider = new Provider(name, this); - this.providers.set(name, provider); - return provider; - } - getProviders() { - return Array.from(this.providers.values()); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A container for all of the Logger instances - */ - const instances = []; - /** - * The JS SDK supports 5 log levels and also allows a user the ability to - * silence the logs altogether. - * - * The order is a follows: - * DEBUG < VERBOSE < INFO < WARN < ERROR - * - * All of the log types above the current log level will be captured (i.e. if - * you set the log level to `INFO`, errors will still be logged, but `DEBUG` and - * `VERBOSE` logs will not) - */ - var LogLevel; - (function (LogLevel) { - LogLevel[LogLevel["DEBUG"] = 0] = "DEBUG"; - LogLevel[LogLevel["VERBOSE"] = 1] = "VERBOSE"; - LogLevel[LogLevel["INFO"] = 2] = "INFO"; - LogLevel[LogLevel["WARN"] = 3] = "WARN"; - LogLevel[LogLevel["ERROR"] = 4] = "ERROR"; - LogLevel[LogLevel["SILENT"] = 5] = "SILENT"; - })(LogLevel || (LogLevel = {})); - const levelStringToEnum = { - 'debug': LogLevel.DEBUG, - 'verbose': LogLevel.VERBOSE, - 'info': LogLevel.INFO, - 'warn': LogLevel.WARN, - 'error': LogLevel.ERROR, - 'silent': LogLevel.SILENT - }; - /** - * The default log level - */ - const defaultLogLevel = LogLevel.INFO; - /** - * By default, `console.debug` is not displayed in the developer console (in - * chrome). To avoid forcing users to have to opt-in to these logs twice - * (i.e. once for firebase, and once in the console), we are sending `DEBUG` - * logs to the `console.log` function. - */ - const ConsoleMethod = { - [LogLevel.DEBUG]: 'log', - [LogLevel.VERBOSE]: 'log', - [LogLevel.INFO]: 'info', - [LogLevel.WARN]: 'warn', - [LogLevel.ERROR]: 'error' - }; - /** - * The default log handler will forward DEBUG, VERBOSE, INFO, WARN, and ERROR - * messages on to their corresponding console counterparts (if the log method - * is supported by the current log level) - */ - const defaultLogHandler = (instance, logType, ...args) => { - if (logType < instance.logLevel) { - return; - } - const now = new Date().toISOString(); - const method = ConsoleMethod[logType]; - if (method) { - console[method](`[${now}] ${instance.name}:`, ...args); - } - else { - throw new Error(`Attempted to log a message with an invalid logType (value: ${logType})`); - } - }; - class Logger { - /** - * Gives you an instance of a Logger to capture messages according to - * Firebase's logging scheme. - * - * @param name The name that the logs will be associated with - */ - constructor(name) { - this.name = name; - /** - * The log level of the given Logger instance. - */ - this._logLevel = defaultLogLevel; - /** - * The main (internal) log handler for the Logger instance. - * Can be set to a new function in internal package code but not by user. - */ - this._logHandler = defaultLogHandler; - /** - * The optional, additional, user-defined log handler for the Logger instance. - */ - this._userLogHandler = null; - /** - * Capture the current instance for later use - */ - instances.push(this); - } - get logLevel() { - return this._logLevel; - } - set logLevel(val) { - if (!(val in LogLevel)) { - throw new TypeError(`Invalid value "${val}" assigned to \`logLevel\``); - } - this._logLevel = val; - } - // Workaround for setter/getter having to be the same type. - setLogLevel(val) { - this._logLevel = typeof val === 'string' ? levelStringToEnum[val] : val; - } - get logHandler() { - return this._logHandler; - } - set logHandler(val) { - if (typeof val !== 'function') { - throw new TypeError('Value assigned to `logHandler` must be a function'); - } - this._logHandler = val; - } - get userLogHandler() { - return this._userLogHandler; - } - set userLogHandler(val) { - this._userLogHandler = val; - } - /** - * The functions below are all based on the `console` interface - */ - debug(...args) { - this._userLogHandler && this._userLogHandler(this, LogLevel.DEBUG, ...args); - this._logHandler(this, LogLevel.DEBUG, ...args); - } - log(...args) { - this._userLogHandler && - this._userLogHandler(this, LogLevel.VERBOSE, ...args); - this._logHandler(this, LogLevel.VERBOSE, ...args); - } - info(...args) { - this._userLogHandler && this._userLogHandler(this, LogLevel.INFO, ...args); - this._logHandler(this, LogLevel.INFO, ...args); - } - warn(...args) { - this._userLogHandler && this._userLogHandler(this, LogLevel.WARN, ...args); - this._logHandler(this, LogLevel.WARN, ...args); - } - error(...args) { - this._userLogHandler && this._userLogHandler(this, LogLevel.ERROR, ...args); - this._logHandler(this, LogLevel.ERROR, ...args); - } - } - function setLogLevel$2(level) { - instances.forEach(inst => { - inst.setLogLevel(level); - }); - } - function setUserLogHandler(logCallback, options) { - for (const instance of instances) { - let customLogLevel = null; - if (options && options.level) { - customLogLevel = levelStringToEnum[options.level]; - } - if (logCallback === null) { - instance.userLogHandler = null; - } - else { - instance.userLogHandler = (instance, level, ...args) => { - const message = args - .map(arg => { - if (arg == null) { - return null; - } - else if (typeof arg === 'string') { - return arg; - } - else if (typeof arg === 'number' || typeof arg === 'boolean') { - return arg.toString(); - } - else if (arg instanceof Error) { - return arg.message; - } - else { - try { - return JSON.stringify(arg); - } - catch (ignored) { - return null; - } - } - }) - .filter(arg => arg) - .join(' '); - if (level >= (customLogLevel !== null && customLogLevel !== void 0 ? customLogLevel : instance.logLevel)) { - logCallback({ - level: LogLevel[level].toLowerCase(), - message, - args, - type: instance.name - }); - } - }; - } - } - } - - const instanceOfAny$1 = (object, constructors) => constructors.some((c) => object instanceof c); - - let idbProxyableTypes$1; - let cursorAdvanceMethods$1; - // This is a function to prevent it throwing up in node environments. - function getIdbProxyableTypes$1() { - return (idbProxyableTypes$1 || - (idbProxyableTypes$1 = [ - IDBDatabase, - IDBObjectStore, - IDBIndex, - IDBCursor, - IDBTransaction, - ])); - } - // This is a function to prevent it throwing up in node environments. - function getCursorAdvanceMethods$1() { - return (cursorAdvanceMethods$1 || - (cursorAdvanceMethods$1 = [ - IDBCursor.prototype.advance, - IDBCursor.prototype.continue, - IDBCursor.prototype.continuePrimaryKey, - ])); - } - const cursorRequestMap$1 = new WeakMap(); - const transactionDoneMap$1 = new WeakMap(); - const transactionStoreNamesMap$1 = new WeakMap(); - const transformCache$1 = new WeakMap(); - const reverseTransformCache$1 = new WeakMap(); - function promisifyRequest$1(request) { - const promise = new Promise((resolve, reject) => { - const unlisten = () => { - request.removeEventListener('success', success); - request.removeEventListener('error', error); - }; - const success = () => { - resolve(wrap$1(request.result)); - unlisten(); - }; - const error = () => { - reject(request.error); - unlisten(); - }; - request.addEventListener('success', success); - request.addEventListener('error', error); - }); - promise - .then((value) => { - // Since cursoring reuses the IDBRequest (*sigh*), we cache it for later retrieval - // (see wrapFunction). - if (value instanceof IDBCursor) { - cursorRequestMap$1.set(value, request); - } - // Catching to avoid "Uncaught Promise exceptions" - }) - .catch(() => { }); - // This mapping exists in reverseTransformCache but doesn't doesn't exist in transformCache. This - // is because we create many promises from a single IDBRequest. - reverseTransformCache$1.set(promise, request); - return promise; - } - function cacheDonePromiseForTransaction$1(tx) { - // Early bail if we've already created a done promise for this transaction. - if (transactionDoneMap$1.has(tx)) - return; - const done = new Promise((resolve, reject) => { - const unlisten = () => { - tx.removeEventListener('complete', complete); - tx.removeEventListener('error', error); - tx.removeEventListener('abort', error); - }; - const complete = () => { - resolve(); - unlisten(); - }; - const error = () => { - reject(tx.error || new DOMException('AbortError', 'AbortError')); - unlisten(); - }; - tx.addEventListener('complete', complete); - tx.addEventListener('error', error); - tx.addEventListener('abort', error); - }); - // Cache it for later retrieval. - transactionDoneMap$1.set(tx, done); - } - let idbProxyTraps$1 = { - get(target, prop, receiver) { - if (target instanceof IDBTransaction) { - // Special handling for transaction.done. - if (prop === 'done') - return transactionDoneMap$1.get(target); - // Polyfill for objectStoreNames because of Edge. - if (prop === 'objectStoreNames') { - return target.objectStoreNames || transactionStoreNamesMap$1.get(target); - } - // Make tx.store return the only store in the transaction, or undefined if there are many. - if (prop === 'store') { - return receiver.objectStoreNames[1] - ? undefined - : receiver.objectStore(receiver.objectStoreNames[0]); - } - } - // Else transform whatever we get back. - return wrap$1(target[prop]); - }, - set(target, prop, value) { - target[prop] = value; - return true; - }, - has(target, prop) { - if (target instanceof IDBTransaction && - (prop === 'done' || prop === 'store')) { - return true; - } - return prop in target; - }, - }; - function replaceTraps$1(callback) { - idbProxyTraps$1 = callback(idbProxyTraps$1); - } - function wrapFunction$1(func) { - // Due to expected object equality (which is enforced by the caching in `wrap`), we - // only create one new func per func. - // Edge doesn't support objectStoreNames (booo), so we polyfill it here. - if (func === IDBDatabase.prototype.transaction && - !('objectStoreNames' in IDBTransaction.prototype)) { - return function (storeNames, ...args) { - const tx = func.call(unwrap$2(this), storeNames, ...args); - transactionStoreNamesMap$1.set(tx, storeNames.sort ? storeNames.sort() : [storeNames]); - return wrap$1(tx); - }; - } - // Cursor methods are special, as the behaviour is a little more different to standard IDB. In - // IDB, you advance the cursor and wait for a new 'success' on the IDBRequest that gave you the - // cursor. It's kinda like a promise that can resolve with many values. That doesn't make sense - // with real promises, so each advance methods returns a new promise for the cursor object, or - // undefined if the end of the cursor has been reached. - if (getCursorAdvanceMethods$1().includes(func)) { - return function (...args) { - // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use - // the original object. - func.apply(unwrap$2(this), args); - return wrap$1(cursorRequestMap$1.get(this)); - }; - } - return function (...args) { - // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use - // the original object. - return wrap$1(func.apply(unwrap$2(this), args)); - }; - } - function transformCachableValue$1(value) { - if (typeof value === 'function') - return wrapFunction$1(value); - // This doesn't return, it just creates a 'done' promise for the transaction, - // which is later returned for transaction.done (see idbObjectHandler). - if (value instanceof IDBTransaction) - cacheDonePromiseForTransaction$1(value); - if (instanceOfAny$1(value, getIdbProxyableTypes$1())) - return new Proxy(value, idbProxyTraps$1); - // Return the same value back if we're not going to transform it. - return value; - } - function wrap$1(value) { - // We sometimes generate multiple promises from a single IDBRequest (eg when cursoring), because - // IDB is weird and a single IDBRequest can yield many responses, so these can't be cached. - if (value instanceof IDBRequest) - return promisifyRequest$1(value); - // If we've already transformed this value before, reuse the transformed value. - // This is faster, but it also provides object equality. - if (transformCache$1.has(value)) - return transformCache$1.get(value); - const newValue = transformCachableValue$1(value); - // Not all types are transformed. - // These may be primitive types, so they can't be WeakMap keys. - if (newValue !== value) { - transformCache$1.set(value, newValue); - reverseTransformCache$1.set(newValue, value); - } - return newValue; - } - const unwrap$2 = (value) => reverseTransformCache$1.get(value); - - /** - * Open a database. - * - * @param name Name of the database. - * @param version Schema version. - * @param callbacks Additional callbacks. - */ - function openDB$1(name, version, { blocked, upgrade, blocking, terminated } = {}) { - const request = indexedDB.open(name, version); - const openPromise = wrap$1(request); - if (upgrade) { - request.addEventListener('upgradeneeded', (event) => { - upgrade(wrap$1(request.result), event.oldVersion, event.newVersion, wrap$1(request.transaction), event); - }); - } - if (blocked) { - request.addEventListener('blocked', (event) => blocked( - // Casting due to https://github.com/microsoft/TypeScript-DOM-lib-generator/pull/1405 - event.oldVersion, event.newVersion, event)); - } - openPromise - .then((db) => { - if (terminated) - db.addEventListener('close', () => terminated()); - if (blocking) { - db.addEventListener('versionchange', (event) => blocking(event.oldVersion, event.newVersion, event)); - } - }) - .catch(() => { }); - return openPromise; - } - - const readMethods$1 = ['get', 'getKey', 'getAll', 'getAllKeys', 'count']; - const writeMethods$1 = ['put', 'add', 'delete', 'clear']; - const cachedMethods$1 = new Map(); - function getMethod$1(target, prop) { - if (!(target instanceof IDBDatabase && - !(prop in target) && - typeof prop === 'string')) { - return; - } - if (cachedMethods$1.get(prop)) - return cachedMethods$1.get(prop); - const targetFuncName = prop.replace(/FromIndex$/, ''); - const useIndex = prop !== targetFuncName; - const isWrite = writeMethods$1.includes(targetFuncName); - if ( - // Bail if the target doesn't exist on the target. Eg, getAll isn't in Edge. - !(targetFuncName in (useIndex ? IDBIndex : IDBObjectStore).prototype) || - !(isWrite || readMethods$1.includes(targetFuncName))) { - return; - } - const method = async function (storeName, ...args) { - // isWrite ? 'readwrite' : undefined gzipps better, but fails in Edge :( - const tx = this.transaction(storeName, isWrite ? 'readwrite' : 'readonly'); - let target = tx.store; - if (useIndex) - target = target.index(args.shift()); - // Must reject if op rejects. - // If it's a write operation, must reject if tx.done rejects. - // Must reject with op rejection first. - // Must resolve with op value. - // Must handle both promises (no unhandled rejections) - return (await Promise.all([ - target[targetFuncName](...args), - isWrite && tx.done, - ]))[0]; - }; - cachedMethods$1.set(prop, method); - return method; - } - replaceTraps$1((oldTraps) => ({ - ...oldTraps, - get: (target, prop, receiver) => getMethod$1(target, prop) || oldTraps.get(target, prop, receiver), - has: (target, prop) => !!getMethod$1(target, prop) || oldTraps.has(target, prop), - })); - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class PlatformLoggerServiceImpl { - constructor(container) { - this.container = container; - } - // In initial implementation, this will be called by installations on - // auth token refresh, and installations will send this string. - getPlatformInfoString() { - const providers = this.container.getProviders(); - // Loop through providers and get library/version pairs from any that are - // version components. - return providers - .map(provider => { - if (isVersionServiceProvider(provider)) { - const service = provider.getImmediate(); - return `${service.library}/${service.version}`; - } - else { - return null; - } - }) - .filter(logString => logString) - .join(' '); - } - } - /** - * - * @param provider check if this provider provides a VersionService - * - * NOTE: Using Provider<'app-version'> is a hack to indicate that the provider - * provides VersionService. The provider is not necessarily a 'app-version' - * provider. - */ - function isVersionServiceProvider(provider) { - const component = provider.getComponent(); - return (component === null || component === void 0 ? void 0 : component.type) === "VERSION" /* ComponentType.VERSION */; - } - - const name$o = "@firebase/app"; - const version$1$1 = "0.9.11"; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const logger$2 = new Logger('@firebase/app'); - - const name$n = "@firebase/app-compat"; - - const name$m = "@firebase/analytics-compat"; - - const name$l = "@firebase/analytics"; - - const name$k = "@firebase/app-check-compat"; - - const name$j = "@firebase/app-check"; - - const name$i = "@firebase/auth"; - - const name$h = "@firebase/auth-compat"; - - const name$g = "@firebase/database"; - - const name$f = "@firebase/database-compat"; - - const name$e = "@firebase/functions"; - - const name$d = "@firebase/functions-compat"; - - const name$c = "@firebase/installations"; - - const name$b = "@firebase/installations-compat"; - - const name$a = "@firebase/messaging"; - - const name$9 = "@firebase/messaging-compat"; - - const name$8 = "@firebase/performance"; - - const name$7$1 = "@firebase/performance-compat"; - - const name$6$1 = "@firebase/remote-config"; - - const name$5$1 = "@firebase/remote-config-compat"; - - const name$4$1 = "@firebase/storage"; - - const name$3$1 = "@firebase/storage-compat"; - - const name$2$1 = "@firebase/firestore"; - - const name$1$1 = "@firebase/firestore-compat"; - - const name$p = "firebase"; - const version$8 = "9.22.1"; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The default app name - * - * @internal - */ - const DEFAULT_ENTRY_NAME$1 = '[DEFAULT]'; - const PLATFORM_LOG_STRING = { - [name$o]: 'fire-core', - [name$n]: 'fire-core-compat', - [name$l]: 'fire-analytics', - [name$m]: 'fire-analytics-compat', - [name$j]: 'fire-app-check', - [name$k]: 'fire-app-check-compat', - [name$i]: 'fire-auth', - [name$h]: 'fire-auth-compat', - [name$g]: 'fire-rtdb', - [name$f]: 'fire-rtdb-compat', - [name$e]: 'fire-fn', - [name$d]: 'fire-fn-compat', - [name$c]: 'fire-iid', - [name$b]: 'fire-iid-compat', - [name$a]: 'fire-fcm', - [name$9]: 'fire-fcm-compat', - [name$8]: 'fire-perf', - [name$7$1]: 'fire-perf-compat', - [name$6$1]: 'fire-rc', - [name$5$1]: 'fire-rc-compat', - [name$4$1]: 'fire-gcs', - [name$3$1]: 'fire-gcs-compat', - [name$2$1]: 'fire-fst', - [name$1$1]: 'fire-fst-compat', - 'fire-js': 'fire-js', - [name$p]: 'fire-js-all' - }; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * @internal - */ - const _apps = new Map(); - /** - * Registered components. - * - * @internal - */ - // eslint-disable-next-line @typescript-eslint/no-explicit-any - const _components = new Map(); - /** - * @param component - the component being added to this app's container - * - * @internal - */ - function _addComponent(app, component) { - try { - app.container.addComponent(component); - } - catch (e) { - logger$2.debug(`Component ${component.name} failed to register with FirebaseApp ${app.name}`, e); - } - } - /** - * - * @internal - */ - function _addOrOverwriteComponent(app, component) { - app.container.addOrOverwriteComponent(component); - } - /** - * - * @param component - the component to register - * @returns whether or not the component is registered successfully - * - * @internal - */ - function _registerComponent(component) { - const componentName = component.name; - if (_components.has(componentName)) { - logger$2.debug(`There were multiple attempts to register component ${componentName}.`); - return false; - } - _components.set(componentName, component); - // add the component to existing app instances - for (const app of _apps.values()) { - _addComponent(app, component); - } - return true; - } - /** - * - * @param app - FirebaseApp instance - * @param name - service name - * - * @returns the provider for the service with the matching name - * - * @internal - */ - function _getProvider(app, name) { - const heartbeatController = app.container - .getProvider('heartbeat') - .getImmediate({ optional: true }); - if (heartbeatController) { - void heartbeatController.triggerHeartbeat(); - } - return app.container.getProvider(name); - } - /** - * - * @param app - FirebaseApp instance - * @param name - service name - * @param instanceIdentifier - service instance identifier in case the service supports multiple instances - * - * @internal - */ - function _removeServiceInstance(app, name, instanceIdentifier = DEFAULT_ENTRY_NAME$1) { - _getProvider(app, name).clearInstance(instanceIdentifier); - } - /** - * Test only - * - * @internal - */ - function _clearComponents() { - _components.clear(); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const ERRORS$1 = { - ["no-app" /* AppError.NO_APP */]: "No Firebase App '{$appName}' has been created - " + - 'call initializeApp() first', - ["bad-app-name" /* AppError.BAD_APP_NAME */]: "Illegal App name: '{$appName}", - ["duplicate-app" /* AppError.DUPLICATE_APP */]: "Firebase App named '{$appName}' already exists with different options or config", - ["app-deleted" /* AppError.APP_DELETED */]: "Firebase App named '{$appName}' already deleted", - ["no-options" /* AppError.NO_OPTIONS */]: 'Need to provide options, when not being deployed to hosting via source.', - ["invalid-app-argument" /* AppError.INVALID_APP_ARGUMENT */]: 'firebase.{$appName}() takes either no argument or a ' + - 'Firebase App instance.', - ["invalid-log-argument" /* AppError.INVALID_LOG_ARGUMENT */]: 'First argument to `onLog` must be null or a function.', - ["idb-open" /* AppError.IDB_OPEN */]: 'Error thrown when opening IndexedDB. Original error: {$originalErrorMessage}.', - ["idb-get" /* AppError.IDB_GET */]: 'Error thrown when reading from IndexedDB. Original error: {$originalErrorMessage}.', - ["idb-set" /* AppError.IDB_WRITE */]: 'Error thrown when writing to IndexedDB. Original error: {$originalErrorMessage}.', - ["idb-delete" /* AppError.IDB_DELETE */]: 'Error thrown when deleting from IndexedDB. Original error: {$originalErrorMessage}.' - }; - const ERROR_FACTORY$3 = new ErrorFactory('app', 'Firebase', ERRORS$1); - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class FirebaseAppImpl$1 { - constructor(options, config, container) { - this._isDeleted = false; - this._options = Object.assign({}, options); - this._config = Object.assign({}, config); - this._name = config.name; - this._automaticDataCollectionEnabled = - config.automaticDataCollectionEnabled; - this._container = container; - this.container.addComponent(new Component('app', () => this, "PUBLIC" /* ComponentType.PUBLIC */)); - } - get automaticDataCollectionEnabled() { - this.checkDestroyed(); - return this._automaticDataCollectionEnabled; - } - set automaticDataCollectionEnabled(val) { - this.checkDestroyed(); - this._automaticDataCollectionEnabled = val; - } - get name() { - this.checkDestroyed(); - return this._name; - } - get options() { - this.checkDestroyed(); - return this._options; - } - get config() { - this.checkDestroyed(); - return this._config; - } - get container() { - return this._container; - } - get isDeleted() { - return this._isDeleted; - } - set isDeleted(val) { - this._isDeleted = val; - } - /** - * This function will throw an Error if the App has already been deleted - - * use before performing API actions on the App. - */ - checkDestroyed() { - if (this.isDeleted) { - throw ERROR_FACTORY$3.create("app-deleted" /* AppError.APP_DELETED */, { appName: this._name }); - } - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The current SDK version. - * - * @public - */ - const SDK_VERSION$1 = version$8; - function initializeApp(_options, rawConfig = {}) { - let options = _options; - if (typeof rawConfig !== 'object') { - const name = rawConfig; - rawConfig = { name }; - } - const config = Object.assign({ name: DEFAULT_ENTRY_NAME$1, automaticDataCollectionEnabled: false }, rawConfig); - const name = config.name; - if (typeof name !== 'string' || !name) { - throw ERROR_FACTORY$3.create("bad-app-name" /* AppError.BAD_APP_NAME */, { - appName: String(name) - }); - } - options || (options = getDefaultAppConfig()); - if (!options) { - throw ERROR_FACTORY$3.create("no-options" /* AppError.NO_OPTIONS */); - } - const existingApp = _apps.get(name); - if (existingApp) { - // return the existing app if options and config deep equal the ones in the existing app. - if (deepEqual(options, existingApp.options) && - deepEqual(config, existingApp.config)) { - return existingApp; - } - else { - throw ERROR_FACTORY$3.create("duplicate-app" /* AppError.DUPLICATE_APP */, { appName: name }); - } - } - const container = new ComponentContainer(name); - for (const component of _components.values()) { - container.addComponent(component); - } - const newApp = new FirebaseAppImpl$1(options, config, container); - _apps.set(name, newApp); - return newApp; - } - /** - * Retrieves a {@link @firebase/app#FirebaseApp} instance. - * - * When called with no arguments, the default app is returned. When an app name - * is provided, the app corresponding to that name is returned. - * - * An exception is thrown if the app being retrieved has not yet been - * initialized. - * - * @example - * ```javascript - * // Return the default app - * const app = getApp(); - * ``` - * - * @example - * ```javascript - * // Return a named app - * const otherApp = getApp("otherApp"); - * ``` - * - * @param name - Optional name of the app to return. If no name is - * provided, the default is `"[DEFAULT]"`. - * - * @returns The app corresponding to the provided app name. - * If no app name is provided, the default app is returned. - * - * @public - */ - function getApp(name = DEFAULT_ENTRY_NAME$1) { - const app = _apps.get(name); - if (!app && name === DEFAULT_ENTRY_NAME$1 && getDefaultAppConfig()) { - return initializeApp(); - } - if (!app) { - throw ERROR_FACTORY$3.create("no-app" /* AppError.NO_APP */, { appName: name }); - } - return app; - } - /** - * A (read-only) array of all initialized apps. - * @public - */ - function getApps() { - return Array.from(_apps.values()); - } - /** - * Renders this app unusable and frees the resources of all associated - * services. - * - * @example - * ```javascript - * deleteApp(app) - * .then(function() { - * console.log("App deleted successfully"); - * }) - * .catch(function(error) { - * console.log("Error deleting app:", error); - * }); - * ``` - * - * @public - */ - async function deleteApp(app) { - const name = app.name; - if (_apps.has(name)) { - _apps.delete(name); - await Promise.all(app.container - .getProviders() - .map(provider => provider.delete())); - app.isDeleted = true; - } - } - /** - * Registers a library's name and version for platform logging purposes. - * @param library - Name of 1p or 3p library (e.g. firestore, angularfire) - * @param version - Current version of that library. - * @param variant - Bundle variant, e.g., node, rn, etc. - * - * @public - */ - function registerVersion(libraryKeyOrName, version, variant) { - var _a; - // TODO: We can use this check to whitelist strings when/if we set up - // a good whitelist system. - let library = (_a = PLATFORM_LOG_STRING[libraryKeyOrName]) !== null && _a !== void 0 ? _a : libraryKeyOrName; - if (variant) { - library += `-${variant}`; - } - const libraryMismatch = library.match(/\s|\//); - const versionMismatch = version.match(/\s|\//); - if (libraryMismatch || versionMismatch) { - const warning = [ - `Unable to register library "${library}" with version "${version}":` - ]; - if (libraryMismatch) { - warning.push(`library name "${library}" contains illegal characters (whitespace or "/")`); - } - if (libraryMismatch && versionMismatch) { - warning.push('and'); - } - if (versionMismatch) { - warning.push(`version name "${version}" contains illegal characters (whitespace or "/")`); - } - logger$2.warn(warning.join(' ')); - return; - } - _registerComponent(new Component(`${library}-version`, () => ({ library, version }), "VERSION" /* ComponentType.VERSION */)); - } - /** - * Sets log handler for all Firebase SDKs. - * @param logCallback - An optional custom log handler that executes user code whenever - * the Firebase SDK makes a logging call. - * - * @public - */ - function onLog(logCallback, options) { - if (logCallback !== null && typeof logCallback !== 'function') { - throw ERROR_FACTORY$3.create("invalid-log-argument" /* AppError.INVALID_LOG_ARGUMENT */); - } - setUserLogHandler(logCallback, options); - } - /** - * Sets log level for all Firebase SDKs. - * - * All of the log types above the current log level are captured (i.e. if - * you set the log level to `info`, errors are logged, but `debug` and - * `verbose` logs are not). - * - * @public - */ - function setLogLevel$1(logLevel) { - setLogLevel$2(logLevel); - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DB_NAME$1 = 'firebase-heartbeat-database'; - const DB_VERSION$1 = 1; - const STORE_NAME = 'firebase-heartbeat-store'; - let dbPromise$1 = null; - function getDbPromise$1() { - if (!dbPromise$1) { - dbPromise$1 = openDB$1(DB_NAME$1, DB_VERSION$1, { - upgrade: (db, oldVersion) => { - // We don't use 'break' in this switch statement, the fall-through - // behavior is what we want, because if there are multiple versions between - // the old version and the current version, we want ALL the migrations - // that correspond to those versions to run, not only the last one. - // eslint-disable-next-line default-case - switch (oldVersion) { - case 0: - db.createObjectStore(STORE_NAME); - } - } - }).catch(e => { - throw ERROR_FACTORY$3.create("idb-open" /* AppError.IDB_OPEN */, { - originalErrorMessage: e.message - }); - }); - } - return dbPromise$1; - } - async function readHeartbeatsFromIndexedDB(app) { - try { - const db = await getDbPromise$1(); - const result = await db - .transaction(STORE_NAME) - .objectStore(STORE_NAME) - .get(computeKey(app)); - return result; - } - catch (e) { - if (e instanceof FirebaseError) { - logger$2.warn(e.message); - } - else { - const idbGetError = ERROR_FACTORY$3.create("idb-get" /* AppError.IDB_GET */, { - originalErrorMessage: e === null || e === void 0 ? void 0 : e.message - }); - logger$2.warn(idbGetError.message); - } - } - } - async function writeHeartbeatsToIndexedDB(app, heartbeatObject) { - try { - const db = await getDbPromise$1(); - const tx = db.transaction(STORE_NAME, 'readwrite'); - const objectStore = tx.objectStore(STORE_NAME); - await objectStore.put(heartbeatObject, computeKey(app)); - await tx.done; - } - catch (e) { - if (e instanceof FirebaseError) { - logger$2.warn(e.message); - } - else { - const idbGetError = ERROR_FACTORY$3.create("idb-set" /* AppError.IDB_WRITE */, { - originalErrorMessage: e === null || e === void 0 ? void 0 : e.message - }); - logger$2.warn(idbGetError.message); - } - } - } - function computeKey(app) { - return `${app.name}!${app.options.appId}`; - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const MAX_HEADER_BYTES = 1024; - // 30 days - const STORED_HEARTBEAT_RETENTION_MAX_MILLIS = 30 * 24 * 60 * 60 * 1000; - class HeartbeatServiceImpl { - constructor(container) { - this.container = container; - /** - * In-memory cache for heartbeats, used by getHeartbeatsHeader() to generate - * the header string. - * Stores one record per date. This will be consolidated into the standard - * format of one record per user agent string before being sent as a header. - * Populated from indexedDB when the controller is instantiated and should - * be kept in sync with indexedDB. - * Leave public for easier testing. - */ - this._heartbeatsCache = null; - const app = this.container.getProvider('app').getImmediate(); - this._storage = new HeartbeatStorageImpl(app); - this._heartbeatsCachePromise = this._storage.read().then(result => { - this._heartbeatsCache = result; - return result; - }); - } - /** - * Called to report a heartbeat. The function will generate - * a HeartbeatsByUserAgent object, update heartbeatsCache, and persist it - * to IndexedDB. - * Note that we only store one heartbeat per day. So if a heartbeat for today is - * already logged, subsequent calls to this function in the same day will be ignored. - */ - async triggerHeartbeat() { - const platformLogger = this.container - .getProvider('platform-logger') - .getImmediate(); - // This is the "Firebase user agent" string from the platform logger - // service, not the browser user agent. - const agent = platformLogger.getPlatformInfoString(); - const date = getUTCDateString(); - if (this._heartbeatsCache === null) { - this._heartbeatsCache = await this._heartbeatsCachePromise; - } - // Do not store a heartbeat if one is already stored for this day - // or if a header has already been sent today. - if (this._heartbeatsCache.lastSentHeartbeatDate === date || - this._heartbeatsCache.heartbeats.some(singleDateHeartbeat => singleDateHeartbeat.date === date)) { - return; - } - else { - // There is no entry for this date. Create one. - this._heartbeatsCache.heartbeats.push({ date, agent }); - } - // Remove entries older than 30 days. - this._heartbeatsCache.heartbeats = this._heartbeatsCache.heartbeats.filter(singleDateHeartbeat => { - const hbTimestamp = new Date(singleDateHeartbeat.date).valueOf(); - const now = Date.now(); - return now - hbTimestamp <= STORED_HEARTBEAT_RETENTION_MAX_MILLIS; - }); - return this._storage.overwrite(this._heartbeatsCache); - } - /** - * Returns a base64 encoded string which can be attached to the heartbeat-specific header directly. - * It also clears all heartbeats from memory as well as in IndexedDB. - * - * NOTE: Consuming product SDKs should not send the header if this method - * returns an empty string. - */ - async getHeartbeatsHeader() { - if (this._heartbeatsCache === null) { - await this._heartbeatsCachePromise; - } - // If it's still null or the array is empty, there is no data to send. - if (this._heartbeatsCache === null || - this._heartbeatsCache.heartbeats.length === 0) { - return ''; - } - const date = getUTCDateString(); - // Extract as many heartbeats from the cache as will fit under the size limit. - const { heartbeatsToSend, unsentEntries } = extractHeartbeatsForHeader(this._heartbeatsCache.heartbeats); - const headerString = base64urlEncodeWithoutPadding(JSON.stringify({ version: 2, heartbeats: heartbeatsToSend })); - // Store last sent date to prevent another being logged/sent for the same day. - this._heartbeatsCache.lastSentHeartbeatDate = date; - if (unsentEntries.length > 0) { - // Store any unsent entries if they exist. - this._heartbeatsCache.heartbeats = unsentEntries; - // This seems more likely than emptying the array (below) to lead to some odd state - // since the cache isn't empty and this will be called again on the next request, - // and is probably safest if we await it. - await this._storage.overwrite(this._heartbeatsCache); - } - else { - this._heartbeatsCache.heartbeats = []; - // Do not wait for this, to reduce latency. - void this._storage.overwrite(this._heartbeatsCache); - } - return headerString; - } - } - function getUTCDateString() { - const today = new Date(); - // Returns date format 'YYYY-MM-DD' - return today.toISOString().substring(0, 10); - } - function extractHeartbeatsForHeader(heartbeatsCache, maxSize = MAX_HEADER_BYTES) { - // Heartbeats grouped by user agent in the standard format to be sent in - // the header. - const heartbeatsToSend = []; - // Single date format heartbeats that are not sent. - let unsentEntries = heartbeatsCache.slice(); - for (const singleDateHeartbeat of heartbeatsCache) { - // Look for an existing entry with the same user agent. - const heartbeatEntry = heartbeatsToSend.find(hb => hb.agent === singleDateHeartbeat.agent); - if (!heartbeatEntry) { - // If no entry for this user agent exists, create one. - heartbeatsToSend.push({ - agent: singleDateHeartbeat.agent, - dates: [singleDateHeartbeat.date] - }); - if (countBytes(heartbeatsToSend) > maxSize) { - // If the header would exceed max size, remove the added heartbeat - // entry and stop adding to the header. - heartbeatsToSend.pop(); - break; - } - } - else { - heartbeatEntry.dates.push(singleDateHeartbeat.date); - // If the header would exceed max size, remove the added date - // and stop adding to the header. - if (countBytes(heartbeatsToSend) > maxSize) { - heartbeatEntry.dates.pop(); - break; - } - } - // Pop unsent entry from queue. (Skipped if adding the entry exceeded - // quota and the loop breaks early.) - unsentEntries = unsentEntries.slice(1); - } - return { - heartbeatsToSend, - unsentEntries - }; - } - class HeartbeatStorageImpl { - constructor(app) { - this.app = app; - this._canUseIndexedDBPromise = this.runIndexedDBEnvironmentCheck(); - } - async runIndexedDBEnvironmentCheck() { - if (!isIndexedDBAvailable()) { - return false; - } - else { - return validateIndexedDBOpenable() - .then(() => true) - .catch(() => false); - } - } - /** - * Read all heartbeats. - */ - async read() { - const canUseIndexedDB = await this._canUseIndexedDBPromise; - if (!canUseIndexedDB) { - return { heartbeats: [] }; - } - else { - const idbHeartbeatObject = await readHeartbeatsFromIndexedDB(this.app); - return idbHeartbeatObject || { heartbeats: [] }; - } - } - // overwrite the storage with the provided heartbeats - async overwrite(heartbeatsObject) { - var _a; - const canUseIndexedDB = await this._canUseIndexedDBPromise; - if (!canUseIndexedDB) { - return; - } - else { - const existingHeartbeatsObject = await this.read(); - return writeHeartbeatsToIndexedDB(this.app, { - lastSentHeartbeatDate: (_a = heartbeatsObject.lastSentHeartbeatDate) !== null && _a !== void 0 ? _a : existingHeartbeatsObject.lastSentHeartbeatDate, - heartbeats: heartbeatsObject.heartbeats - }); - } - } - // add heartbeats - async add(heartbeatsObject) { - var _a; - const canUseIndexedDB = await this._canUseIndexedDBPromise; - if (!canUseIndexedDB) { - return; - } - else { - const existingHeartbeatsObject = await this.read(); - return writeHeartbeatsToIndexedDB(this.app, { - lastSentHeartbeatDate: (_a = heartbeatsObject.lastSentHeartbeatDate) !== null && _a !== void 0 ? _a : existingHeartbeatsObject.lastSentHeartbeatDate, - heartbeats: [ - ...existingHeartbeatsObject.heartbeats, - ...heartbeatsObject.heartbeats - ] - }); - } - } - } - /** - * Calculate bytes of a HeartbeatsByUserAgent array after being wrapped - * in a platform logging header JSON object, stringified, and converted - * to base 64. - */ - function countBytes(heartbeatsCache) { - // base64 has a restricted set of characters, all of which should be 1 byte. - return base64urlEncodeWithoutPadding( - // heartbeatsCache wrapper properties - JSON.stringify({ version: 2, heartbeats: heartbeatsCache })).length; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function registerCoreComponents$1(variant) { - _registerComponent(new Component('platform-logger', container => new PlatformLoggerServiceImpl(container), "PRIVATE" /* ComponentType.PRIVATE */)); - _registerComponent(new Component('heartbeat', container => new HeartbeatServiceImpl(container), "PRIVATE" /* ComponentType.PRIVATE */)); - // Register `app` package. - registerVersion(name$o, version$1$1, variant); - // BUILD_TARGET will be replaced by values like esm5, esm2017, cjs5, etc during the compilation - registerVersion(name$o, version$1$1, 'esm2017'); - // Register platform SDK identifier (no version). - registerVersion('fire-js', ''); - } - - /** - * Firebase App - * - * @remarks This package coordinates the communication between the different Firebase components - * @packageDocumentation - */ - registerCoreComponents$1(''); - - var modularAPIs = /*#__PURE__*/Object.freeze({ - __proto__: null, - SDK_VERSION: SDK_VERSION$1, - _DEFAULT_ENTRY_NAME: DEFAULT_ENTRY_NAME$1, - _addComponent: _addComponent, - _addOrOverwriteComponent: _addOrOverwriteComponent, - _apps: _apps, - _clearComponents: _clearComponents, - _components: _components, - _getProvider: _getProvider, - _registerComponent: _registerComponent, - _removeServiceInstance: _removeServiceInstance, - deleteApp: deleteApp, - getApp: getApp, - getApps: getApps, - initializeApp: initializeApp, - onLog: onLog, - registerVersion: registerVersion, - setLogLevel: setLogLevel$1, - FirebaseError: FirebaseError - }); - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Global context object for a collection of services using - * a shared authentication state. - * - * marked as internal because it references internal types exported from @firebase/app - * @internal - */ - class FirebaseAppImpl { - constructor(_delegate, firebase) { - this._delegate = _delegate; - this.firebase = firebase; - // add itself to container - _addComponent(_delegate, new Component('app-compat', () => this, "PUBLIC" /* ComponentType.PUBLIC */)); - this.container = _delegate.container; - } - get automaticDataCollectionEnabled() { - return this._delegate.automaticDataCollectionEnabled; - } - set automaticDataCollectionEnabled(val) { - this._delegate.automaticDataCollectionEnabled = val; - } - get name() { - return this._delegate.name; - } - get options() { - return this._delegate.options; - } - delete() { - return new Promise(resolve => { - this._delegate.checkDestroyed(); - resolve(); - }).then(() => { - this.firebase.INTERNAL.removeApp(this.name); - return deleteApp(this._delegate); - }); - } - /** - * Return a service instance associated with this app (creating it - * on demand), identified by the passed instanceIdentifier. - * - * NOTE: Currently storage and functions are the only ones that are leveraging this - * functionality. They invoke it by calling: - * - * ```javascript - * firebase.app().storage('STORAGE BUCKET ID') - * ``` - * - * The service name is passed to this already - * @internal - */ - _getService(name, instanceIdentifier = DEFAULT_ENTRY_NAME$1) { - var _a; - this._delegate.checkDestroyed(); - // Initialize instance if InstatiationMode is `EXPLICIT`. - const provider = this._delegate.container.getProvider(name); - if (!provider.isInitialized() && - ((_a = provider.getComponent()) === null || _a === void 0 ? void 0 : _a.instantiationMode) === "EXPLICIT" /* InstantiationMode.EXPLICIT */) { - provider.initialize(); - } - // getImmediate will always succeed because _getService is only called for registered components. - return provider.getImmediate({ - identifier: instanceIdentifier - }); - } - /** - * Remove a service instance from the cache, so we will create a new instance for this service - * when people try to get it again. - * - * NOTE: currently only firestore uses this functionality to support firestore shutdown. - * - * @param name The service name - * @param instanceIdentifier instance identifier in case multiple instances are allowed - * @internal - */ - _removeServiceInstance(name, instanceIdentifier = DEFAULT_ENTRY_NAME$1) { - this._delegate.container - // eslint-disable-next-line @typescript-eslint/no-explicit-any - .getProvider(name) - .clearInstance(instanceIdentifier); - } - /** - * @param component the component being added to this app's container - * @internal - */ - _addComponent(component) { - _addComponent(this._delegate, component); - } - _addOrOverwriteComponent(component) { - _addOrOverwriteComponent(this._delegate, component); - } - toJSON() { - return { - name: this.name, - automaticDataCollectionEnabled: this.automaticDataCollectionEnabled, - options: this.options - }; - } - } - // TODO: investigate why the following needs to be commented out - // Prevent dead-code elimination of these methods w/o invalid property - // copying. - // (FirebaseAppImpl.prototype.name && FirebaseAppImpl.prototype.options) || - // FirebaseAppImpl.prototype.delete || - // console.log('dc'); - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const ERRORS = { - ["no-app" /* AppError.NO_APP */]: "No Firebase App '{$appName}' has been created - " + - 'call Firebase App.initializeApp()', - ["invalid-app-argument" /* AppError.INVALID_APP_ARGUMENT */]: 'firebase.{$appName}() takes either no argument or a ' + - 'Firebase App instance.' - }; - const ERROR_FACTORY$2 = new ErrorFactory('app-compat', 'Firebase', ERRORS); - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Because auth can't share code with other components, we attach the utility functions - * in an internal namespace to share code. - * This function return a firebase namespace object without - * any utility functions, so it can be shared between the regular firebaseNamespace and - * the lite version. - */ - function createFirebaseNamespaceCore(firebaseAppImpl) { - const apps = {}; - // // eslint-disable-next-line @typescript-eslint/no-explicit-any - // const components = new Map>(); - // A namespace is a plain JavaScript Object. - const namespace = { - // Hack to prevent Babel from modifying the object returned - // as the firebase namespace. - // @ts-ignore - __esModule: true, - initializeApp: initializeAppCompat, - // @ts-ignore - app, - registerVersion: registerVersion, - setLogLevel: setLogLevel$1, - onLog: onLog, - // @ts-ignore - apps: null, - SDK_VERSION: SDK_VERSION$1, - INTERNAL: { - registerComponent: registerComponentCompat, - removeApp, - useAsService, - modularAPIs - } - }; - // Inject a circular default export to allow Babel users who were previously - // using: - // - // import firebase from 'firebase'; - // which becomes: var firebase = require('firebase').default; - // - // instead of - // - // import * as firebase from 'firebase'; - // which becomes: var firebase = require('firebase'); - // eslint-disable-next-line @typescript-eslint/no-explicit-any - namespace['default'] = namespace; - // firebase.apps is a read-only getter. - Object.defineProperty(namespace, 'apps', { - get: getApps - }); - /** - * Called by App.delete() - but before any services associated with the App - * are deleted. - */ - function removeApp(name) { - delete apps[name]; - } - /** - * Get the App object for a given name (or DEFAULT). - */ - function app(name) { - name = name || DEFAULT_ENTRY_NAME$1; - if (!contains$1(apps, name)) { - throw ERROR_FACTORY$2.create("no-app" /* AppError.NO_APP */, { appName: name }); - } - return apps[name]; - } - // @ts-ignore - app['App'] = firebaseAppImpl; - /** - * Create a new App instance (name must be unique). - * - * This function is idempotent. It can be called more than once and return the same instance using the same options and config. - */ - function initializeAppCompat(options, rawConfig = {}) { - const app = initializeApp(options, rawConfig); - if (contains$1(apps, app.name)) { - return apps[app.name]; - } - const appCompat = new firebaseAppImpl(app, namespace); - apps[app.name] = appCompat; - return appCompat; - } - /* - * Return an array of all the non-deleted FirebaseApps. - */ - function getApps() { - // Make a copy so caller cannot mutate the apps list. - return Object.keys(apps).map(name => apps[name]); - } - function registerComponentCompat(component) { - const componentName = component.name; - const componentNameWithoutCompat = componentName.replace('-compat', ''); - if (_registerComponent(component) && - component.type === "PUBLIC" /* ComponentType.PUBLIC */) { - // create service namespace for public components - // The Service namespace is an accessor function ... - const serviceNamespace = (appArg = app()) => { - // eslint-disable-next-line @typescript-eslint/no-explicit-any - if (typeof appArg[componentNameWithoutCompat] !== 'function') { - // Invalid argument. - // This happens in the following case: firebase.storage('gs:/') - throw ERROR_FACTORY$2.create("invalid-app-argument" /* AppError.INVALID_APP_ARGUMENT */, { - appName: componentName - }); - } - // Forward service instance lookup to the FirebaseApp. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - return appArg[componentNameWithoutCompat](); - }; - // ... and a container for service-level properties. - if (component.serviceProps !== undefined) { - deepExtend(serviceNamespace, component.serviceProps); - } - // eslint-disable-next-line @typescript-eslint/no-explicit-any - namespace[componentNameWithoutCompat] = serviceNamespace; - // Patch the FirebaseAppImpl prototype - // eslint-disable-next-line @typescript-eslint/no-explicit-any - firebaseAppImpl.prototype[componentNameWithoutCompat] = - // TODO: The eslint disable can be removed and the 'ignoreRestArgs' - // option added to the no-explicit-any rule when ESlint releases it. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - function (...args) { - const serviceFxn = this._getService.bind(this, componentName); - return serviceFxn.apply(this, component.multipleInstances ? args : []); - }; - } - return component.type === "PUBLIC" /* ComponentType.PUBLIC */ - ? // eslint-disable-next-line @typescript-eslint/no-explicit-any - namespace[componentNameWithoutCompat] - : null; - } - // Map the requested service to a registered service name - // (used to map auth to serverAuth service when needed). - function useAsService(app, name) { - if (name === 'serverAuth') { - return null; - } - const useService = name; - return useService; - } - return namespace; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Return a firebase namespace object. - * - * In production, this will be called exactly once and the result - * assigned to the 'firebase' global. It may be called multiple times - * in unit tests. - */ - function createFirebaseNamespace() { - const namespace = createFirebaseNamespaceCore(FirebaseAppImpl); - namespace.INTERNAL = Object.assign(Object.assign({}, namespace.INTERNAL), { createFirebaseNamespace, - extendNamespace, - createSubscribe, - ErrorFactory, - deepExtend }); - /** - * Patch the top-level firebase namespace with additional properties. - * - * firebase.INTERNAL.extendNamespace() - */ - function extendNamespace(props) { - deepExtend(namespace, props); - } - return namespace; - } - const firebase$1 = createFirebaseNamespace(); - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const logger$1 = new Logger('@firebase/app-compat'); - - const name$7 = "@firebase/app-compat"; - const version$7 = "0.2.11"; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function registerCoreComponents(variant) { - // Register `app` package. - registerVersion(name$7, version$7, variant); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // Firebase Lite detection - // eslint-disable-next-line @typescript-eslint/no-explicit-any - if (isBrowser() && self.firebase !== undefined) { - logger$1.warn(` - Warning: Firebase is already defined in the global scope. Please make sure - Firebase library is only loaded once. - `); - // eslint-disable-next-line - const sdkVersion = self.firebase.SDK_VERSION; - if (sdkVersion && sdkVersion.indexOf('LITE') >= 0) { - logger$1.warn(` - Warning: You are trying to load Firebase while using Firebase Performance standalone script. - You should load Firebase Performance with this instance of Firebase to avoid loading duplicate code. - `); - } - } - const firebase = firebase$1; - registerCoreComponents(); - - var name$6 = "firebase"; - var version$6 = "9.22.1"; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - firebase.registerVersion(name$6, version$6, 'app-compat'); - - const instanceOfAny = (object, constructors) => constructors.some((c) => object instanceof c); - - let idbProxyableTypes; - let cursorAdvanceMethods; - // This is a function to prevent it throwing up in node environments. - function getIdbProxyableTypes() { - return (idbProxyableTypes || - (idbProxyableTypes = [ - IDBDatabase, - IDBObjectStore, - IDBIndex, - IDBCursor, - IDBTransaction, - ])); - } - // This is a function to prevent it throwing up in node environments. - function getCursorAdvanceMethods() { - return (cursorAdvanceMethods || - (cursorAdvanceMethods = [ - IDBCursor.prototype.advance, - IDBCursor.prototype.continue, - IDBCursor.prototype.continuePrimaryKey, - ])); - } - const cursorRequestMap = new WeakMap(); - const transactionDoneMap = new WeakMap(); - const transactionStoreNamesMap = new WeakMap(); - const transformCache = new WeakMap(); - const reverseTransformCache = new WeakMap(); - function promisifyRequest(request) { - const promise = new Promise((resolve, reject) => { - const unlisten = () => { - request.removeEventListener('success', success); - request.removeEventListener('error', error); - }; - const success = () => { - resolve(wrap(request.result)); - unlisten(); - }; - const error = () => { - reject(request.error); - unlisten(); - }; - request.addEventListener('success', success); - request.addEventListener('error', error); - }); - promise - .then((value) => { - // Since cursoring reuses the IDBRequest (*sigh*), we cache it for later retrieval - // (see wrapFunction). - if (value instanceof IDBCursor) { - cursorRequestMap.set(value, request); - } - // Catching to avoid "Uncaught Promise exceptions" - }) - .catch(() => { }); - // This mapping exists in reverseTransformCache but doesn't doesn't exist in transformCache. This - // is because we create many promises from a single IDBRequest. - reverseTransformCache.set(promise, request); - return promise; - } - function cacheDonePromiseForTransaction(tx) { - // Early bail if we've already created a done promise for this transaction. - if (transactionDoneMap.has(tx)) - return; - const done = new Promise((resolve, reject) => { - const unlisten = () => { - tx.removeEventListener('complete', complete); - tx.removeEventListener('error', error); - tx.removeEventListener('abort', error); - }; - const complete = () => { - resolve(); - unlisten(); - }; - const error = () => { - reject(tx.error || new DOMException('AbortError', 'AbortError')); - unlisten(); - }; - tx.addEventListener('complete', complete); - tx.addEventListener('error', error); - tx.addEventListener('abort', error); - }); - // Cache it for later retrieval. - transactionDoneMap.set(tx, done); - } - let idbProxyTraps = { - get(target, prop, receiver) { - if (target instanceof IDBTransaction) { - // Special handling for transaction.done. - if (prop === 'done') - return transactionDoneMap.get(target); - // Polyfill for objectStoreNames because of Edge. - if (prop === 'objectStoreNames') { - return target.objectStoreNames || transactionStoreNamesMap.get(target); - } - // Make tx.store return the only store in the transaction, or undefined if there are many. - if (prop === 'store') { - return receiver.objectStoreNames[1] - ? undefined - : receiver.objectStore(receiver.objectStoreNames[0]); - } - } - // Else transform whatever we get back. - return wrap(target[prop]); - }, - set(target, prop, value) { - target[prop] = value; - return true; - }, - has(target, prop) { - if (target instanceof IDBTransaction && - (prop === 'done' || prop === 'store')) { - return true; - } - return prop in target; - }, - }; - function replaceTraps(callback) { - idbProxyTraps = callback(idbProxyTraps); - } - function wrapFunction(func) { - // Due to expected object equality (which is enforced by the caching in `wrap`), we - // only create one new func per func. - // Edge doesn't support objectStoreNames (booo), so we polyfill it here. - if (func === IDBDatabase.prototype.transaction && - !('objectStoreNames' in IDBTransaction.prototype)) { - return function (storeNames, ...args) { - const tx = func.call(unwrap$1(this), storeNames, ...args); - transactionStoreNamesMap.set(tx, storeNames.sort ? storeNames.sort() : [storeNames]); - return wrap(tx); - }; - } - // Cursor methods are special, as the behaviour is a little more different to standard IDB. In - // IDB, you advance the cursor and wait for a new 'success' on the IDBRequest that gave you the - // cursor. It's kinda like a promise that can resolve with many values. That doesn't make sense - // with real promises, so each advance methods returns a new promise for the cursor object, or - // undefined if the end of the cursor has been reached. - if (getCursorAdvanceMethods().includes(func)) { - return function (...args) { - // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use - // the original object. - func.apply(unwrap$1(this), args); - return wrap(cursorRequestMap.get(this)); - }; - } - return function (...args) { - // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use - // the original object. - return wrap(func.apply(unwrap$1(this), args)); - }; - } - function transformCachableValue(value) { - if (typeof value === 'function') - return wrapFunction(value); - // This doesn't return, it just creates a 'done' promise for the transaction, - // which is later returned for transaction.done (see idbObjectHandler). - if (value instanceof IDBTransaction) - cacheDonePromiseForTransaction(value); - if (instanceOfAny(value, getIdbProxyableTypes())) - return new Proxy(value, idbProxyTraps); - // Return the same value back if we're not going to transform it. - return value; - } - function wrap(value) { - // We sometimes generate multiple promises from a single IDBRequest (eg when cursoring), because - // IDB is weird and a single IDBRequest can yield many responses, so these can't be cached. - if (value instanceof IDBRequest) - return promisifyRequest(value); - // If we've already transformed this value before, reuse the transformed value. - // This is faster, but it also provides object equality. - if (transformCache.has(value)) - return transformCache.get(value); - const newValue = transformCachableValue(value); - // Not all types are transformed. - // These may be primitive types, so they can't be WeakMap keys. - if (newValue !== value) { - transformCache.set(value, newValue); - reverseTransformCache.set(newValue, value); - } - return newValue; - } - const unwrap$1 = (value) => reverseTransformCache.get(value); - - /** - * Open a database. - * - * @param name Name of the database. - * @param version Schema version. - * @param callbacks Additional callbacks. - */ - function openDB(name, version, { blocked, upgrade, blocking, terminated } = {}) { - const request = indexedDB.open(name, version); - const openPromise = wrap(request); - if (upgrade) { - request.addEventListener('upgradeneeded', (event) => { - upgrade(wrap(request.result), event.oldVersion, event.newVersion, wrap(request.transaction)); - }); - } - if (blocked) - request.addEventListener('blocked', () => blocked()); - openPromise - .then((db) => { - if (terminated) - db.addEventListener('close', () => terminated()); - if (blocking) - db.addEventListener('versionchange', () => blocking()); - }) - .catch(() => { }); - return openPromise; - } - - const readMethods = ['get', 'getKey', 'getAll', 'getAllKeys', 'count']; - const writeMethods = ['put', 'add', 'delete', 'clear']; - const cachedMethods = new Map(); - function getMethod(target, prop) { - if (!(target instanceof IDBDatabase && - !(prop in target) && - typeof prop === 'string')) { - return; - } - if (cachedMethods.get(prop)) - return cachedMethods.get(prop); - const targetFuncName = prop.replace(/FromIndex$/, ''); - const useIndex = prop !== targetFuncName; - const isWrite = writeMethods.includes(targetFuncName); - if ( - // Bail if the target doesn't exist on the target. Eg, getAll isn't in Edge. - !(targetFuncName in (useIndex ? IDBIndex : IDBObjectStore).prototype) || - !(isWrite || readMethods.includes(targetFuncName))) { - return; - } - const method = async function (storeName, ...args) { - // isWrite ? 'readwrite' : undefined gzipps better, but fails in Edge :( - const tx = this.transaction(storeName, isWrite ? 'readwrite' : 'readonly'); - let target = tx.store; - if (useIndex) - target = target.index(args.shift()); - // Must reject if op rejects. - // If it's a write operation, must reject if tx.done rejects. - // Must reject with op rejection first. - // Must resolve with op value. - // Must handle both promises (no unhandled rejections) - return (await Promise.all([ - target[targetFuncName](...args), - isWrite && tx.done, - ]))[0]; - }; - cachedMethods.set(prop, method); - return method; - } - replaceTraps((oldTraps) => ({ - ...oldTraps, - get: (target, prop, receiver) => getMethod(target, prop) || oldTraps.get(target, prop, receiver), - has: (target, prop) => !!getMethod(target, prop) || oldTraps.has(target, prop), - })); - - const name$5 = "@firebase/installations"; - const version$5 = "0.6.4"; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const PENDING_TIMEOUT_MS = 10000; - const PACKAGE_VERSION = `w:${version$5}`; - const INTERNAL_AUTH_VERSION = 'FIS_v2'; - const INSTALLATIONS_API_URL = 'https://firebaseinstallations.googleapis.com/v1'; - const TOKEN_EXPIRATION_BUFFER = 60 * 60 * 1000; // One hour - const SERVICE$1 = 'installations'; - const SERVICE_NAME$1 = 'Installations'; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const ERROR_DESCRIPTION_MAP$1 = { - ["missing-app-config-values" /* ErrorCode.MISSING_APP_CONFIG_VALUES */]: 'Missing App configuration value: "{$valueName}"', - ["not-registered" /* ErrorCode.NOT_REGISTERED */]: 'Firebase Installation is not registered.', - ["installation-not-found" /* ErrorCode.INSTALLATION_NOT_FOUND */]: 'Firebase Installation not found.', - ["request-failed" /* ErrorCode.REQUEST_FAILED */]: '{$requestName} request failed with error "{$serverCode} {$serverStatus}: {$serverMessage}"', - ["app-offline" /* ErrorCode.APP_OFFLINE */]: 'Could not process request. Application offline.', - ["delete-pending-registration" /* ErrorCode.DELETE_PENDING_REGISTRATION */]: "Can't delete installation while there is a pending registration request." - }; - const ERROR_FACTORY$1 = new ErrorFactory(SERVICE$1, SERVICE_NAME$1, ERROR_DESCRIPTION_MAP$1); - /** Returns true if error is a FirebaseError that is based on an error from the server. */ - function isServerError(error) { - return (error instanceof FirebaseError && - error.code.includes("request-failed" /* ErrorCode.REQUEST_FAILED */)); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function getInstallationsEndpoint({ projectId }) { - return `${INSTALLATIONS_API_URL}/projects/${projectId}/installations`; - } - function extractAuthTokenInfoFromResponse(response) { - return { - token: response.token, - requestStatus: 2 /* RequestStatus.COMPLETED */, - expiresIn: getExpiresInFromResponseExpiresIn(response.expiresIn), - creationTime: Date.now() - }; - } - async function getErrorFromResponse(requestName, response) { - const responseJson = await response.json(); - const errorData = responseJson.error; - return ERROR_FACTORY$1.create("request-failed" /* ErrorCode.REQUEST_FAILED */, { - requestName, - serverCode: errorData.code, - serverMessage: errorData.message, - serverStatus: errorData.status - }); - } - function getHeaders({ apiKey }) { - return new Headers({ - 'Content-Type': 'application/json', - Accept: 'application/json', - 'x-goog-api-key': apiKey - }); - } - function getHeadersWithAuth(appConfig, { refreshToken }) { - const headers = getHeaders(appConfig); - headers.append('Authorization', getAuthorizationHeader(refreshToken)); - return headers; - } - /** - * Calls the passed in fetch wrapper and returns the response. - * If the returned response has a status of 5xx, re-runs the function once and - * returns the response. - */ - async function retryIfServerError(fn) { - const result = await fn(); - if (result.status >= 500 && result.status < 600) { - // Internal Server Error. Retry request. - return fn(); - } - return result; - } - function getExpiresInFromResponseExpiresIn(responseExpiresIn) { - // This works because the server will never respond with fractions of a second. - return Number(responseExpiresIn.replace('s', '000')); - } - function getAuthorizationHeader(refreshToken) { - return `${INTERNAL_AUTH_VERSION} ${refreshToken}`; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function createInstallationRequest({ appConfig, heartbeatServiceProvider }, { fid }) { - const endpoint = getInstallationsEndpoint(appConfig); - const headers = getHeaders(appConfig); - // If heartbeat service exists, add the heartbeat string to the header. - const heartbeatService = heartbeatServiceProvider.getImmediate({ - optional: true - }); - if (heartbeatService) { - const heartbeatsHeader = await heartbeatService.getHeartbeatsHeader(); - if (heartbeatsHeader) { - headers.append('x-firebase-client', heartbeatsHeader); - } - } - const body = { - fid, - authVersion: INTERNAL_AUTH_VERSION, - appId: appConfig.appId, - sdkVersion: PACKAGE_VERSION - }; - const request = { - method: 'POST', - headers, - body: JSON.stringify(body) - }; - const response = await retryIfServerError(() => fetch(endpoint, request)); - if (response.ok) { - const responseValue = await response.json(); - const registeredInstallationEntry = { - fid: responseValue.fid || fid, - registrationStatus: 2 /* RequestStatus.COMPLETED */, - refreshToken: responseValue.refreshToken, - authToken: extractAuthTokenInfoFromResponse(responseValue.authToken) - }; - return registeredInstallationEntry; - } - else { - throw await getErrorFromResponse('Create Installation', response); - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Returns a promise that resolves after given time passes. */ - function sleep(ms) { - return new Promise(resolve => { - setTimeout(resolve, ms); - }); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function bufferToBase64UrlSafe(array) { - const b64 = btoa(String.fromCharCode(...array)); - return b64.replace(/\+/g, '-').replace(/\//g, '_'); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const VALID_FID_PATTERN = /^[cdef][\w-]{21}$/; - const INVALID_FID = ''; - /** - * Generates a new FID using random values from Web Crypto API. - * Returns an empty string if FID generation fails for any reason. - */ - function generateFid() { - try { - // A valid FID has exactly 22 base64 characters, which is 132 bits, or 16.5 - // bytes. our implementation generates a 17 byte array instead. - const fidByteArray = new Uint8Array(17); - const crypto = self.crypto || self.msCrypto; - crypto.getRandomValues(fidByteArray); - // Replace the first 4 random bits with the constant FID header of 0b0111. - fidByteArray[0] = 0b01110000 + (fidByteArray[0] % 0b00010000); - const fid = encode(fidByteArray); - return VALID_FID_PATTERN.test(fid) ? fid : INVALID_FID; - } - catch (_a) { - // FID generation errored - return INVALID_FID; - } - } - /** Converts a FID Uint8Array to a base64 string representation. */ - function encode(fidByteArray) { - const b64String = bufferToBase64UrlSafe(fidByteArray); - // Remove the 23rd character that was added because of the extra 4 bits at the - // end of our 17 byte array, and the '=' padding. - return b64String.substr(0, 22); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Returns a string key that can be used to identify the app. */ - function getKey(appConfig) { - return `${appConfig.appName}!${appConfig.appId}`; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const fidChangeCallbacks = new Map(); - /** - * Calls the onIdChange callbacks with the new FID value, and broadcasts the - * change to other tabs. - */ - function fidChanged(appConfig, fid) { - const key = getKey(appConfig); - callFidChangeCallbacks(key, fid); - broadcastFidChange(key, fid); - } - function callFidChangeCallbacks(key, fid) { - const callbacks = fidChangeCallbacks.get(key); - if (!callbacks) { - return; - } - for (const callback of callbacks) { - callback(fid); - } - } - function broadcastFidChange(key, fid) { - const channel = getBroadcastChannel(); - if (channel) { - channel.postMessage({ key, fid }); - } - closeBroadcastChannel(); - } - let broadcastChannel = null; - /** Opens and returns a BroadcastChannel if it is supported by the browser. */ - function getBroadcastChannel() { - if (!broadcastChannel && 'BroadcastChannel' in self) { - broadcastChannel = new BroadcastChannel('[Firebase] FID Change'); - broadcastChannel.onmessage = e => { - callFidChangeCallbacks(e.data.key, e.data.fid); - }; - } - return broadcastChannel; - } - function closeBroadcastChannel() { - if (fidChangeCallbacks.size === 0 && broadcastChannel) { - broadcastChannel.close(); - broadcastChannel = null; - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DATABASE_NAME = 'firebase-installations-database'; - const DATABASE_VERSION = 1; - const OBJECT_STORE_NAME = 'firebase-installations-store'; - let dbPromise = null; - function getDbPromise() { - if (!dbPromise) { - dbPromise = openDB(DATABASE_NAME, DATABASE_VERSION, { - upgrade: (db, oldVersion) => { - // We don't use 'break' in this switch statement, the fall-through - // behavior is what we want, because if there are multiple versions between - // the old version and the current version, we want ALL the migrations - // that correspond to those versions to run, not only the last one. - // eslint-disable-next-line default-case - switch (oldVersion) { - case 0: - db.createObjectStore(OBJECT_STORE_NAME); - } - } - }); - } - return dbPromise; - } - /** Assigns or overwrites the record for the given key with the given value. */ - async function set$1(appConfig, value) { - const key = getKey(appConfig); - const db = await getDbPromise(); - const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite'); - const objectStore = tx.objectStore(OBJECT_STORE_NAME); - const oldValue = (await objectStore.get(key)); - await objectStore.put(value, key); - await tx.done; - if (!oldValue || oldValue.fid !== value.fid) { - fidChanged(appConfig, value.fid); - } - return value; - } - /** Removes record(s) from the objectStore that match the given key. */ - async function remove$1(appConfig) { - const key = getKey(appConfig); - const db = await getDbPromise(); - const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite'); - await tx.objectStore(OBJECT_STORE_NAME).delete(key); - await tx.done; - } - /** - * Atomically updates a record with the result of updateFn, which gets - * called with the current value. If newValue is undefined, the record is - * deleted instead. - * @return Updated value - */ - async function update(appConfig, updateFn) { - const key = getKey(appConfig); - const db = await getDbPromise(); - const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite'); - const store = tx.objectStore(OBJECT_STORE_NAME); - const oldValue = (await store.get(key)); - const newValue = updateFn(oldValue); - if (newValue === undefined) { - await store.delete(key); - } - else { - await store.put(newValue, key); - } - await tx.done; - if (newValue && (!oldValue || oldValue.fid !== newValue.fid)) { - fidChanged(appConfig, newValue.fid); - } - return newValue; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Updates and returns the InstallationEntry from the database. - * Also triggers a registration request if it is necessary and possible. - */ - async function getInstallationEntry(installations) { - let registrationPromise; - const installationEntry = await update(installations.appConfig, oldEntry => { - const installationEntry = updateOrCreateInstallationEntry(oldEntry); - const entryWithPromise = triggerRegistrationIfNecessary(installations, installationEntry); - registrationPromise = entryWithPromise.registrationPromise; - return entryWithPromise.installationEntry; - }); - if (installationEntry.fid === INVALID_FID) { - // FID generation failed. Waiting for the FID from the server. - return { installationEntry: await registrationPromise }; - } - return { - installationEntry, - registrationPromise - }; - } - /** - * Creates a new Installation Entry if one does not exist. - * Also clears timed out pending requests. - */ - function updateOrCreateInstallationEntry(oldEntry) { - const entry = oldEntry || { - fid: generateFid(), - registrationStatus: 0 /* RequestStatus.NOT_STARTED */ - }; - return clearTimedOutRequest(entry); - } - /** - * If the Firebase Installation is not registered yet, this will trigger the - * registration and return an InProgressInstallationEntry. - * - * If registrationPromise does not exist, the installationEntry is guaranteed - * to be registered. - */ - function triggerRegistrationIfNecessary(installations, installationEntry) { - if (installationEntry.registrationStatus === 0 /* RequestStatus.NOT_STARTED */) { - if (!navigator.onLine) { - // Registration required but app is offline. - const registrationPromiseWithError = Promise.reject(ERROR_FACTORY$1.create("app-offline" /* ErrorCode.APP_OFFLINE */)); - return { - installationEntry, - registrationPromise: registrationPromiseWithError - }; - } - // Try registering. Change status to IN_PROGRESS. - const inProgressEntry = { - fid: installationEntry.fid, - registrationStatus: 1 /* RequestStatus.IN_PROGRESS */, - registrationTime: Date.now() - }; - const registrationPromise = registerInstallation(installations, inProgressEntry); - return { installationEntry: inProgressEntry, registrationPromise }; - } - else if (installationEntry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */) { - return { - installationEntry, - registrationPromise: waitUntilFidRegistration(installations) - }; - } - else { - return { installationEntry }; - } - } - /** This will be executed only once for each new Firebase Installation. */ - async function registerInstallation(installations, installationEntry) { - try { - const registeredInstallationEntry = await createInstallationRequest(installations, installationEntry); - return set$1(installations.appConfig, registeredInstallationEntry); - } - catch (e) { - if (isServerError(e) && e.customData.serverCode === 409) { - // Server returned a "FID can not be used" error. - // Generate a new ID next time. - await remove$1(installations.appConfig); - } - else { - // Registration failed. Set FID as not registered. - await set$1(installations.appConfig, { - fid: installationEntry.fid, - registrationStatus: 0 /* RequestStatus.NOT_STARTED */ - }); - } - throw e; - } - } - /** Call if FID registration is pending in another request. */ - async function waitUntilFidRegistration(installations) { - // Unfortunately, there is no way of reliably observing when a value in - // IndexedDB changes (yet, see https://github.com/WICG/indexed-db-observers), - // so we need to poll. - let entry = await updateInstallationRequest(installations.appConfig); - while (entry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */) { - // createInstallation request still in progress. - await sleep(100); - entry = await updateInstallationRequest(installations.appConfig); - } - if (entry.registrationStatus === 0 /* RequestStatus.NOT_STARTED */) { - // The request timed out or failed in a different call. Try again. - const { installationEntry, registrationPromise } = await getInstallationEntry(installations); - if (registrationPromise) { - return registrationPromise; - } - else { - // if there is no registrationPromise, entry is registered. - return installationEntry; - } - } - return entry; - } - /** - * Called only if there is a CreateInstallation request in progress. - * - * Updates the InstallationEntry in the DB based on the status of the - * CreateInstallation request. - * - * Returns the updated InstallationEntry. - */ - function updateInstallationRequest(appConfig) { - return update(appConfig, oldEntry => { - if (!oldEntry) { - throw ERROR_FACTORY$1.create("installation-not-found" /* ErrorCode.INSTALLATION_NOT_FOUND */); - } - return clearTimedOutRequest(oldEntry); - }); - } - function clearTimedOutRequest(entry) { - if (hasInstallationRequestTimedOut(entry)) { - return { - fid: entry.fid, - registrationStatus: 0 /* RequestStatus.NOT_STARTED */ - }; - } - return entry; - } - function hasInstallationRequestTimedOut(installationEntry) { - return (installationEntry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */ && - installationEntry.registrationTime + PENDING_TIMEOUT_MS < Date.now()); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function generateAuthTokenRequest({ appConfig, heartbeatServiceProvider }, installationEntry) { - const endpoint = getGenerateAuthTokenEndpoint(appConfig, installationEntry); - const headers = getHeadersWithAuth(appConfig, installationEntry); - // If heartbeat service exists, add the heartbeat string to the header. - const heartbeatService = heartbeatServiceProvider.getImmediate({ - optional: true - }); - if (heartbeatService) { - const heartbeatsHeader = await heartbeatService.getHeartbeatsHeader(); - if (heartbeatsHeader) { - headers.append('x-firebase-client', heartbeatsHeader); - } - } - const body = { - installation: { - sdkVersion: PACKAGE_VERSION, - appId: appConfig.appId - } - }; - const request = { - method: 'POST', - headers, - body: JSON.stringify(body) - }; - const response = await retryIfServerError(() => fetch(endpoint, request)); - if (response.ok) { - const responseValue = await response.json(); - const completedAuthToken = extractAuthTokenInfoFromResponse(responseValue); - return completedAuthToken; - } - else { - throw await getErrorFromResponse('Generate Auth Token', response); - } - } - function getGenerateAuthTokenEndpoint(appConfig, { fid }) { - return `${getInstallationsEndpoint(appConfig)}/${fid}/authTokens:generate`; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns a valid authentication token for the installation. Generates a new - * token if one doesn't exist, is expired or about to expire. - * - * Should only be called if the Firebase Installation is registered. - */ - async function refreshAuthToken(installations, forceRefresh = false) { - let tokenPromise; - const entry = await update(installations.appConfig, oldEntry => { - if (!isEntryRegistered(oldEntry)) { - throw ERROR_FACTORY$1.create("not-registered" /* ErrorCode.NOT_REGISTERED */); - } - const oldAuthToken = oldEntry.authToken; - if (!forceRefresh && isAuthTokenValid(oldAuthToken)) { - // There is a valid token in the DB. - return oldEntry; - } - else if (oldAuthToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */) { - // There already is a token request in progress. - tokenPromise = waitUntilAuthTokenRequest(installations, forceRefresh); - return oldEntry; - } - else { - // No token or token expired. - if (!navigator.onLine) { - throw ERROR_FACTORY$1.create("app-offline" /* ErrorCode.APP_OFFLINE */); - } - const inProgressEntry = makeAuthTokenRequestInProgressEntry(oldEntry); - tokenPromise = fetchAuthTokenFromServer(installations, inProgressEntry); - return inProgressEntry; - } - }); - const authToken = tokenPromise - ? await tokenPromise - : entry.authToken; - return authToken; - } - /** - * Call only if FID is registered and Auth Token request is in progress. - * - * Waits until the current pending request finishes. If the request times out, - * tries once in this thread as well. - */ - async function waitUntilAuthTokenRequest(installations, forceRefresh) { - // Unfortunately, there is no way of reliably observing when a value in - // IndexedDB changes (yet, see https://github.com/WICG/indexed-db-observers), - // so we need to poll. - let entry = await updateAuthTokenRequest(installations.appConfig); - while (entry.authToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */) { - // generateAuthToken still in progress. - await sleep(100); - entry = await updateAuthTokenRequest(installations.appConfig); - } - const authToken = entry.authToken; - if (authToken.requestStatus === 0 /* RequestStatus.NOT_STARTED */) { - // The request timed out or failed in a different call. Try again. - return refreshAuthToken(installations, forceRefresh); - } - else { - return authToken; - } - } - /** - * Called only if there is a GenerateAuthToken request in progress. - * - * Updates the InstallationEntry in the DB based on the status of the - * GenerateAuthToken request. - * - * Returns the updated InstallationEntry. - */ - function updateAuthTokenRequest(appConfig) { - return update(appConfig, oldEntry => { - if (!isEntryRegistered(oldEntry)) { - throw ERROR_FACTORY$1.create("not-registered" /* ErrorCode.NOT_REGISTERED */); - } - const oldAuthToken = oldEntry.authToken; - if (hasAuthTokenRequestTimedOut(oldAuthToken)) { - return Object.assign(Object.assign({}, oldEntry), { authToken: { requestStatus: 0 /* RequestStatus.NOT_STARTED */ } }); - } - return oldEntry; - }); - } - async function fetchAuthTokenFromServer(installations, installationEntry) { - try { - const authToken = await generateAuthTokenRequest(installations, installationEntry); - const updatedInstallationEntry = Object.assign(Object.assign({}, installationEntry), { authToken }); - await set$1(installations.appConfig, updatedInstallationEntry); - return authToken; - } - catch (e) { - if (isServerError(e) && - (e.customData.serverCode === 401 || e.customData.serverCode === 404)) { - // Server returned a "FID not found" or a "Invalid authentication" error. - // Generate a new ID next time. - await remove$1(installations.appConfig); - } - else { - const updatedInstallationEntry = Object.assign(Object.assign({}, installationEntry), { authToken: { requestStatus: 0 /* RequestStatus.NOT_STARTED */ } }); - await set$1(installations.appConfig, updatedInstallationEntry); - } - throw e; - } - } - function isEntryRegistered(installationEntry) { - return (installationEntry !== undefined && - installationEntry.registrationStatus === 2 /* RequestStatus.COMPLETED */); - } - function isAuthTokenValid(authToken) { - return (authToken.requestStatus === 2 /* RequestStatus.COMPLETED */ && - !isAuthTokenExpired(authToken)); - } - function isAuthTokenExpired(authToken) { - const now = Date.now(); - return (now < authToken.creationTime || - authToken.creationTime + authToken.expiresIn < now + TOKEN_EXPIRATION_BUFFER); - } - /** Returns an updated InstallationEntry with an InProgressAuthToken. */ - function makeAuthTokenRequestInProgressEntry(oldEntry) { - const inProgressAuthToken = { - requestStatus: 1 /* RequestStatus.IN_PROGRESS */, - requestTime: Date.now() - }; - return Object.assign(Object.assign({}, oldEntry), { authToken: inProgressAuthToken }); - } - function hasAuthTokenRequestTimedOut(authToken) { - return (authToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */ && - authToken.requestTime + PENDING_TIMEOUT_MS < Date.now()); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Creates a Firebase Installation if there isn't one for the app and - * returns the Installation ID. - * @param installations - The `Installations` instance. - * - * @public - */ - async function getId(installations) { - const installationsImpl = installations; - const { installationEntry, registrationPromise } = await getInstallationEntry(installationsImpl); - if (registrationPromise) { - registrationPromise.catch(console.error); - } - else { - // If the installation is already registered, update the authentication - // token if needed. - refreshAuthToken(installationsImpl).catch(console.error); - } - return installationEntry.fid; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns a Firebase Installations auth token, identifying the current - * Firebase Installation. - * @param installations - The `Installations` instance. - * @param forceRefresh - Force refresh regardless of token expiration. - * - * @public - */ - async function getToken(installations, forceRefresh = false) { - const installationsImpl = installations; - await completeInstallationRegistration(installationsImpl); - // At this point we either have a Registered Installation in the DB, or we've - // already thrown an error. - const authToken = await refreshAuthToken(installationsImpl, forceRefresh); - return authToken.token; - } - async function completeInstallationRegistration(installations) { - const { registrationPromise } = await getInstallationEntry(installations); - if (registrationPromise) { - // A createInstallation request is in progress. Wait until it finishes. - await registrationPromise; - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function extractAppConfig(app) { - if (!app || !app.options) { - throw getMissingValueError('App Configuration'); - } - if (!app.name) { - throw getMissingValueError('App Name'); - } - // Required app config keys - const configKeys = [ - 'projectId', - 'apiKey', - 'appId' - ]; - for (const keyName of configKeys) { - if (!app.options[keyName]) { - throw getMissingValueError(keyName); - } - } - return { - appName: app.name, - projectId: app.options.projectId, - apiKey: app.options.apiKey, - appId: app.options.appId - }; - } - function getMissingValueError(valueName) { - return ERROR_FACTORY$1.create("missing-app-config-values" /* ErrorCode.MISSING_APP_CONFIG_VALUES */, { - valueName - }); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const INSTALLATIONS_NAME = 'installations'; - const INSTALLATIONS_NAME_INTERNAL = 'installations-internal'; - const publicFactory = (container) => { - const app = container.getProvider('app').getImmediate(); - // Throws if app isn't configured properly. - const appConfig = extractAppConfig(app); - const heartbeatServiceProvider = _getProvider(app, 'heartbeat'); - const installationsImpl = { - app, - appConfig, - heartbeatServiceProvider, - _delete: () => Promise.resolve() - }; - return installationsImpl; - }; - const internalFactory = (container) => { - const app = container.getProvider('app').getImmediate(); - // Internal FIS instance relies on public FIS instance. - const installations = _getProvider(app, INSTALLATIONS_NAME).getImmediate(); - const installationsInternal = { - getId: () => getId(installations), - getToken: (forceRefresh) => getToken(installations, forceRefresh) - }; - return installationsInternal; - }; - function registerInstallations() { - _registerComponent(new Component(INSTALLATIONS_NAME, publicFactory, "PUBLIC" /* ComponentType.PUBLIC */)); - _registerComponent(new Component(INSTALLATIONS_NAME_INTERNAL, internalFactory, "PRIVATE" /* ComponentType.PRIVATE */)); - } - - /** - * Firebase Installations - * - * @packageDocumentation - */ - registerInstallations(); - registerVersion(name$5, version$5); - // BUILD_TARGET will be replaced by values like esm5, esm2017, cjs5, etc during the compilation - registerVersion(name$5, version$5, 'esm2017'); - - const name$4 = "@firebase/performance"; - const version$4 = "0.6.4"; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const SDK_VERSION = version$4; - /** The prefix for start User Timing marks used for creating Traces. */ - const TRACE_START_MARK_PREFIX = 'FB-PERF-TRACE-START'; - /** The prefix for stop User Timing marks used for creating Traces. */ - const TRACE_STOP_MARK_PREFIX = 'FB-PERF-TRACE-STOP'; - /** The prefix for User Timing measure used for creating Traces. */ - const TRACE_MEASURE_PREFIX = 'FB-PERF-TRACE-MEASURE'; - /** The prefix for out of the box page load Trace name. */ - const OOB_TRACE_PAGE_LOAD_PREFIX = '_wt_'; - const FIRST_PAINT_COUNTER_NAME = '_fp'; - const FIRST_CONTENTFUL_PAINT_COUNTER_NAME = '_fcp'; - const FIRST_INPUT_DELAY_COUNTER_NAME = '_fid'; - const CONFIG_LOCAL_STORAGE_KEY = '@firebase/performance/config'; - const CONFIG_EXPIRY_LOCAL_STORAGE_KEY = '@firebase/performance/configexpire'; - const SERVICE = 'performance'; - const SERVICE_NAME = 'Performance'; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const ERROR_DESCRIPTION_MAP = { - ["trace started" /* ErrorCode.TRACE_STARTED_BEFORE */]: 'Trace {$traceName} was started before.', - ["trace stopped" /* ErrorCode.TRACE_STOPPED_BEFORE */]: 'Trace {$traceName} is not running.', - ["nonpositive trace startTime" /* ErrorCode.NONPOSITIVE_TRACE_START_TIME */]: 'Trace {$traceName} startTime should be positive.', - ["nonpositive trace duration" /* ErrorCode.NONPOSITIVE_TRACE_DURATION */]: 'Trace {$traceName} duration should be positive.', - ["no window" /* ErrorCode.NO_WINDOW */]: 'Window is not available.', - ["no app id" /* ErrorCode.NO_APP_ID */]: 'App id is not available.', - ["no project id" /* ErrorCode.NO_PROJECT_ID */]: 'Project id is not available.', - ["no api key" /* ErrorCode.NO_API_KEY */]: 'Api key is not available.', - ["invalid cc log" /* ErrorCode.INVALID_CC_LOG */]: 'Attempted to queue invalid cc event', - ["FB not default" /* ErrorCode.FB_NOT_DEFAULT */]: 'Performance can only start when Firebase app instance is the default one.', - ["RC response not ok" /* ErrorCode.RC_NOT_OK */]: 'RC response is not ok', - ["invalid attribute name" /* ErrorCode.INVALID_ATTRIBUTE_NAME */]: 'Attribute name {$attributeName} is invalid.', - ["invalid attribute value" /* ErrorCode.INVALID_ATTRIBUTE_VALUE */]: 'Attribute value {$attributeValue} is invalid.', - ["invalid custom metric name" /* ErrorCode.INVALID_CUSTOM_METRIC_NAME */]: 'Custom metric name {$customMetricName} is invalid', - ["invalid String merger input" /* ErrorCode.INVALID_STRING_MERGER_PARAMETER */]: 'Input for String merger is invalid, contact support team to resolve.', - ["already initialized" /* ErrorCode.ALREADY_INITIALIZED */]: 'initializePerformance() has already been called with ' + - 'different options. To avoid this error, call initializePerformance() with the ' + - 'same options as when it was originally called, or call getPerformance() to return the' + - ' already initialized instance.' - }; - const ERROR_FACTORY = new ErrorFactory(SERVICE, SERVICE_NAME, ERROR_DESCRIPTION_MAP); - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const consoleLogger = new Logger(SERVICE_NAME); - consoleLogger.logLevel = LogLevel.INFO; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - let apiInstance; - let windowInstance; - /** - * This class holds a reference to various browser related objects injected by - * set methods. - */ - class Api { - constructor(window) { - this.window = window; - if (!window) { - throw ERROR_FACTORY.create("no window" /* ErrorCode.NO_WINDOW */); - } - this.performance = window.performance; - this.PerformanceObserver = window.PerformanceObserver; - this.windowLocation = window.location; - this.navigator = window.navigator; - this.document = window.document; - if (this.navigator && this.navigator.cookieEnabled) { - // If user blocks cookies on the browser, accessing localStorage will - // throw an exception. - this.localStorage = window.localStorage; - } - if (window.perfMetrics && window.perfMetrics.onFirstInputDelay) { - this.onFirstInputDelay = window.perfMetrics.onFirstInputDelay; - } - } - getUrl() { - // Do not capture the string query part of url. - return this.windowLocation.href.split('?')[0]; - } - mark(name) { - if (!this.performance || !this.performance.mark) { - return; - } - this.performance.mark(name); - } - measure(measureName, mark1, mark2) { - if (!this.performance || !this.performance.measure) { - return; - } - this.performance.measure(measureName, mark1, mark2); - } - getEntriesByType(type) { - if (!this.performance || !this.performance.getEntriesByType) { - return []; - } - return this.performance.getEntriesByType(type); - } - getEntriesByName(name) { - if (!this.performance || !this.performance.getEntriesByName) { - return []; - } - return this.performance.getEntriesByName(name); - } - getTimeOrigin() { - // Polyfill the time origin with performance.timing.navigationStart. - return (this.performance && - (this.performance.timeOrigin || this.performance.timing.navigationStart)); - } - requiredApisAvailable() { - if (!fetch || !Promise || !areCookiesEnabled()) { - consoleLogger.info('Firebase Performance cannot start if browser does not support fetch and Promise or cookie is disabled.'); - return false; - } - if (!isIndexedDBAvailable()) { - consoleLogger.info('IndexedDB is not supported by current browswer'); - return false; - } - return true; - } - setupObserver(entryType, callback) { - if (!this.PerformanceObserver) { - return; - } - const observer = new this.PerformanceObserver(list => { - for (const entry of list.getEntries()) { - // `entry` is a PerformanceEntry instance. - callback(entry); - } - }); - // Start observing the entry types you care about. - observer.observe({ entryTypes: [entryType] }); - } - static getInstance() { - if (apiInstance === undefined) { - apiInstance = new Api(windowInstance); - } - return apiInstance; - } - } - function setupApi(window) { - windowInstance = window; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - let iid; - function getIidPromise(installationsService) { - const iidPromise = installationsService.getId(); - // eslint-disable-next-line @typescript-eslint/no-floating-promises - iidPromise.then((iidVal) => { - iid = iidVal; - }); - return iidPromise; - } - // This method should be used after the iid is retrieved by getIidPromise method. - function getIid() { - return iid; - } - function getAuthTokenPromise(installationsService) { - const authTokenPromise = installationsService.getToken(); - // eslint-disable-next-line @typescript-eslint/no-floating-promises - authTokenPromise.then((authTokenVal) => { - }); - return authTokenPromise; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function mergeStrings(part1, part2) { - const sizeDiff = part1.length - part2.length; - if (sizeDiff < 0 || sizeDiff > 1) { - throw ERROR_FACTORY.create("invalid String merger input" /* ErrorCode.INVALID_STRING_MERGER_PARAMETER */); - } - const resultArray = []; - for (let i = 0; i < part1.length; i++) { - resultArray.push(part1.charAt(i)); - if (part2.length > i) { - resultArray.push(part2.charAt(i)); - } - } - return resultArray.join(''); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - let settingsServiceInstance; - class SettingsService { - constructor() { - // The variable which controls logging of automatic traces and HTTP/S network monitoring. - this.instrumentationEnabled = true; - // The variable which controls logging of custom traces. - this.dataCollectionEnabled = true; - // Configuration flags set through remote config. - this.loggingEnabled = false; - // Sampling rate between 0 and 1. - this.tracesSamplingRate = 1; - this.networkRequestsSamplingRate = 1; - // Address of logging service. - this.logEndPointUrl = 'https://firebaselogging.googleapis.com/v0cc/log?format=json_proto'; - // Performance event transport endpoint URL which should be compatible with proto3. - // New Address for transport service, not configurable via Remote Config. - this.flTransportEndpointUrl = mergeStrings('hts/frbslgigp.ogepscmv/ieo/eaylg', 'tp:/ieaeogn-agolai.o/1frlglgc/o'); - this.transportKey = mergeStrings('AzSC8r6ReiGqFMyfvgow', 'Iayx0u-XT3vksVM-pIV'); - // Source type for performance event logs. - this.logSource = 462; - // Flags which control per session logging of traces and network requests. - this.logTraceAfterSampling = false; - this.logNetworkAfterSampling = false; - // TTL of config retrieved from remote config in hours. - this.configTimeToLive = 12; - } - getFlTransportFullUrl() { - return this.flTransportEndpointUrl.concat('?key=', this.transportKey); - } - static getInstance() { - if (settingsServiceInstance === undefined) { - settingsServiceInstance = new SettingsService(); - } - return settingsServiceInstance; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - var VisibilityState; - (function (VisibilityState) { - VisibilityState[VisibilityState["UNKNOWN"] = 0] = "UNKNOWN"; - VisibilityState[VisibilityState["VISIBLE"] = 1] = "VISIBLE"; - VisibilityState[VisibilityState["HIDDEN"] = 2] = "HIDDEN"; - })(VisibilityState || (VisibilityState = {})); - const RESERVED_ATTRIBUTE_PREFIXES = ['firebase_', 'google_', 'ga_']; - const ATTRIBUTE_FORMAT_REGEX = new RegExp('^[a-zA-Z]\\w*$'); - const MAX_ATTRIBUTE_NAME_LENGTH = 40; - const MAX_ATTRIBUTE_VALUE_LENGTH = 100; - function getServiceWorkerStatus() { - const navigator = Api.getInstance().navigator; - if (navigator === null || navigator === void 0 ? void 0 : navigator.serviceWorker) { - if (navigator.serviceWorker.controller) { - return 2 /* ServiceWorkerStatus.CONTROLLED */; - } - else { - return 3 /* ServiceWorkerStatus.UNCONTROLLED */; - } - } - else { - return 1 /* ServiceWorkerStatus.UNSUPPORTED */; - } - } - function getVisibilityState() { - const document = Api.getInstance().document; - const visibilityState = document.visibilityState; - switch (visibilityState) { - case 'visible': - return VisibilityState.VISIBLE; - case 'hidden': - return VisibilityState.HIDDEN; - default: - return VisibilityState.UNKNOWN; - } - } - function getEffectiveConnectionType() { - const navigator = Api.getInstance().navigator; - const navigatorConnection = navigator.connection; - const effectiveType = navigatorConnection && navigatorConnection.effectiveType; - switch (effectiveType) { - case 'slow-2g': - return 1 /* EffectiveConnectionType.CONNECTION_SLOW_2G */; - case '2g': - return 2 /* EffectiveConnectionType.CONNECTION_2G */; - case '3g': - return 3 /* EffectiveConnectionType.CONNECTION_3G */; - case '4g': - return 4 /* EffectiveConnectionType.CONNECTION_4G */; - default: - return 0 /* EffectiveConnectionType.UNKNOWN */; - } - } - function isValidCustomAttributeName(name) { - if (name.length === 0 || name.length > MAX_ATTRIBUTE_NAME_LENGTH) { - return false; - } - const matchesReservedPrefix = RESERVED_ATTRIBUTE_PREFIXES.some(prefix => name.startsWith(prefix)); - return !matchesReservedPrefix && !!name.match(ATTRIBUTE_FORMAT_REGEX); - } - function isValidCustomAttributeValue(value) { - return value.length !== 0 && value.length <= MAX_ATTRIBUTE_VALUE_LENGTH; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function getAppId(firebaseApp) { - var _a; - const appId = (_a = firebaseApp.options) === null || _a === void 0 ? void 0 : _a.appId; - if (!appId) { - throw ERROR_FACTORY.create("no app id" /* ErrorCode.NO_APP_ID */); - } - return appId; - } - function getProjectId(firebaseApp) { - var _a; - const projectId = (_a = firebaseApp.options) === null || _a === void 0 ? void 0 : _a.projectId; - if (!projectId) { - throw ERROR_FACTORY.create("no project id" /* ErrorCode.NO_PROJECT_ID */); - } - return projectId; - } - function getApiKey(firebaseApp) { - var _a; - const apiKey = (_a = firebaseApp.options) === null || _a === void 0 ? void 0 : _a.apiKey; - if (!apiKey) { - throw ERROR_FACTORY.create("no api key" /* ErrorCode.NO_API_KEY */); - } - return apiKey; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const REMOTE_CONFIG_SDK_VERSION = '0.0.1'; - // These values will be used if the remote config object is successfully - // retrieved, but the template does not have these fields. - const DEFAULT_CONFIGS = { - loggingEnabled: true - }; - const FIS_AUTH_PREFIX = 'FIREBASE_INSTALLATIONS_AUTH'; - function getConfig(performanceController, iid) { - const config = getStoredConfig(); - if (config) { - processConfig(config); - return Promise.resolve(); - } - return getRemoteConfig(performanceController, iid) - .then(processConfig) - .then(config => storeConfig(config), - /** Do nothing for error, use defaults set in settings service. */ - () => { }); - } - function getStoredConfig() { - const localStorage = Api.getInstance().localStorage; - if (!localStorage) { - return; - } - const expiryString = localStorage.getItem(CONFIG_EXPIRY_LOCAL_STORAGE_KEY); - if (!expiryString || !configValid(expiryString)) { - return; - } - const configStringified = localStorage.getItem(CONFIG_LOCAL_STORAGE_KEY); - if (!configStringified) { - return; - } - try { - const configResponse = JSON.parse(configStringified); - return configResponse; - } - catch (_a) { - return; - } - } - function storeConfig(config) { - const localStorage = Api.getInstance().localStorage; - if (!config || !localStorage) { - return; - } - localStorage.setItem(CONFIG_LOCAL_STORAGE_KEY, JSON.stringify(config)); - localStorage.setItem(CONFIG_EXPIRY_LOCAL_STORAGE_KEY, String(Date.now() + - SettingsService.getInstance().configTimeToLive * 60 * 60 * 1000)); - } - const COULD_NOT_GET_CONFIG_MSG = 'Could not fetch config, will use default configs'; - function getRemoteConfig(performanceController, iid) { - // Perf needs auth token only to retrieve remote config. - return getAuthTokenPromise(performanceController.installations) - .then(authToken => { - const projectId = getProjectId(performanceController.app); - const apiKey = getApiKey(performanceController.app); - const configEndPoint = `https://firebaseremoteconfig.googleapis.com/v1/projects/${projectId}/namespaces/fireperf:fetch?key=${apiKey}`; - const request = new Request(configEndPoint, { - method: 'POST', - headers: { Authorization: `${FIS_AUTH_PREFIX} ${authToken}` }, - /* eslint-disable camelcase */ - body: JSON.stringify({ - app_instance_id: iid, - app_instance_id_token: authToken, - app_id: getAppId(performanceController.app), - app_version: SDK_VERSION, - sdk_version: REMOTE_CONFIG_SDK_VERSION - }) - /* eslint-enable camelcase */ - }); - return fetch(request).then(response => { - if (response.ok) { - return response.json(); - } - // In case response is not ok. This will be caught by catch. - throw ERROR_FACTORY.create("RC response not ok" /* ErrorCode.RC_NOT_OK */); - }); - }) - .catch(() => { - consoleLogger.info(COULD_NOT_GET_CONFIG_MSG); - return undefined; - }); - } - /** - * Processes config coming either from calling RC or from local storage. - * This method only runs if call is successful or config in storage - * is valid. - */ - function processConfig(config) { - if (!config) { - return config; - } - const settingsServiceInstance = SettingsService.getInstance(); - const entries = config.entries || {}; - if (entries.fpr_enabled !== undefined) { - // TODO: Change the assignment of loggingEnabled once the received type is - // known. - settingsServiceInstance.loggingEnabled = - String(entries.fpr_enabled) === 'true'; - } - else { - // Config retrieved successfully, but there is no fpr_enabled in template. - // Use secondary configs value. - settingsServiceInstance.loggingEnabled = DEFAULT_CONFIGS.loggingEnabled; - } - if (entries.fpr_log_source) { - settingsServiceInstance.logSource = Number(entries.fpr_log_source); - } - else if (DEFAULT_CONFIGS.logSource) { - settingsServiceInstance.logSource = DEFAULT_CONFIGS.logSource; - } - if (entries.fpr_log_endpoint_url) { - settingsServiceInstance.logEndPointUrl = entries.fpr_log_endpoint_url; - } - else if (DEFAULT_CONFIGS.logEndPointUrl) { - settingsServiceInstance.logEndPointUrl = DEFAULT_CONFIGS.logEndPointUrl; - } - // Key from Remote Config has to be non-empty string, otherwsie use local value. - if (entries.fpr_log_transport_key) { - settingsServiceInstance.transportKey = entries.fpr_log_transport_key; - } - else if (DEFAULT_CONFIGS.transportKey) { - settingsServiceInstance.transportKey = DEFAULT_CONFIGS.transportKey; - } - if (entries.fpr_vc_network_request_sampling_rate !== undefined) { - settingsServiceInstance.networkRequestsSamplingRate = Number(entries.fpr_vc_network_request_sampling_rate); - } - else if (DEFAULT_CONFIGS.networkRequestsSamplingRate !== undefined) { - settingsServiceInstance.networkRequestsSamplingRate = - DEFAULT_CONFIGS.networkRequestsSamplingRate; - } - if (entries.fpr_vc_trace_sampling_rate !== undefined) { - settingsServiceInstance.tracesSamplingRate = Number(entries.fpr_vc_trace_sampling_rate); - } - else if (DEFAULT_CONFIGS.tracesSamplingRate !== undefined) { - settingsServiceInstance.tracesSamplingRate = - DEFAULT_CONFIGS.tracesSamplingRate; - } - // Set the per session trace and network logging flags. - settingsServiceInstance.logTraceAfterSampling = shouldLogAfterSampling(settingsServiceInstance.tracesSamplingRate); - settingsServiceInstance.logNetworkAfterSampling = shouldLogAfterSampling(settingsServiceInstance.networkRequestsSamplingRate); - return config; - } - function configValid(expiry) { - return Number(expiry) > Date.now(); - } - function shouldLogAfterSampling(samplingRate) { - return Math.random() <= samplingRate; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - let initializationStatus = 1 /* InitializationStatus.notInitialized */; - let initializationPromise; - function getInitializationPromise(performanceController) { - initializationStatus = 2 /* InitializationStatus.initializationPending */; - initializationPromise = - initializationPromise || initializePerf(performanceController); - return initializationPromise; - } - function isPerfInitialized() { - return initializationStatus === 3 /* InitializationStatus.initialized */; - } - function initializePerf(performanceController) { - return getDocumentReadyComplete() - .then(() => getIidPromise(performanceController.installations)) - .then(iid => getConfig(performanceController, iid)) - .then(() => changeInitializationStatus(), () => changeInitializationStatus()); - } - /** - * Returns a promise which resolves whenever the document readystate is complete or - * immediately if it is called after page load complete. - */ - function getDocumentReadyComplete() { - const document = Api.getInstance().document; - return new Promise(resolve => { - if (document && document.readyState !== 'complete') { - const handler = () => { - if (document.readyState === 'complete') { - document.removeEventListener('readystatechange', handler); - resolve(); - } - }; - document.addEventListener('readystatechange', handler); - } - else { - resolve(); - } - }); - } - function changeInitializationStatus() { - initializationStatus = 3 /* InitializationStatus.initialized */; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DEFAULT_SEND_INTERVAL_MS = 10 * 1000; - const INITIAL_SEND_TIME_DELAY_MS = 5.5 * 1000; - // If end point does not work, the call will be tried for these many times. - const DEFAULT_REMAINING_TRIES = 3; - const MAX_EVENT_COUNT_PER_REQUEST = 1000; - let remainingTries = DEFAULT_REMAINING_TRIES; - /* eslint-enable camelcase */ - let queue = []; - let isTransportSetup = false; - function setupTransportService() { - if (!isTransportSetup) { - processQueue(INITIAL_SEND_TIME_DELAY_MS); - isTransportSetup = true; - } - } - function processQueue(timeOffset) { - setTimeout(() => { - // If there is no remainingTries left, stop retrying. - if (remainingTries === 0) { - return; - } - // If there are no events to process, wait for DEFAULT_SEND_INTERVAL_MS and try again. - if (!queue.length) { - return processQueue(DEFAULT_SEND_INTERVAL_MS); - } - dispatchQueueEvents(); - }, timeOffset); - } - function dispatchQueueEvents() { - // Extract events up to the maximum cap of single logRequest from top of "official queue". - // The staged events will be used for current logRequest attempt, remaining events will be kept - // for next attempt. - const staged = queue.splice(0, MAX_EVENT_COUNT_PER_REQUEST); - /* eslint-disable camelcase */ - // We will pass the JSON serialized event to the backend. - const log_event = staged.map(evt => ({ - source_extension_json_proto3: evt.message, - event_time_ms: String(evt.eventTime) - })); - const data = { - request_time_ms: String(Date.now()), - client_info: { - client_type: 1, - js_client_info: {} - }, - log_source: SettingsService.getInstance().logSource, - log_event - }; - /* eslint-enable camelcase */ - sendEventsToFl(data, staged).catch(() => { - // If the request fails for some reason, add the events that were attempted - // back to the primary queue to retry later. - queue = [...staged, ...queue]; - remainingTries--; - consoleLogger.info(`Tries left: ${remainingTries}.`); - processQueue(DEFAULT_SEND_INTERVAL_MS); - }); - } - function sendEventsToFl(data, staged) { - return postToFlEndpoint(data) - .then(res => { - if (!res.ok) { - consoleLogger.info('Call to Firebase backend failed.'); - } - return res.json(); - }) - .then(res => { - // Find the next call wait time from the response. - const transportWait = Number(res.nextRequestWaitMillis); - let requestOffset = DEFAULT_SEND_INTERVAL_MS; - if (!isNaN(transportWait)) { - requestOffset = Math.max(transportWait, requestOffset); - } - // Delete request if response include RESPONSE_ACTION_UNKNOWN or DELETE_REQUEST action. - // Otherwise, retry request using normal scheduling if response include RETRY_REQUEST_LATER. - const logResponseDetails = res.logResponseDetails; - if (Array.isArray(logResponseDetails) && - logResponseDetails.length > 0 && - logResponseDetails[0].responseAction === 'RETRY_REQUEST_LATER') { - queue = [...staged, ...queue]; - consoleLogger.info(`Retry transport request later.`); - } - remainingTries = DEFAULT_REMAINING_TRIES; - // Schedule the next process. - processQueue(requestOffset); - }); - } - function postToFlEndpoint(data) { - const flTransportFullUrl = SettingsService.getInstance().getFlTransportFullUrl(); - return fetch(flTransportFullUrl, { - method: 'POST', - body: JSON.stringify(data) - }); - } - function addToQueue(evt) { - if (!evt.eventTime || !evt.message) { - throw ERROR_FACTORY.create("invalid cc log" /* ErrorCode.INVALID_CC_LOG */); - } - // Add the new event to the queue. - queue = [...queue, evt]; - } - /** Log handler for cc service to send the performance logs to the server. */ - function transportHandler( - // eslint-disable-next-line @typescript-eslint/no-explicit-any - serializer) { - return (...args) => { - const message = serializer(...args); - addToQueue({ - message, - eventTime: Date.now() - }); - }; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /* eslint-enble camelcase */ - let logger; - // This method is not called before initialization. - function sendLog(resource, resourceType) { - if (!logger) { - logger = transportHandler(serializer); - } - logger(resource, resourceType); - } - function logTrace(trace) { - const settingsService = SettingsService.getInstance(); - // Do not log if trace is auto generated and instrumentation is disabled. - if (!settingsService.instrumentationEnabled && trace.isAuto) { - return; - } - // Do not log if trace is custom and data collection is disabled. - if (!settingsService.dataCollectionEnabled && !trace.isAuto) { - return; - } - // Do not log if required apis are not available. - if (!Api.getInstance().requiredApisAvailable()) { - return; - } - // Only log the page load auto traces if page is visible. - if (trace.isAuto && getVisibilityState() !== VisibilityState.VISIBLE) { - return; - } - if (isPerfInitialized()) { - sendTraceLog(trace); - } - else { - // Custom traces can be used before the initialization but logging - // should wait until after. - getInitializationPromise(trace.performanceController).then(() => sendTraceLog(trace), () => sendTraceLog(trace)); - } - } - function sendTraceLog(trace) { - if (!getIid()) { - return; - } - const settingsService = SettingsService.getInstance(); - if (!settingsService.loggingEnabled || - !settingsService.logTraceAfterSampling) { - return; - } - setTimeout(() => sendLog(trace, 1 /* ResourceType.Trace */), 0); - } - function logNetworkRequest(networkRequest) { - const settingsService = SettingsService.getInstance(); - // Do not log network requests if instrumentation is disabled. - if (!settingsService.instrumentationEnabled) { - return; - } - // Do not log the js sdk's call to transport service domain to avoid unnecessary cycle. - // Need to blacklist both old and new endpoints to avoid migration gap. - const networkRequestUrl = networkRequest.url; - // Blacklist old log endpoint and new transport endpoint. - // Because Performance SDK doesn't instrument requests sent from SDK itself. - const logEndpointUrl = settingsService.logEndPointUrl.split('?')[0]; - const flEndpointUrl = settingsService.flTransportEndpointUrl.split('?')[0]; - if (networkRequestUrl === logEndpointUrl || - networkRequestUrl === flEndpointUrl) { - return; - } - if (!settingsService.loggingEnabled || - !settingsService.logNetworkAfterSampling) { - return; - } - setTimeout(() => sendLog(networkRequest, 0 /* ResourceType.NetworkRequest */), 0); - } - function serializer(resource, resourceType) { - if (resourceType === 0 /* ResourceType.NetworkRequest */) { - return serializeNetworkRequest(resource); - } - return serializeTrace(resource); - } - function serializeNetworkRequest(networkRequest) { - const networkRequestMetric = { - url: networkRequest.url, - http_method: networkRequest.httpMethod || 0, - http_response_code: 200, - response_payload_bytes: networkRequest.responsePayloadBytes, - client_start_time_us: networkRequest.startTimeUs, - time_to_response_initiated_us: networkRequest.timeToResponseInitiatedUs, - time_to_response_completed_us: networkRequest.timeToResponseCompletedUs - }; - const perfMetric = { - application_info: getApplicationInfo(networkRequest.performanceController.app), - network_request_metric: networkRequestMetric - }; - return JSON.stringify(perfMetric); - } - function serializeTrace(trace) { - const traceMetric = { - name: trace.name, - is_auto: trace.isAuto, - client_start_time_us: trace.startTimeUs, - duration_us: trace.durationUs - }; - if (Object.keys(trace.counters).length !== 0) { - traceMetric.counters = trace.counters; - } - const customAttributes = trace.getAttributes(); - if (Object.keys(customAttributes).length !== 0) { - traceMetric.custom_attributes = customAttributes; - } - const perfMetric = { - application_info: getApplicationInfo(trace.performanceController.app), - trace_metric: traceMetric - }; - return JSON.stringify(perfMetric); - } - function getApplicationInfo(firebaseApp) { - return { - google_app_id: getAppId(firebaseApp), - app_instance_id: getIid(), - web_app_info: { - sdk_version: SDK_VERSION, - page_url: Api.getInstance().getUrl(), - service_worker_status: getServiceWorkerStatus(), - visibility_state: getVisibilityState(), - effective_connection_type: getEffectiveConnectionType() - }, - application_process_state: 0 - }; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const MAX_METRIC_NAME_LENGTH = 100; - const RESERVED_AUTO_PREFIX = '_'; - const oobMetrics = [ - FIRST_PAINT_COUNTER_NAME, - FIRST_CONTENTFUL_PAINT_COUNTER_NAME, - FIRST_INPUT_DELAY_COUNTER_NAME - ]; - /** - * Returns true if the metric is custom and does not start with reserved prefix, or if - * the metric is one of out of the box page load trace metrics. - */ - function isValidMetricName(name, traceName) { - if (name.length === 0 || name.length > MAX_METRIC_NAME_LENGTH) { - return false; - } - return ((traceName && - traceName.startsWith(OOB_TRACE_PAGE_LOAD_PREFIX) && - oobMetrics.indexOf(name) > -1) || - !name.startsWith(RESERVED_AUTO_PREFIX)); - } - /** - * Converts the provided value to an integer value to be used in case of a metric. - * @param providedValue Provided number value of the metric that needs to be converted to an integer. - * - * @returns Converted integer number to be set for the metric. - */ - function convertMetricValueToInteger(providedValue) { - const valueAsInteger = Math.floor(providedValue); - if (valueAsInteger < providedValue) { - consoleLogger.info(`Metric value should be an Integer, setting the value as : ${valueAsInteger}.`); - } - return valueAsInteger; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class Trace { - /** - * @param performanceController The performance controller running. - * @param name The name of the trace. - * @param isAuto If the trace is auto-instrumented. - * @param traceMeasureName The name of the measure marker in user timing specification. This field - * is only set when the trace is built for logging when the user directly uses the user timing - * api (performance.mark and performance.measure). - */ - constructor(performanceController, name, isAuto = false, traceMeasureName) { - this.performanceController = performanceController; - this.name = name; - this.isAuto = isAuto; - this.state = 1 /* TraceState.UNINITIALIZED */; - this.customAttributes = {}; - this.counters = {}; - this.api = Api.getInstance(); - this.randomId = Math.floor(Math.random() * 1000000); - if (!this.isAuto) { - this.traceStartMark = `${TRACE_START_MARK_PREFIX}-${this.randomId}-${this.name}`; - this.traceStopMark = `${TRACE_STOP_MARK_PREFIX}-${this.randomId}-${this.name}`; - this.traceMeasure = - traceMeasureName || - `${TRACE_MEASURE_PREFIX}-${this.randomId}-${this.name}`; - if (traceMeasureName) { - // For the case of direct user timing traces, no start stop will happen. The measure object - // is already available. - this.calculateTraceMetrics(); - } - } - } - /** - * Starts a trace. The measurement of the duration starts at this point. - */ - start() { - if (this.state !== 1 /* TraceState.UNINITIALIZED */) { - throw ERROR_FACTORY.create("trace started" /* ErrorCode.TRACE_STARTED_BEFORE */, { - traceName: this.name - }); - } - this.api.mark(this.traceStartMark); - this.state = 2 /* TraceState.RUNNING */; - } - /** - * Stops the trace. The measurement of the duration of the trace stops at this point and trace - * is logged. - */ - stop() { - if (this.state !== 2 /* TraceState.RUNNING */) { - throw ERROR_FACTORY.create("trace stopped" /* ErrorCode.TRACE_STOPPED_BEFORE */, { - traceName: this.name - }); - } - this.state = 3 /* TraceState.TERMINATED */; - this.api.mark(this.traceStopMark); - this.api.measure(this.traceMeasure, this.traceStartMark, this.traceStopMark); - this.calculateTraceMetrics(); - logTrace(this); - } - /** - * Records a trace with predetermined values. If this method is used a trace is created and logged - * directly. No need to use start and stop methods. - * @param startTime Trace start time since epoch in millisec - * @param duration The duraction of the trace in millisec - * @param options An object which can optionally hold maps of custom metrics and custom attributes - */ - record(startTime, duration, options) { - if (startTime <= 0) { - throw ERROR_FACTORY.create("nonpositive trace startTime" /* ErrorCode.NONPOSITIVE_TRACE_START_TIME */, { - traceName: this.name - }); - } - if (duration <= 0) { - throw ERROR_FACTORY.create("nonpositive trace duration" /* ErrorCode.NONPOSITIVE_TRACE_DURATION */, { - traceName: this.name - }); - } - this.durationUs = Math.floor(duration * 1000); - this.startTimeUs = Math.floor(startTime * 1000); - if (options && options.attributes) { - this.customAttributes = Object.assign({}, options.attributes); - } - if (options && options.metrics) { - for (const metricName of Object.keys(options.metrics)) { - if (!isNaN(Number(options.metrics[metricName]))) { - this.counters[metricName] = Math.floor(Number(options.metrics[metricName])); - } - } - } - logTrace(this); - } - /** - * Increments a custom metric by a certain number or 1 if number not specified. Will create a new - * custom metric if one with the given name does not exist. The value will be floored down to an - * integer. - * @param counter Name of the custom metric - * @param numAsInteger Increment by value - */ - incrementMetric(counter, numAsInteger = 1) { - if (this.counters[counter] === undefined) { - this.putMetric(counter, numAsInteger); - } - else { - this.putMetric(counter, this.counters[counter] + numAsInteger); - } - } - /** - * Sets a custom metric to a specified value. Will create a new custom metric if one with the - * given name does not exist. The value will be floored down to an integer. - * @param counter Name of the custom metric - * @param numAsInteger Set custom metric to this value - */ - putMetric(counter, numAsInteger) { - if (isValidMetricName(counter, this.name)) { - this.counters[counter] = convertMetricValueToInteger(numAsInteger !== null && numAsInteger !== void 0 ? numAsInteger : 0); - } - else { - throw ERROR_FACTORY.create("invalid custom metric name" /* ErrorCode.INVALID_CUSTOM_METRIC_NAME */, { - customMetricName: counter - }); - } - } - /** - * Returns the value of the custom metric by that name. If a custom metric with that name does - * not exist will return zero. - * @param counter - */ - getMetric(counter) { - return this.counters[counter] || 0; - } - /** - * Sets a custom attribute of a trace to a certain value. - * @param attr - * @param value - */ - putAttribute(attr, value) { - const isValidName = isValidCustomAttributeName(attr); - const isValidValue = isValidCustomAttributeValue(value); - if (isValidName && isValidValue) { - this.customAttributes[attr] = value; - return; - } - // Throw appropriate error when the attribute name or value is invalid. - if (!isValidName) { - throw ERROR_FACTORY.create("invalid attribute name" /* ErrorCode.INVALID_ATTRIBUTE_NAME */, { - attributeName: attr - }); - } - if (!isValidValue) { - throw ERROR_FACTORY.create("invalid attribute value" /* ErrorCode.INVALID_ATTRIBUTE_VALUE */, { - attributeValue: value - }); - } - } - /** - * Retrieves the value a custom attribute of a trace is set to. - * @param attr - */ - getAttribute(attr) { - return this.customAttributes[attr]; - } - removeAttribute(attr) { - if (this.customAttributes[attr] === undefined) { - return; - } - delete this.customAttributes[attr]; - } - getAttributes() { - return Object.assign({}, this.customAttributes); - } - setStartTime(startTime) { - this.startTimeUs = startTime; - } - setDuration(duration) { - this.durationUs = duration; - } - /** - * Calculates and assigns the duration and start time of the trace using the measure performance - * entry. - */ - calculateTraceMetrics() { - const perfMeasureEntries = this.api.getEntriesByName(this.traceMeasure); - const perfMeasureEntry = perfMeasureEntries && perfMeasureEntries[0]; - if (perfMeasureEntry) { - this.durationUs = Math.floor(perfMeasureEntry.duration * 1000); - this.startTimeUs = Math.floor((perfMeasureEntry.startTime + this.api.getTimeOrigin()) * 1000); - } - } - /** - * @param navigationTimings A single element array which contains the navigationTIming object of - * the page load - * @param paintTimings A array which contains paintTiming object of the page load - * @param firstInputDelay First input delay in millisec - */ - static createOobTrace(performanceController, navigationTimings, paintTimings, firstInputDelay) { - const route = Api.getInstance().getUrl(); - if (!route) { - return; - } - const trace = new Trace(performanceController, OOB_TRACE_PAGE_LOAD_PREFIX + route, true); - const timeOriginUs = Math.floor(Api.getInstance().getTimeOrigin() * 1000); - trace.setStartTime(timeOriginUs); - // navigationTimings includes only one element. - if (navigationTimings && navigationTimings[0]) { - trace.setDuration(Math.floor(navigationTimings[0].duration * 1000)); - trace.putMetric('domInteractive', Math.floor(navigationTimings[0].domInteractive * 1000)); - trace.putMetric('domContentLoadedEventEnd', Math.floor(navigationTimings[0].domContentLoadedEventEnd * 1000)); - trace.putMetric('loadEventEnd', Math.floor(navigationTimings[0].loadEventEnd * 1000)); - } - const FIRST_PAINT = 'first-paint'; - const FIRST_CONTENTFUL_PAINT = 'first-contentful-paint'; - if (paintTimings) { - const firstPaint = paintTimings.find(paintObject => paintObject.name === FIRST_PAINT); - if (firstPaint && firstPaint.startTime) { - trace.putMetric(FIRST_PAINT_COUNTER_NAME, Math.floor(firstPaint.startTime * 1000)); - } - const firstContentfulPaint = paintTimings.find(paintObject => paintObject.name === FIRST_CONTENTFUL_PAINT); - if (firstContentfulPaint && firstContentfulPaint.startTime) { - trace.putMetric(FIRST_CONTENTFUL_PAINT_COUNTER_NAME, Math.floor(firstContentfulPaint.startTime * 1000)); - } - if (firstInputDelay) { - trace.putMetric(FIRST_INPUT_DELAY_COUNTER_NAME, Math.floor(firstInputDelay * 1000)); - } - } - logTrace(trace); - } - static createUserTimingTrace(performanceController, measureName) { - const trace = new Trace(performanceController, measureName, false, measureName); - logTrace(trace); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function createNetworkRequestEntry(performanceController, entry) { - const performanceEntry = entry; - if (!performanceEntry || performanceEntry.responseStart === undefined) { - return; - } - const timeOrigin = Api.getInstance().getTimeOrigin(); - const startTimeUs = Math.floor((performanceEntry.startTime + timeOrigin) * 1000); - const timeToResponseInitiatedUs = performanceEntry.responseStart - ? Math.floor((performanceEntry.responseStart - performanceEntry.startTime) * 1000) - : undefined; - const timeToResponseCompletedUs = Math.floor((performanceEntry.responseEnd - performanceEntry.startTime) * 1000); - // Remove the query params from logged network request url. - const url = performanceEntry.name && performanceEntry.name.split('?')[0]; - const networkRequest = { - performanceController, - url, - responsePayloadBytes: performanceEntry.transferSize, - startTimeUs, - timeToResponseInitiatedUs, - timeToResponseCompletedUs - }; - logNetworkRequest(networkRequest); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const FID_WAIT_TIME_MS = 5000; - function setupOobResources(performanceController) { - // Do not initialize unless iid is available. - if (!getIid()) { - return; - } - // The load event might not have fired yet, and that means performance navigation timing - // object has a duration of 0. The setup should run after all current tasks in js queue. - setTimeout(() => setupOobTraces(performanceController), 0); - setTimeout(() => setupNetworkRequests(performanceController), 0); - setTimeout(() => setupUserTimingTraces(performanceController), 0); - } - function setupNetworkRequests(performanceController) { - const api = Api.getInstance(); - const resources = api.getEntriesByType('resource'); - for (const resource of resources) { - createNetworkRequestEntry(performanceController, resource); - } - api.setupObserver('resource', entry => createNetworkRequestEntry(performanceController, entry)); - } - function setupOobTraces(performanceController) { - const api = Api.getInstance(); - const navigationTimings = api.getEntriesByType('navigation'); - const paintTimings = api.getEntriesByType('paint'); - // If First Input Desly polyfill is added to the page, report the fid value. - // https://github.com/GoogleChromeLabs/first-input-delay - if (api.onFirstInputDelay) { - // If the fid call back is not called for certain time, continue without it. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - let timeoutId = setTimeout(() => { - Trace.createOobTrace(performanceController, navigationTimings, paintTimings); - timeoutId = undefined; - }, FID_WAIT_TIME_MS); - api.onFirstInputDelay((fid) => { - if (timeoutId) { - clearTimeout(timeoutId); - Trace.createOobTrace(performanceController, navigationTimings, paintTimings, fid); - } - }); - } - else { - Trace.createOobTrace(performanceController, navigationTimings, paintTimings); - } - } - function setupUserTimingTraces(performanceController) { - const api = Api.getInstance(); - // Run through the measure performance entries collected up to this point. - const measures = api.getEntriesByType('measure'); - for (const measure of measures) { - createUserTimingTrace(performanceController, measure); - } - // Setup an observer to capture the measures from this point on. - api.setupObserver('measure', entry => createUserTimingTrace(performanceController, entry)); - } - function createUserTimingTrace(performanceController, measure) { - const measureName = measure.name; - // Do not create a trace, if the user timing marks and measures are created by the sdk itself. - if (measureName.substring(0, TRACE_MEASURE_PREFIX.length) === - TRACE_MEASURE_PREFIX) { - return; - } - Trace.createUserTimingTrace(performanceController, measureName); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class PerformanceController { - constructor(app, installations) { - this.app = app; - this.installations = installations; - this.initialized = false; - } - /** - * This method *must* be called internally as part of creating a - * PerformanceController instance. - * - * Currently it's not possible to pass the settings object through the - * constructor using Components, so this method exists to be called with the - * desired settings, to ensure nothing is collected without the user's - * consent. - */ - _init(settings) { - if (this.initialized) { - return; - } - if ((settings === null || settings === void 0 ? void 0 : settings.dataCollectionEnabled) !== undefined) { - this.dataCollectionEnabled = settings.dataCollectionEnabled; - } - if ((settings === null || settings === void 0 ? void 0 : settings.instrumentationEnabled) !== undefined) { - this.instrumentationEnabled = settings.instrumentationEnabled; - } - if (Api.getInstance().requiredApisAvailable()) { - validateIndexedDBOpenable() - .then(isAvailable => { - if (isAvailable) { - setupTransportService(); - getInitializationPromise(this).then(() => setupOobResources(this), () => setupOobResources(this)); - this.initialized = true; - } - }) - .catch(error => { - consoleLogger.info(`Environment doesn't support IndexedDB: ${error}`); - }); - } - else { - consoleLogger.info('Firebase Performance cannot start if the browser does not support ' + - '"Fetch" and "Promise", or cookies are disabled.'); - } - } - set instrumentationEnabled(val) { - SettingsService.getInstance().instrumentationEnabled = val; - } - get instrumentationEnabled() { - return SettingsService.getInstance().instrumentationEnabled; - } - set dataCollectionEnabled(val) { - SettingsService.getInstance().dataCollectionEnabled = val; - } - get dataCollectionEnabled() { - return SettingsService.getInstance().dataCollectionEnabled; - } - } - - /** - * Firebase Performance Monitoring - * - * @packageDocumentation - */ - const DEFAULT_ENTRY_NAME = '[DEFAULT]'; - /** - * Returns a new `PerformanceTrace` instance. - * @param performance - The {@link FirebasePerformance} instance to use. - * @param name - The name of the trace. - * @public - */ - function trace(performance, name) { - performance = getModularInstance(performance); - return new Trace(performance, name); - } - const factory = (container, { options: settings }) => { - // Dependencies - const app = container.getProvider('app').getImmediate(); - const installations = container - .getProvider('installations-internal') - .getImmediate(); - if (app.name !== DEFAULT_ENTRY_NAME) { - throw ERROR_FACTORY.create("FB not default" /* ErrorCode.FB_NOT_DEFAULT */); - } - if (typeof window === 'undefined') { - throw ERROR_FACTORY.create("no window" /* ErrorCode.NO_WINDOW */); - } - setupApi(window); - const perfInstance = new PerformanceController(app, installations); - perfInstance._init(settings); - return perfInstance; - }; - function registerPerformance() { - _registerComponent(new Component('performance', factory, "PUBLIC" /* ComponentType.PUBLIC */)); - registerVersion(name$4, version$4); - // BUILD_TARGET will be replaced by values like esm5, esm2017, cjs5, etc during the compilation - registerVersion(name$4, version$4, 'esm2017'); - } - registerPerformance(); - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class PerformanceCompatImpl { - constructor(app, _delegate) { - this.app = app; - this._delegate = _delegate; - } - get instrumentationEnabled() { - return this._delegate.instrumentationEnabled; - } - set instrumentationEnabled(val) { - this._delegate.instrumentationEnabled = val; - } - get dataCollectionEnabled() { - return this._delegate.dataCollectionEnabled; - } - set dataCollectionEnabled(val) { - this._delegate.dataCollectionEnabled = val; - } - trace(traceName) { - return trace(this._delegate, traceName); - } - } - - const name$3 = "@firebase/performance-compat"; - const version$3 = "0.2.4"; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function registerPerformanceCompat(firebaseInstance) { - firebaseInstance.INTERNAL.registerComponent(new Component('performance-compat', performanceFactory, "PUBLIC" /* ComponentType.PUBLIC */)); - firebaseInstance.registerVersion(name$3, version$3); - } - function performanceFactory(container) { - const app = container.getProvider('app-compat').getImmediate(); - // The following call will always succeed. - const performance = container.getProvider('performance').getImmediate(); - return new PerformanceCompatImpl(app, performance); - } - registerPerformanceCompat(firebase); - - /* src/components/misccomponents/Spinner.svelte generated by Svelte v3.59.1 */ - - const file$V = "src/components/misccomponents/Spinner.svelte"; - - function create_fragment$X(ctx) { - let div7; - let div6; - let div5; - let div4; - let div3; - let div0; - let svg0; - let circle; - let t0; - let div1; - let svg1; - let polygon; - let t1; - let div2; - let svg2; - let rect; - - const block = { - c: function create() { - div7 = element("div"); - div6 = element("div"); - div5 = element("div"); - div4 = element("div"); - div3 = element("div"); - div0 = element("div"); - svg0 = svg_element("svg"); - circle = svg_element("circle"); - t0 = space(); - div1 = element("div"); - svg1 = svg_element("svg"); - polygon = svg_element("polygon"); - t1 = space(); - div2 = element("div"); - svg2 = svg_element("svg"); - rect = svg_element("rect"); - attr_dev(circle, "id", "test"); - attr_dev(circle, "cx", "40"); - attr_dev(circle, "cy", "40"); - attr_dev(circle, "r", "32"); - attr_dev(circle, "class", "svelte-o03b1q"); - add_location(circle, file$V, 128, 14, 3140); - attr_dev(svg0, "viewBox", "0 0 80 80"); - attr_dev(svg0, "class", "svelte-o03b1q"); - add_location(svg0, file$V, 127, 12, 3100); - attr_dev(div0, "class", "loader svelte-o03b1q"); - add_location(div0, file$V, 126, 10, 3067); - attr_dev(polygon, "points", "43 8 79 72 7 72"); - attr_dev(polygon, "class", "svelte-o03b1q"); - add_location(polygon, file$V, 134, 14, 3313); - attr_dev(svg1, "viewBox", "0 0 86 80"); - attr_dev(svg1, "class", "svelte-o03b1q"); - add_location(svg1, file$V, 133, 12, 3273); - attr_dev(div1, "class", "loader triangle svelte-o03b1q"); - add_location(div1, file$V, 132, 10, 3231); - attr_dev(rect, "x", "8"); - attr_dev(rect, "y", "8"); - attr_dev(rect, "width", "64"); - attr_dev(rect, "height", "64"); - attr_dev(rect, "class", "svelte-o03b1q"); - add_location(rect, file$V, 140, 14, 3470); - attr_dev(svg2, "viewBox", "0 0 80 80"); - attr_dev(svg2, "class", "svelte-o03b1q"); - add_location(svg2, file$V, 139, 12, 3430); - attr_dev(div2, "class", "loader svelte-o03b1q"); - add_location(div2, file$V, 138, 10, 3397); - attr_dev(div3, "class", "lead m-auto text-center apploader pt-2 svelte-o03b1q"); - add_location(div3, file$V, 125, 8, 3004); - attr_dev(div4, "class", "text-center svelte-o03b1q"); - add_location(div4, file$V, 124, 6, 2970); - attr_dev(div5, "class", "mx-auto svelte-o03b1q"); - add_location(div5, file$V, 123, 4, 2942); - attr_dev(div6, "class", "row align-items-center h-100 svelte-o03b1q"); - add_location(div6, file$V, 122, 2, 2895); - attr_dev(div7, "class", "container h-100 svelte-o03b1q"); - add_location(div7, file$V, 121, 0, 2863); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div7, anchor); - append_dev(div7, div6); - append_dev(div6, div5); - append_dev(div5, div4); - append_dev(div4, div3); - append_dev(div3, div0); - append_dev(div0, svg0); - append_dev(svg0, circle); - append_dev(div3, t0); - append_dev(div3, div1); - append_dev(div1, svg1); - append_dev(svg1, polygon); - append_dev(div3, t1); - append_dev(div3, div2); - append_dev(div2, svg2); - append_dev(svg2, rect); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div7); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$X.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$X($$self, $$props) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Spinner', slots, []); - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - return []; - } - - class Spinner extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$X, create_fragment$X, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Spinner", - options, - id: create_fragment$X.name - }); - } - } - - const subscriber_queue = []; - /** - * Creates a `Readable` store that allows reading by subscription. - * @param value initial value - * @param {StartStopNotifier} [start] - */ - function readable(value, start) { - return { - subscribe: writable$1(value, start).subscribe - }; - } - /** - * Create a `Writable` store that allows both updating and reading by subscription. - * @param {*=}value initial value - * @param {StartStopNotifier=} start - */ - function writable$1(value, start = noop$1) { - let stop; - const subscribers = new Set(); - function set(new_value) { - if (safe_not_equal(value, new_value)) { - value = new_value; - if (stop) { // store is ready - const run_queue = !subscriber_queue.length; - for (const subscriber of subscribers) { - subscriber[1](); - subscriber_queue.push(subscriber, value); - } - if (run_queue) { - for (let i = 0; i < subscriber_queue.length; i += 2) { - subscriber_queue[i][0](subscriber_queue[i + 1]); - } - subscriber_queue.length = 0; - } - } - } - } - function update(fn) { - set(fn(value)); - } - function subscribe(run, invalidate = noop$1) { - const subscriber = [run, invalidate]; - subscribers.add(subscriber); - if (subscribers.size === 1) { - stop = start(set) || noop$1; - } - run(value); - return () => { - subscribers.delete(subscriber); - if (subscribers.size === 0 && stop) { - stop(); - stop = null; - } - }; - } - return { set, update, subscribe }; - } - function derived(stores, fn, initial_value) { - const single = !Array.isArray(stores); - const stores_array = single - ? [stores] - : stores; - const auto = fn.length < 2; - return readable(initial_value, (set) => { - let started = false; - const values = []; - let pending = 0; - let cleanup = noop$1; - const sync = () => { - if (pending) { - return; - } - cleanup(); - const result = fn(single ? values[0] : values, set); - if (auto) { - set(result); - } - else { - cleanup = is_function(result) ? result : noop$1; - } - }; - const unsubscribers = stores_array.map((store, i) => subscribe(store, (value) => { - values[i] = value; - pending &= ~(1 << i); - if (started) { - sync(); - } - }, () => { - pending |= (1 << i); - })); - started = true; - sync(); - return function stop() { - run_all(unsubscribers); - cleanup(); - // We need to set this to false because callbacks can still happen despite having unsubscribed: - // Callbacks might already be placed in the queue which doesn't know it should no longer - // invoke this derived store. - started = false; - }; - }); - } - /** - * Takes a store and returns a new one derived from the old one that is readable. - * - * @param store - store to make readonly - */ - function readonly(store) { - return { - subscribe: store.subscribe.bind(store) - }; - } - - var store$1 = /*#__PURE__*/Object.freeze({ - __proto__: null, - derived: derived, - readable: readable, - readonly: readonly, - writable: writable$1, - get: get_store_value - }); - - var commonjsGlobal$1 = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {}; - - function unwrapExports (x) { - return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x; - } - - function createCommonjsModule(fn, module) { - return module = { exports: {} }, fn(module, module.exports), module.exports; - } - - function getCjsExportFromNamespace (n) { - return n && n['default'] || n; - } - - var require$$0 = getCjsExportFromNamespace(store$1); - - const writable = require$$0.writable; - - const router$1 = writable({}); - - function set(route) { - router$1.set(route); - } - - function remove() { - router$1.set({}); - } - - const activeRoute$1 = { - subscribe: router$1.subscribe, - set, - remove - }; - - var store = { activeRoute: activeRoute$1 }; - var store_1 = store.activeRoute; - - const UrlParser$4 = (urlString, namedUrl = "") => { - const urlBase = new URL(urlString); - - /** - * Wrapper for URL.hash - * - **/ - function hash() { - return urlBase.hash; - } - - /** - * Wrapper for URL.host - * - **/ - function host() { - return urlBase.host; - } - - /** - * Wrapper for URL.hostname - * - **/ - function hostname() { - return urlBase.hostname; - } - - /** - * Returns an object with all the named params and their values - * - **/ - function namedParams() { - const allPathName = pathNames(); - const allNamedParamsKeys = namedParamsWithIndex(); - - return allNamedParamsKeys.reduce((values, paramKey) => { - values[paramKey.value] = allPathName[paramKey.index]; - return values; - }, {}); - } - - /** - * Returns an array with all the named param keys - * - **/ - function namedParamsKeys() { - const allNamedParamsKeys = namedParamsWithIndex(); - - return allNamedParamsKeys.reduce((values, paramKey) => { - values.push(paramKey.value); - return values; - }, []); - } - - /** - * Returns an array with all the named param values - * - **/ - function namedParamsValues() { - const allPathName = pathNames(); - const allNamedParamsKeys = namedParamsWithIndex(); - - return allNamedParamsKeys.reduce((values, paramKey) => { - values.push(allPathName[paramKey.index]); - return values; - }, []); - } - - /** - * Returns an array with all named param ids and their position in the path - * Private - **/ - function namedParamsWithIndex() { - const namedUrlParams = getPathNames(namedUrl); - - return namedUrlParams.reduce((validParams, param, index) => { - if (param[0] === ":") { - validParams.push({ value: param.slice(1), index }); - } - return validParams; - }, []); - } - - /** - * Wrapper for URL.port - * - **/ - function port() { - return urlBase.port; - } - - /** - * Wrapper for URL.pathname - * - **/ - function pathname() { - return urlBase.pathname; - } - - /** - * Wrapper for URL.protocol - * - **/ - function protocol() { - return urlBase.protocol; - } - - /** - * Wrapper for URL.search - * - **/ - function search() { - return urlBase.search; - } - - /** - * Returns an object with all query params and their values - * - **/ - function queryParams() { - const params = {}; - urlBase.searchParams.forEach((value, key) => { - params[key] = value; - }); - - return params; - } - - /** - * Returns an array with all the query param keys - * - **/ - function queryParamsKeys() { - const params = []; - urlBase.searchParams.forEach((_value, key) => { - params.push(key); - }); - - return params; - } - - /** - * Returns an array with all the query param values - * - **/ - function queryParamsValues() { - const params = []; - urlBase.searchParams.forEach((value) => { - params.push(value); - }); - - return params; - } - - /** - * Returns an array with all the elements of a pathname - * - **/ - function pathNames() { - return getPathNames(urlBase.pathname); - } - - /** - * Returns an array with all the parts of a pathname - * Private method - **/ - function getPathNames(pathName) { - if (pathName === "/" || pathName.trim().length === 0) return [pathName]; - if (pathName.slice(-1) === "/") { - pathName = pathName.slice(0, -1); - } - if (pathName[0] === "/") { - pathName = pathName.slice(1); - } - - return pathName.split("/"); - } - - return Object.freeze({ - hash: hash(), - host: host(), - hostname: hostname(), - namedParams: namedParams(), - namedParamsKeys: namedParamsKeys(), - namedParamsValues: namedParamsValues(), - pathNames: pathNames(), - port: port(), - pathname: pathname(), - protocol: protocol(), - search: search(), - queryParams: queryParams(), - queryParamsKeys: queryParamsKeys(), - queryParamsValues: queryParamsValues(), - }); - }; - - var url_parser = { UrlParser: UrlParser$4 }; - - const UrlParser$3 = url_parser.UrlParser; - - var urlParamsParser = { - UrlParser: UrlParser$3 - }; - - /** - * Returns true if object has any nested routes empty - * @param routeObject - **/ - function anyEmptyNestedRoutes$1(routeObject) { - let result = false; - if (Object.keys(routeObject).length === 0) { - return true - } - - if (routeObject.childRoute && Object.keys(routeObject.childRoute).length === 0) { - result = true; - } else if (routeObject.childRoute) { - result = anyEmptyNestedRoutes$1(routeObject.childRoute); - } - - return result - } - - /** - * Compare two routes ignoring named params - * @param pathName string - * @param routeName string - **/ - - function compareRoutes(pathName, routeName) { - routeName = removeSlash$2(routeName); - - if (routeName.includes(':')) { - return routeName.includes(pathName) - } else { - return routeName.startsWith(pathName) - } - } - - /** - * Returns a boolean indicating if the name of path exists in the route based on the language parameter - * @param pathName string - * @param route object - * @param language string - **/ - - function findLocalisedRoute(pathName, route, language) { - let exists = false; - - if (language) { - return { exists: route.lang && route.lang[language] && route.lang[language].includes(pathName), language } - } - - exists = compareRoutes(pathName, route.name); - - if (!exists && route.lang && typeof route.lang === 'object') { - for (const [key, value] of Object.entries(route.lang)) { - if (compareRoutes(pathName, value)) { - exists = true; - language = key; - } - } - } - - return { exists, language } - } - - /** - * Return all the consecutive named param (placeholders) of a pathname - * @param pathname - **/ - function getNamedParams$1(pathName = '') { - if (pathName.trim().length === 0) return [] - const namedUrlParams = getPathNames(pathName); - return namedUrlParams.reduce((validParams, param) => { - if (param[0] === ':') { - validParams.push(param.slice(1)); - } - - return validParams - }, []) - } - - /** - * Split a pathname based on / - * @param pathName - * Private method - **/ - function getPathNames(pathName) { - if (pathName === '/' || pathName.trim().length === 0) return [pathName] - - pathName = removeSlash$2(pathName, 'both'); - - return pathName.split('/') - } - - /** - * Return the first part of a pathname until the first named param is found - * @param name - **/ - function nameToPath$1(name = '') { - let routeName; - if (name === '/' || name.trim().length === 0) return name - name = removeSlash$2(name, 'lead'); - routeName = name.split(':')[0]; - routeName = removeSlash$2(routeName, 'trail'); - - return routeName.toLowerCase() - } - - /** - * Return the path name excluding query params - * @param name - **/ - function pathWithoutQueryParams$1(currentRoute) { - const path = currentRoute.path.split('?'); - return path[0] - } - - /** - * Return the path name including query params - * @param name - **/ - function pathWithQueryParams$1(currentRoute) { - let queryParams = []; - if (currentRoute.queryParams) { - for (let [key, value] of Object.entries(currentRoute.queryParams)) { - queryParams.push(`${key}=${value}`); - } - } - - const hash = currentRoute.hash ? currentRoute.hash : ''; - - if (queryParams.length > 0) { - return `${currentRoute.path}?${queryParams.join('&')}${hash}` - } else { - return currentRoute.path + hash - } - } - - /** - * Returns a string with trailing or leading slash character removed - * @param pathName string - * @param position string - lead, trail, both - **/ - function removeExtraPaths$1(pathNames, basePathNames) { - const names = basePathNames.split('/'); - if (names.length > 1) { - names.forEach(function (name, index) { - if (name.length > 0 && index > 0) { - pathNames.shift(); - } - }); - } - - return pathNames - } - - /** - * Returns a string with trailing or leading slash character removed - * @param pathName string - * @param position string - lead, trail, both - **/ - - function removeSlash$2(pathName, position = 'lead') { - if (pathName.trim().length < 1) { - return '' - } - - if (position === 'trail' || position === 'both') { - if (pathName.slice(-1) === '/') { - pathName = pathName.slice(0, -1); - } - } - - if (position === 'lead' || position === 'both') { - if (pathName[0] === '/') { - pathName = pathName.slice(1); - } - } - - return pathName - } - - /** - * Returns the name of the route based on the language parameter - * @param route object - * @param language string - **/ - - function routeNameLocalised$1(route, language = null) { - if (!language || !route.lang || !route.lang[language]) { - return route.name - } else { - return route.lang[language] - } - } - - /** - * Return the path name excluding query params - * @param name - **/ - function startsWithNamedParam$1(currentRoute) { - const routeName = removeSlash$2(currentRoute); - return routeName.startsWith(':') - } - - /** - * Updates the base route path. - * Route objects can have nested routes (childRoutes) or just a long name like "admin/employees/show/:id" - * - * @param basePath string - * @param pathNames array - * @param route object - * @param language string - **/ - - function updateRoutePath$1(basePath, pathNames, route, language, convert = false) { - if (basePath === '/' || basePath.trim().length === 0) return { result: basePath, language: null } - - let basePathResult = basePath; - let routeName = route.name; - let currentLanguage = language; - - if (convert) { - currentLanguage = ''; - } - - routeName = removeSlash$2(routeName); - basePathResult = removeSlash$2(basePathResult); - - if (!route.childRoute) { - let localisedRoute = findLocalisedRoute(basePathResult, route, currentLanguage); - - if (localisedRoute.exists && convert) { - basePathResult = routeNameLocalised$1(route, language); - } - - let routeNames = routeName.split(':')[0]; - routeNames = removeSlash$2(routeNames, 'trail'); - routeNames = routeNames.split('/'); - routeNames.shift(); - routeNames.forEach(() => { - const currentPathName = pathNames[0]; - localisedRoute = findLocalisedRoute(`${basePathResult}/${currentPathName}`, route, currentLanguage); - - if (currentPathName && localisedRoute.exists) { - if (convert) { - basePathResult = routeNameLocalised$1(route, language); - } else { - basePathResult = `${basePathResult}/${currentPathName}`; - } - pathNames.shift(); - } else { - return { result: basePathResult, language: localisedRoute.language } - } - }); - return { result: basePathResult, language: localisedRoute.language } - } else { - return { result: basePath, language: currentLanguage } - } - } - - var utils = { - anyEmptyNestedRoutes: anyEmptyNestedRoutes$1, - compareRoutes, - findLocalisedRoute, - getNamedParams: getNamedParams$1, - getPathNames, - nameToPath: nameToPath$1, - pathWithQueryParams: pathWithQueryParams$1, - pathWithoutQueryParams: pathWithoutQueryParams$1, - removeExtraPaths: removeExtraPaths$1, - removeSlash: removeSlash$2, - routeNameLocalised: routeNameLocalised$1, - startsWithNamedParam: startsWithNamedParam$1, - updateRoutePath: updateRoutePath$1, - }; - - const { UrlParser: UrlParser$2 } = urlParamsParser; - - const { pathWithQueryParams, removeSlash: removeSlash$1 } = utils; - - function RouterCurrent$1(trackPage) { - const trackPageview = trackPage || false; - let activeRoute = ''; - - function setActive(newRoute, updateBrowserHistory) { - activeRoute = newRoute.path; - pushActiveRoute(newRoute, updateBrowserHistory); - } - - function active() { - return activeRoute - } - - /** - * Returns true if pathName is current active route - * @param pathName String The path name to check against the current route. - * @param includePath Boolean if true checks that pathName is included in current route. If false should match it. - **/ - function isActive(queryPath, includePath = false) { - if (queryPath[0] !== '/') { - queryPath = '/' + queryPath; - } - - // remove query params for comparison - let pathName = UrlParser$2(`http://fake.com${queryPath}`).pathname; - let activeRoutePath = UrlParser$2(`http://fake.com${activeRoute}`).pathname; - - pathName = removeSlash$1(pathName, 'trail'); - - activeRoutePath = removeSlash$1(activeRoutePath, 'trail'); - - if (includePath) { - return activeRoutePath.includes(pathName) - } else { - return activeRoutePath === pathName - } - } - - function pushActiveRoute(newRoute, updateBrowserHistory) { - if (typeof window !== 'undefined') { - const pathAndSearch = pathWithQueryParams(newRoute); - - if (updateBrowserHistory) { - window.history.pushState({ page: pathAndSearch }, '', pathAndSearch); - } - // Moving back in history does not update browser history but does update tracking. - if (trackPageview) { - gaTracking(pathAndSearch); - } - } - } - - function gaTracking(newPage) { - if (typeof ga !== 'undefined') { - ga('set', 'page', newPage); - ga('send', 'pageview'); - } - } - - return Object.freeze({ active, isActive, setActive }) - } - - var current = { RouterCurrent: RouterCurrent$1 }; - - function RouterGuard$1(onlyIf) { - const guardInfo = onlyIf; - - function valid() { - return guardInfo && guardInfo.guard && typeof guardInfo.guard === 'function' - } - - function redirect() { - return !guardInfo.guard() - } - - function redirectPath() { - let destinationUrl = '/'; - if (guardInfo.redirect && guardInfo.redirect.length > 0) { - destinationUrl = guardInfo.redirect; - } - - return destinationUrl - } - - return Object.freeze({ valid, redirect, redirectPath }) - } - - var guard = { RouterGuard: RouterGuard$1 }; - - const { RouterGuard } = guard; - - function RouterRedirect$1(route, currentPath) { - const guard = RouterGuard(route.onlyIf); - - function path() { - let redirectTo = currentPath; - if (route.redirectTo && route.redirectTo.length > 0) { - redirectTo = route.redirectTo; - } - - if (guard.valid() && guard.redirect()) { - redirectTo = guard.redirectPath(); - } - - return redirectTo - } - - return Object.freeze({ path }) - } - - var redirect = { RouterRedirect: RouterRedirect$1 }; - - const { UrlParser: UrlParser$1 } = urlParamsParser; - - function RouterRoute$1({ routeInfo, path, routeNamedParams, urlParser, namedPath, language }) { - function namedParams() { - const parsedParams = UrlParser$1(`https://fake.com${urlParser.pathname}`, namedPath).namedParams; - - return { ...routeNamedParams, ...parsedParams } - } - - function get() { - return { - name: path, - component: routeInfo.component, - hash: urlParser.hash, - layout: routeInfo.layout, - queryParams: urlParser.queryParams, - namedParams: namedParams(), - path, - language - } - } - - return Object.freeze({ get, namedParams }) - } - - var route$1 = { RouterRoute: RouterRoute$1 }; - - const { updateRoutePath, getNamedParams, nameToPath, removeExtraPaths, routeNameLocalised } = utils; - - function RouterPath$1({ basePath, basePathName, pathNames, convert, currentLanguage }) { - let updatedPathRoute; - let route; - let routePathLanguage = currentLanguage; - - function updatedPath(currentRoute) { - route = currentRoute; - updatedPathRoute = updateRoutePath(basePathName, pathNames, route, routePathLanguage, convert); - routePathLanguage = convert ? currentLanguage : updatedPathRoute.language; - - return updatedPathRoute - } - - function localisedPathName() { - return routeNameLocalised(route, routePathLanguage) - } - - function localisedRouteWithoutNamedParams() { - return nameToPath(localisedPathName()) - } - - function basePathNameWithoutNamedParams() { - return nameToPath(updatedPathRoute.result) - } - - function namedPath() { - const localisedPath = localisedPathName(); - - return basePath ? `${basePath}/${localisedPath}` : localisedPath - } - - function routePath() { - let routePathValue = `${basePath}/${basePathNameWithoutNamedParams()}`; - if (routePathValue === '//') { - routePathValue = '/'; - } - - if (routePathLanguage) { - pathNames = removeExtraPaths(pathNames, localisedRouteWithoutNamedParams()); - } - - const namedParams = getNamedParams(localisedPathName()); - if (namedParams && namedParams.length > 0) { - namedParams.forEach(function () { - if (pathNames.length > 0) { - routePathValue += `/${pathNames.shift()}`; - } - }); - } - - return routePathValue - } - - function routeLanguage() { - return routePathLanguage - } - - function basePathSameAsLocalised() { - return basePathNameWithoutNamedParams() === localisedRouteWithoutNamedParams() - } - - return Object.freeze({ - basePathSameAsLocalised, - updatedPath, - basePathNameWithoutNamedParams, - localisedPathName, - localisedRouteWithoutNamedParams, - namedPath, - pathNames, - routeLanguage, - routePath, - }) - } - - var path$2 = { RouterPath: RouterPath$1 }; - - const { UrlParser } = urlParamsParser; - - const { RouterRedirect } = redirect; - const { RouterRoute } = route$1; - const { RouterPath } = path$2; - const { anyEmptyNestedRoutes, pathWithoutQueryParams, startsWithNamedParam } = utils; - - const NotFoundPage$1 = '/404.html'; - - function RouterFinder$1({ routes, currentUrl, routerOptions, convert }) { - const defaultLanguage = routerOptions.defaultLanguage; - const sitePrefix = routerOptions.prefix ? routerOptions.prefix.toLowerCase() : ''; - const urlParser = parseCurrentUrl(currentUrl, sitePrefix); - let redirectTo = ''; - let routeNamedParams = {}; - let staticParamMatch = false; - - function findActiveRoute() { - let searchActiveRoute = searchActiveRoutes(routes, '', urlParser.pathNames, routerOptions.lang, convert); - - if (!searchActiveRoute || !Object.keys(searchActiveRoute).length || anyEmptyNestedRoutes(searchActiveRoute)) { - if (typeof window !== 'undefined') { - searchActiveRoute = routeNotFound(routerOptions.lang); - } - } else { - searchActiveRoute.path = pathWithoutQueryParams(searchActiveRoute); - if (sitePrefix) { - searchActiveRoute.path = `/${sitePrefix}${searchActiveRoute.path}`; - } - } - - return searchActiveRoute - } - - /** - * Gets an array of routes and the browser pathname and return the active route - * @param routes - * @param basePath - * @param pathNames - **/ - function searchActiveRoutes(routes, basePath, pathNames, currentLanguage, convert) { - let currentRoute = {}; - let basePathName = pathNames.shift().toLowerCase(); - const routerPath = RouterPath({ basePath, basePathName, pathNames, convert, currentLanguage }); - staticParamMatch = false; - - routes.forEach(function (route) { - routerPath.updatedPath(route); - if (matchRoute(routerPath, route.name)) { - let routePath = routerPath.routePath(); - redirectTo = RouterRedirect(route, redirectTo).path(); - - if (currentRoute.name !== routePath) { - currentRoute = setCurrentRoute({ - route, - routePath, - routeLanguage: routerPath.routeLanguage(), - urlParser, - namedPath: routerPath.namedPath(), - }); - } - - if (route.nestedRoutes && route.nestedRoutes.length > 0 && routerPath.pathNames.length > 0) { - currentRoute.childRoute = searchActiveRoutes( - route.nestedRoutes, - routePath, - routerPath.pathNames, - routerPath.routeLanguage(), - convert - ); - currentRoute.path = currentRoute.childRoute.path; - currentRoute.language = currentRoute.childRoute.language; - } else if (nestedRoutesAndNoPath(route, routerPath.pathNames)) { - const indexRoute = searchActiveRoutes( - route.nestedRoutes, - routePath, - ['index'], - routerPath.routeLanguage(), - convert - ); - if (indexRoute && Object.keys(indexRoute).length > 0) { - currentRoute.childRoute = indexRoute; - currentRoute.language = currentRoute.childRoute.language; - } - } - } - }); - - if (redirectTo) { - currentRoute.redirectTo = redirectTo; - } - - return currentRoute - } - - function matchRoute(routerPath, routeName) { - const basePathSameAsLocalised = routerPath.basePathSameAsLocalised(); - if (basePathSameAsLocalised) { - staticParamMatch = true; - } - - return basePathSameAsLocalised || (!staticParamMatch && startsWithNamedParam(routeName)) - } - - function nestedRoutesAndNoPath(route, pathNames) { - return route.nestedRoutes && route.nestedRoutes.length > 0 && pathNames.length === 0 - } - - function parseCurrentUrl(currentUrl, sitePrefix) { - if (sitePrefix && sitePrefix.trim().length > 0) { - const noPrefixUrl = currentUrl.replace(sitePrefix + '/', ''); - return UrlParser(noPrefixUrl) - } else { - return UrlParser(currentUrl) - } - } - - function setCurrentRoute({ route, routePath, routeLanguage, urlParser, namedPath }) { - const routerRoute = RouterRoute({ - routeInfo: route, - urlParser, - path: routePath, - routeNamedParams, - namedPath, - language: routeLanguage || defaultLanguage, - }); - routeNamedParams = routerRoute.namedParams(); - - return routerRoute.get() - } - - function routeNotFound(customLanguage) { - const custom404Page = routes.find((route) => route.name == '404'); - const language = customLanguage || defaultLanguage || ''; - if (custom404Page) { - return { ...custom404Page, language, path: '404' } - } else { - return { name: '404', component: '', path: '404', redirectTo: NotFoundPage$1 } - } - } - - return Object.freeze({ findActiveRoute }) - } - - var finder = { RouterFinder: RouterFinder$1 }; - - const { activeRoute } = store; - const { RouterCurrent } = current; - const { RouterFinder } = finder; - const { removeSlash } = utils; - - const NotFoundPage = '/404.html'; - - let userDefinedRoutes = []; - let routerOptions = {}; - let routerCurrent; - - /** - * Object exposes one single property: activeRoute - * @param routes Array of routes - * @param currentUrl current url - * @param options configuration options - **/ - function SpaRouter$1(routes, currentUrl, options = {}) { - routerOptions = { ...options }; - if (typeof currentUrl === 'undefined' || currentUrl === '') { - currentUrl = document.location.href; - } - - routerCurrent = RouterCurrent(routerOptions.gaPageviews); - - currentUrl = removeSlash(currentUrl, 'trail'); - userDefinedRoutes = routes; - - function findActiveRoute() { - let convert = false; - - if (routerOptions.langConvertTo) { - routerOptions.lang = routerOptions.langConvertTo; - convert = true; - } - - return RouterFinder({ routes, currentUrl, routerOptions, convert }).findActiveRoute() - } - - /** - * Redirect current route to another - * @param destinationUrl - **/ - function navigateNow(destinationUrl, updateBrowserHistory) { - if (typeof window !== 'undefined') { - if (destinationUrl === NotFoundPage) { - routerCurrent.setActive({ path: NotFoundPage }, updateBrowserHistory); - } else { - navigateTo$1(destinationUrl); - } - } - - return destinationUrl - } - - function setActiveRoute(updateBrowserHistory = true) { - const currentRoute = findActiveRoute(); - if (currentRoute.redirectTo) { - return navigateNow(currentRoute.redirectTo, updateBrowserHistory) - } - - routerCurrent.setActive(currentRoute, updateBrowserHistory); - activeRoute.set(currentRoute); - - return currentRoute - } - - return Object.freeze({ - setActiveRoute, - findActiveRoute, - }) - } - - /** - * Converts a route to its localised version - * @param pathName - **/ - function localisedRoute$1(pathName, language) { - pathName = removeSlash(pathName, 'lead'); - routerOptions.langConvertTo = language; - - return SpaRouter$1(userDefinedRoutes, 'http://fake.com/' + pathName, routerOptions).findActiveRoute() - } - - /** - * Updates the current active route and updates the browser pathname - * @param pathName String - * @param language String - * @param updateBrowserHistory Boolean - **/ - function navigateTo$1(pathName, language = null, updateBrowserHistory = true) { - pathName = removeSlash(pathName, 'lead'); - - if (language) { - routerOptions.langConvertTo = language; - } - - return SpaRouter$1(userDefinedRoutes, 'http://fake.com/' + pathName, routerOptions).setActiveRoute(updateBrowserHistory) - } - - /** - * Returns true if pathName is current active route - * @param pathName String The path name to check against the current route. - * @param includePath Boolean if true checks that pathName is included in current route. If false should match it. - **/ - function routeIsActive$1(queryPath, includePath = false) { - return routerCurrent.isActive(queryPath, includePath) - } - - if (typeof window !== 'undefined') { - // Avoid full page reload on local routes - window.addEventListener('click', (event) => { - if (event.target.localName.toLowerCase() !== 'a') return - if (event.metaKey || event.ctrlKey || event.shiftKey) return - - const sitePrefix = routerOptions.prefix ? `/${routerOptions.prefix.toLowerCase()}` : ''; - const targetHostNameInternal = event.target.pathname && event.target.host === window.location.host; - const prefixMatchPath = sitePrefix.length > 1 ? event.target.pathname.startsWith(sitePrefix) : true; - - if (targetHostNameInternal && prefixMatchPath) { - event.preventDefault(); - let navigatePathname = event.target.pathname + event.target.search; - - const destinationUrl = navigatePathname + event.target.search + event.target.hash; - if (event.target.target === '_blank') { - window.open(destinationUrl, 'newTab'); - } else { - navigateTo$1(destinationUrl); - } - } - }); - - window.onpopstate = function (_event) { - let navigatePathname = window.location.pathname + window.location.search + window.location.hash; - - navigateTo$1(navigatePathname, null, false); - }; - } - - var spa_router = { SpaRouter: SpaRouter$1, localisedRoute: localisedRoute$1, navigateTo: navigateTo$1, routeIsActive: routeIsActive$1 }; - var spa_router_1 = spa_router.SpaRouter; - var spa_router_2 = spa_router.localisedRoute; - var spa_router_3 = spa_router.navigateTo; - var spa_router_4 = spa_router.routeIsActive; - - /* node_modules/svelte-router-spa/src/components/route.svelte generated by Svelte v3.59.1 */ - - // (10:34) - function create_if_block_2$m(ctx) { - let route; - let current; - - route = new Route$1({ - props: { - currentRoute: /*currentRoute*/ ctx[0].childRoute, - params: /*params*/ ctx[1] - }, - $$inline: true - }); - - const block = { - c: function create() { - create_component(route.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(route, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const route_changes = {}; - if (dirty & /*currentRoute*/ 1) route_changes.currentRoute = /*currentRoute*/ ctx[0].childRoute; - if (dirty & /*params*/ 2) route_changes.params = /*params*/ ctx[1]; - route.$set(route_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(route.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(route.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(route, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$m.name, - type: "if", - source: "(10:34) ", - ctx - }); - - return block; - } - - // (8:33) - function create_if_block_1$u(ctx) { - let switch_instance; - let switch_instance_anchor; - let current; - var switch_value = /*currentRoute*/ ctx[0].component; - - function switch_props(ctx) { - return { - props: { - currentRoute: { - .../*currentRoute*/ ctx[0], - component: '' - }, - params: /*params*/ ctx[1] - }, - $$inline: true - }; - } - - if (switch_value) { - switch_instance = construct_svelte_component_dev(switch_value, switch_props(ctx)); - } - - const block = { - c: function create() { - if (switch_instance) create_component(switch_instance.$$.fragment); - switch_instance_anchor = empty(); - }, - m: function mount(target, anchor) { - if (switch_instance) mount_component(switch_instance, target, anchor); - insert_dev(target, switch_instance_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const switch_instance_changes = {}; - - if (dirty & /*currentRoute*/ 1) switch_instance_changes.currentRoute = { - .../*currentRoute*/ ctx[0], - component: '' - }; - - if (dirty & /*params*/ 2) switch_instance_changes.params = /*params*/ ctx[1]; - - if (dirty & /*currentRoute*/ 1 && switch_value !== (switch_value = /*currentRoute*/ ctx[0].component)) { - if (switch_instance) { - group_outros(); - const old_component = switch_instance; - - transition_out(old_component.$$.fragment, 1, 0, () => { - destroy_component(old_component, 1); - }); - - check_outros(); - } - - if (switch_value) { - switch_instance = construct_svelte_component_dev(switch_value, switch_props(ctx)); - create_component(switch_instance.$$.fragment); - transition_in(switch_instance.$$.fragment, 1); - mount_component(switch_instance, switch_instance_anchor.parentNode, switch_instance_anchor); - } else { - switch_instance = null; - } - } else if (switch_value) { - switch_instance.$set(switch_instance_changes); - } - }, - i: function intro(local) { - if (current) return; - if (switch_instance) transition_in(switch_instance.$$.fragment, local); - current = true; - }, - o: function outro(local) { - if (switch_instance) transition_out(switch_instance.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(switch_instance_anchor); - if (switch_instance) destroy_component(switch_instance, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$u.name, - type: "if", - source: "(8:33) ", - ctx - }); - - return block; - } - - // (6:0) {#if currentRoute.layout} - function create_if_block$H(ctx) { - let switch_instance; - let switch_instance_anchor; - let current; - var switch_value = /*currentRoute*/ ctx[0].layout; - - function switch_props(ctx) { - return { - props: { - currentRoute: { .../*currentRoute*/ ctx[0], layout: '' }, - params: /*params*/ ctx[1] - }, - $$inline: true - }; - } - - if (switch_value) { - switch_instance = construct_svelte_component_dev(switch_value, switch_props(ctx)); - } - - const block = { - c: function create() { - if (switch_instance) create_component(switch_instance.$$.fragment); - switch_instance_anchor = empty(); - }, - m: function mount(target, anchor) { - if (switch_instance) mount_component(switch_instance, target, anchor); - insert_dev(target, switch_instance_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const switch_instance_changes = {}; - if (dirty & /*currentRoute*/ 1) switch_instance_changes.currentRoute = { .../*currentRoute*/ ctx[0], layout: '' }; - if (dirty & /*params*/ 2) switch_instance_changes.params = /*params*/ ctx[1]; - - if (dirty & /*currentRoute*/ 1 && switch_value !== (switch_value = /*currentRoute*/ ctx[0].layout)) { - if (switch_instance) { - group_outros(); - const old_component = switch_instance; - - transition_out(old_component.$$.fragment, 1, 0, () => { - destroy_component(old_component, 1); - }); - - check_outros(); - } - - if (switch_value) { - switch_instance = construct_svelte_component_dev(switch_value, switch_props(ctx)); - create_component(switch_instance.$$.fragment); - transition_in(switch_instance.$$.fragment, 1); - mount_component(switch_instance, switch_instance_anchor.parentNode, switch_instance_anchor); - } else { - switch_instance = null; - } - } else if (switch_value) { - switch_instance.$set(switch_instance_changes); - } - }, - i: function intro(local) { - if (current) return; - if (switch_instance) transition_in(switch_instance.$$.fragment, local); - current = true; - }, - o: function outro(local) { - if (switch_instance) transition_out(switch_instance.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(switch_instance_anchor); - if (switch_instance) destroy_component(switch_instance, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$H.name, - type: "if", - source: "(6:0) {#if currentRoute.layout}", - ctx - }); - - return block; - } - - function create_fragment$W(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$H, create_if_block_1$u, create_if_block_2$m]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*currentRoute*/ ctx[0].layout) return 0; - if (/*currentRoute*/ ctx[0].component) return 1; - if (/*currentRoute*/ ctx[0].childRoute) return 2; - return -1; - } - - if (~(current_block_type_index = select_block_type(ctx))) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - } - - const block = { - c: function create() { - if (if_block) if_block.c(); - if_block_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if (~current_block_type_index) { - if_blocks[current_block_type_index].m(target, anchor); - } - - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if (~current_block_type_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } - } else { - if (if_block) { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - } - - if (~current_block_type_index) { - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } else { - if_block = null; - } - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (~current_block_type_index) { - if_blocks[current_block_type_index].d(detaching); - } - - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$W.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$W($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Route', slots, []); - let { currentRoute = {} } = $$props; - let { params = {} } = $$props; - const writable_props = ['currentRoute', 'params']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - if ('params' in $$props) $$invalidate(1, params = $$props.params); - }; - - $$self.$capture_state = () => ({ currentRoute, params }); - - $$self.$inject_state = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - if ('params' in $$props) $$invalidate(1, params = $$props.params); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [currentRoute, params]; - } - - class Route$1 extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$W, create_fragment$W, safe_not_equal, { currentRoute: 0, params: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Route", - options, - id: create_fragment$W.name - }); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get params() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set params(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var route = /*#__PURE__*/Object.freeze({ - __proto__: null, - 'default': Route$1 - }); - - /* node_modules/svelte-router-spa/src/components/router.svelte generated by Svelte v3.59.1 */ - - function create_fragment$V(ctx) { - let route; - let current; - - route = new Route$1({ - props: { currentRoute: /*$activeRoute*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - create_component(route.$$.fragment); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - mount_component(route, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - const route_changes = {}; - if (dirty & /*$activeRoute*/ 1) route_changes.currentRoute = /*$activeRoute*/ ctx[0]; - route.$set(route_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(route.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(route.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(route, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$V.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$V($$self, $$props, $$invalidate) { - let $activeRoute; - validate_store(store_1, 'activeRoute'); - component_subscribe($$self, store_1, $$value => $$invalidate(0, $activeRoute = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Router', slots, []); - let { routes = [] } = $$props; - let { options = {} } = $$props; - - onMount(function () { - spa_router_1(routes, document.location.href, options).setActiveRoute(); - }); - - const writable_props = ['routes', 'options']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('routes' in $$props) $$invalidate(1, routes = $$props.routes); - if ('options' in $$props) $$invalidate(2, options = $$props.options); - }; - - $$self.$capture_state = () => ({ - onMount, - SpaRouter: spa_router_1, - Route: Route$1, - activeRoute: store_1, - routes, - options, - $activeRoute - }); - - $$self.$inject_state = $$props => { - if ('routes' in $$props) $$invalidate(1, routes = $$props.routes); - if ('options' in $$props) $$invalidate(2, options = $$props.options); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [$activeRoute, routes, options]; - } - - class Router$1 extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$V, create_fragment$V, safe_not_equal, { routes: 1, options: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Router", - options, - id: create_fragment$V.name - }); - } - - get routes() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set routes(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get options() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set options(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var router = /*#__PURE__*/Object.freeze({ - __proto__: null, - 'default': Router$1 - }); - - /* node_modules/svelte-router-spa/src/components/navigate.svelte generated by Svelte v3.59.1 */ - const file$U = "node_modules/svelte-router-spa/src/components/navigate.svelte"; - - function create_fragment$U(ctx) { - let a; - let current; - let mounted; - let dispose; - const default_slot_template = /*#slots*/ ctx[6].default; - const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[5], null); - - const block = { - c: function create() { - a = element("a"); - if (default_slot) default_slot.c(); - attr_dev(a, "href", /*to*/ ctx[0]); - attr_dev(a, "title", /*title*/ ctx[1]); - attr_dev(a, "class", /*styles*/ ctx[2]); - toggle_class(a, "active", spa_router_4(/*to*/ ctx[0])); - add_location(a, file$U, 25, 0, 548); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, a, anchor); - - if (default_slot) { - default_slot.m(a, null); - } - - current = true; - - if (!mounted) { - dispose = listen_dev(a, "click", /*navigate*/ ctx[3], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (default_slot) { - if (default_slot.p && (!current || dirty & /*$$scope*/ 32)) { - update_slot_base( - default_slot, - default_slot_template, - ctx, - /*$$scope*/ ctx[5], - !current - ? get_all_dirty_from_scope(/*$$scope*/ ctx[5]) - : get_slot_changes(default_slot_template, /*$$scope*/ ctx[5], dirty, null), - null - ); - } - } - - if (!current || dirty & /*to*/ 1) { - attr_dev(a, "href", /*to*/ ctx[0]); - } - - if (!current || dirty & /*title*/ 2) { - attr_dev(a, "title", /*title*/ ctx[1]); - } - - if (!current || dirty & /*styles*/ 4) { - attr_dev(a, "class", /*styles*/ ctx[2]); - } - - if (!current || dirty & /*styles, routeIsActive, to*/ 5) { - toggle_class(a, "active", spa_router_4(/*to*/ ctx[0])); - } - }, - i: function intro(local) { - if (current) return; - transition_in(default_slot, local); - current = true; - }, - o: function outro(local) { - transition_out(default_slot, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(a); - if (default_slot) default_slot.d(detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$U.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$U($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Navigate', slots, ['default']); - let { to = '/' } = $$props; - let { title = '' } = $$props; - let { styles = '' } = $$props; - let { lang = null } = $$props; - - onMount(function () { - if (lang) { - const route = spa_router_2(to, lang); - - if (route) { - $$invalidate(0, to = route.path); - } - } - }); - - function navigate(event) { - if (event.metaKey || event.ctrlKey || event.shiftKey) return; - event.preventDefault(); - event.stopPropagation(); - spa_router_3(to); - } - - const writable_props = ['to', 'title', 'styles', 'lang']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('to' in $$props) $$invalidate(0, to = $$props.to); - if ('title' in $$props) $$invalidate(1, title = $$props.title); - if ('styles' in $$props) $$invalidate(2, styles = $$props.styles); - if ('lang' in $$props) $$invalidate(4, lang = $$props.lang); - if ('$$scope' in $$props) $$invalidate(5, $$scope = $$props.$$scope); - }; - - $$self.$capture_state = () => ({ - onMount, - localisedRoute: spa_router_2, - navigateTo: spa_router_3, - routeIsActive: spa_router_4, - to, - title, - styles, - lang, - navigate - }); - - $$self.$inject_state = $$props => { - if ('to' in $$props) $$invalidate(0, to = $$props.to); - if ('title' in $$props) $$invalidate(1, title = $$props.title); - if ('styles' in $$props) $$invalidate(2, styles = $$props.styles); - if ('lang' in $$props) $$invalidate(4, lang = $$props.lang); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [to, title, styles, navigate, lang, $$scope, slots]; - } - - class Navigate$1 extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$U, create_fragment$U, safe_not_equal, { to: 0, title: 1, styles: 2, lang: 4 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Navigate", - options, - id: create_fragment$U.name - }); - } - - get to() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set to(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get title() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set title(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get styles() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set styles(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get lang() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set lang(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var navigate = /*#__PURE__*/Object.freeze({ - __proto__: null, - 'default': Navigate$1 - }); - - var Route = getCjsExportFromNamespace(route); - - var Router = getCjsExportFromNamespace(router); - - var Navigate = getCjsExportFromNamespace(navigate); - - const { SpaRouter, navigateTo, localisedRoute, routeIsActive } = spa_router; - - - - - var src = { - SpaRouter, - localisedRoute, - navigateTo, - routeIsActive, - Route, - Router, - Navigate - }; - var src_3 = src.navigateTo; - var src_5 = src.Route; - var src_6 = src.Router; - var src_7 = src.Navigate; - - /****************************************************************************** - Copyright (c) Microsoft Corporation. - - Permission to use, copy, modify, and/or distribute this software for any - purpose with or without fee is hereby granted. - - THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH - REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY - AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, - INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM - LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR - OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR - PERFORMANCE OF THIS SOFTWARE. - ***************************************************************************** */ - - function __rest(s, e) { - var t = {}; - for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) - t[p] = s[p]; - if (s != null && typeof Object.getOwnPropertySymbols === "function") - for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { - if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) - t[p[i]] = s[p[i]]; - } - return t; - } - - /** - * Enumeration of supported providers. - * - * @public - */ - const ProviderId = { - /** Facebook provider ID */ - FACEBOOK: 'facebook.com', - /** GitHub provider ID */ - GITHUB: 'github.com', - /** Google provider ID */ - GOOGLE: 'google.com', - /** Password provider */ - PASSWORD: 'password', - /** Phone provider */ - PHONE: 'phone', - /** Twitter provider ID */ - TWITTER: 'twitter.com' - }; - /** - * An enumeration of the possible email action types. - * - * @public - */ - const ActionCodeOperation = { - /** The email link sign-in action. */ - EMAIL_SIGNIN: 'EMAIL_SIGNIN', - /** The password reset action. */ - PASSWORD_RESET: 'PASSWORD_RESET', - /** The email revocation action. */ - RECOVER_EMAIL: 'RECOVER_EMAIL', - /** The revert second factor addition email action. */ - REVERT_SECOND_FACTOR_ADDITION: 'REVERT_SECOND_FACTOR_ADDITION', - /** The revert second factor addition email action. */ - VERIFY_AND_CHANGE_EMAIL: 'VERIFY_AND_CHANGE_EMAIL', - /** The email verification action. */ - VERIFY_EMAIL: 'VERIFY_EMAIL' - }; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _debugErrorMap() { - return { - ["admin-restricted-operation" /* AuthErrorCode.ADMIN_ONLY_OPERATION */]: 'This operation is restricted to administrators only.', - ["argument-error" /* AuthErrorCode.ARGUMENT_ERROR */]: '', - ["app-not-authorized" /* AuthErrorCode.APP_NOT_AUTHORIZED */]: "This app, identified by the domain where it's hosted, is not " + - 'authorized to use Firebase Authentication with the provided API key. ' + - 'Review your key configuration in the Google API console.', - ["app-not-installed" /* AuthErrorCode.APP_NOT_INSTALLED */]: 'The requested mobile application corresponding to the identifier (' + - 'Android package name or iOS bundle ID) provided is not installed on ' + - 'this device.', - ["captcha-check-failed" /* AuthErrorCode.CAPTCHA_CHECK_FAILED */]: 'The reCAPTCHA response token provided is either invalid, expired, ' + - 'already used or the domain associated with it does not match the list ' + - 'of whitelisted domains.', - ["code-expired" /* AuthErrorCode.CODE_EXPIRED */]: 'The SMS code has expired. Please re-send the verification code to try ' + - 'again.', - ["cordova-not-ready" /* AuthErrorCode.CORDOVA_NOT_READY */]: 'Cordova framework is not ready.', - ["cors-unsupported" /* AuthErrorCode.CORS_UNSUPPORTED */]: 'This browser is not supported.', - ["credential-already-in-use" /* AuthErrorCode.CREDENTIAL_ALREADY_IN_USE */]: 'This credential is already associated with a different user account.', - ["custom-token-mismatch" /* AuthErrorCode.CREDENTIAL_MISMATCH */]: 'The custom token corresponds to a different audience.', - ["requires-recent-login" /* AuthErrorCode.CREDENTIAL_TOO_OLD_LOGIN_AGAIN */]: 'This operation is sensitive and requires recent authentication. Log in ' + - 'again before retrying this request.', - ["dependent-sdk-initialized-before-auth" /* AuthErrorCode.DEPENDENT_SDK_INIT_BEFORE_AUTH */]: 'Another Firebase SDK was initialized and is trying to use Auth before Auth is ' + - 'initialized. Please be sure to call `initializeAuth` or `getAuth` before ' + - 'starting any other Firebase SDK.', - ["dynamic-link-not-activated" /* AuthErrorCode.DYNAMIC_LINK_NOT_ACTIVATED */]: 'Please activate Dynamic Links in the Firebase Console and agree to the terms and ' + - 'conditions.', - ["email-change-needs-verification" /* AuthErrorCode.EMAIL_CHANGE_NEEDS_VERIFICATION */]: 'Multi-factor users must always have a verified email.', - ["email-already-in-use" /* AuthErrorCode.EMAIL_EXISTS */]: 'The email address is already in use by another account.', - ["emulator-config-failed" /* AuthErrorCode.EMULATOR_CONFIG_FAILED */]: 'Auth instance has already been used to make a network call. Auth can ' + - 'no longer be configured to use the emulator. Try calling ' + - '"connectAuthEmulator()" sooner.', - ["expired-action-code" /* AuthErrorCode.EXPIRED_OOB_CODE */]: 'The action code has expired.', - ["cancelled-popup-request" /* AuthErrorCode.EXPIRED_POPUP_REQUEST */]: 'This operation has been cancelled due to another conflicting popup being opened.', - ["internal-error" /* AuthErrorCode.INTERNAL_ERROR */]: 'An internal AuthError has occurred.', - ["invalid-app-credential" /* AuthErrorCode.INVALID_APP_CREDENTIAL */]: 'The phone verification request contains an invalid application verifier.' + - ' The reCAPTCHA token response is either invalid or expired.', - ["invalid-app-id" /* AuthErrorCode.INVALID_APP_ID */]: 'The mobile app identifier is not registed for the current project.', - ["invalid-user-token" /* AuthErrorCode.INVALID_AUTH */]: "This user's credential isn't valid for this project. This can happen " + - "if the user's token has been tampered with, or if the user isn't for " + - 'the project associated with this API key.', - ["invalid-auth-event" /* AuthErrorCode.INVALID_AUTH_EVENT */]: 'An internal AuthError has occurred.', - ["invalid-verification-code" /* AuthErrorCode.INVALID_CODE */]: 'The SMS verification code used to create the phone auth credential is ' + - 'invalid. Please resend the verification code sms and be sure to use the ' + - 'verification code provided by the user.', - ["invalid-continue-uri" /* AuthErrorCode.INVALID_CONTINUE_URI */]: 'The continue URL provided in the request is invalid.', - ["invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */]: 'The following Cordova plugins must be installed to enable OAuth sign-in: ' + - 'cordova-plugin-buildinfo, cordova-universal-links-plugin, ' + - 'cordova-plugin-browsertab, cordova-plugin-inappbrowser and ' + - 'cordova-plugin-customurlscheme.', - ["invalid-custom-token" /* AuthErrorCode.INVALID_CUSTOM_TOKEN */]: 'The custom token format is incorrect. Please check the documentation.', - ["invalid-dynamic-link-domain" /* AuthErrorCode.INVALID_DYNAMIC_LINK_DOMAIN */]: 'The provided dynamic link domain is not configured or authorized for the current project.', - ["invalid-email" /* AuthErrorCode.INVALID_EMAIL */]: 'The email address is badly formatted.', - ["invalid-emulator-scheme" /* AuthErrorCode.INVALID_EMULATOR_SCHEME */]: 'Emulator URL must start with a valid scheme (http:// or https://).', - ["invalid-api-key" /* AuthErrorCode.INVALID_API_KEY */]: 'Your API key is invalid, please check you have copied it correctly.', - ["invalid-cert-hash" /* AuthErrorCode.INVALID_CERT_HASH */]: 'The SHA-1 certificate hash provided is invalid.', - ["invalid-credential" /* AuthErrorCode.INVALID_IDP_RESPONSE */]: 'The supplied auth credential is malformed or has expired.', - ["invalid-message-payload" /* AuthErrorCode.INVALID_MESSAGE_PAYLOAD */]: 'The email template corresponding to this action contains invalid characters in its message. ' + - 'Please fix by going to the Auth email templates section in the Firebase Console.', - ["invalid-multi-factor-session" /* AuthErrorCode.INVALID_MFA_SESSION */]: 'The request does not contain a valid proof of first factor successful sign-in.', - ["invalid-oauth-provider" /* AuthErrorCode.INVALID_OAUTH_PROVIDER */]: 'EmailAuthProvider is not supported for this operation. This operation ' + - 'only supports OAuth providers.', - ["invalid-oauth-client-id" /* AuthErrorCode.INVALID_OAUTH_CLIENT_ID */]: 'The OAuth client ID provided is either invalid or does not match the ' + - 'specified API key.', - ["unauthorized-domain" /* AuthErrorCode.INVALID_ORIGIN */]: 'This domain is not authorized for OAuth operations for your Firebase ' + - 'project. Edit the list of authorized domains from the Firebase console.', - ["invalid-action-code" /* AuthErrorCode.INVALID_OOB_CODE */]: 'The action code is invalid. This can happen if the code is malformed, ' + - 'expired, or has already been used.', - ["wrong-password" /* AuthErrorCode.INVALID_PASSWORD */]: 'The password is invalid or the user does not have a password.', - ["invalid-persistence-type" /* AuthErrorCode.INVALID_PERSISTENCE */]: 'The specified persistence type is invalid. It can only be local, session or none.', - ["invalid-phone-number" /* AuthErrorCode.INVALID_PHONE_NUMBER */]: 'The format of the phone number provided is incorrect. Please enter the ' + - 'phone number in a format that can be parsed into E.164 format. E.164 ' + - 'phone numbers are written in the format [+][country code][subscriber ' + - 'number including area code].', - ["invalid-provider-id" /* AuthErrorCode.INVALID_PROVIDER_ID */]: 'The specified provider ID is invalid.', - ["invalid-recipient-email" /* AuthErrorCode.INVALID_RECIPIENT_EMAIL */]: 'The email corresponding to this action failed to send as the provided ' + - 'recipient email address is invalid.', - ["invalid-sender" /* AuthErrorCode.INVALID_SENDER */]: 'The email template corresponding to this action contains an invalid sender email or name. ' + - 'Please fix by going to the Auth email templates section in the Firebase Console.', - ["invalid-verification-id" /* AuthErrorCode.INVALID_SESSION_INFO */]: 'The verification ID used to create the phone auth credential is invalid.', - ["invalid-tenant-id" /* AuthErrorCode.INVALID_TENANT_ID */]: "The Auth instance's tenant ID is invalid.", - ["login-blocked" /* AuthErrorCode.LOGIN_BLOCKED */]: 'Login blocked by user-provided method: {$originalMessage}', - ["missing-android-pkg-name" /* AuthErrorCode.MISSING_ANDROID_PACKAGE_NAME */]: 'An Android Package Name must be provided if the Android App is required to be installed.', - ["auth-domain-config-required" /* AuthErrorCode.MISSING_AUTH_DOMAIN */]: 'Be sure to include authDomain when calling firebase.initializeApp(), ' + - 'by following the instructions in the Firebase console.', - ["missing-app-credential" /* AuthErrorCode.MISSING_APP_CREDENTIAL */]: 'The phone verification request is missing an application verifier ' + - 'assertion. A reCAPTCHA response token needs to be provided.', - ["missing-verification-code" /* AuthErrorCode.MISSING_CODE */]: 'The phone auth credential was created with an empty SMS verification code.', - ["missing-continue-uri" /* AuthErrorCode.MISSING_CONTINUE_URI */]: 'A continue URL must be provided in the request.', - ["missing-iframe-start" /* AuthErrorCode.MISSING_IFRAME_START */]: 'An internal AuthError has occurred.', - ["missing-ios-bundle-id" /* AuthErrorCode.MISSING_IOS_BUNDLE_ID */]: 'An iOS Bundle ID must be provided if an App Store ID is provided.', - ["missing-or-invalid-nonce" /* AuthErrorCode.MISSING_OR_INVALID_NONCE */]: 'The request does not contain a valid nonce. This can occur if the ' + - 'SHA-256 hash of the provided raw nonce does not match the hashed nonce ' + - 'in the ID token payload.', - ["missing-password" /* AuthErrorCode.MISSING_PASSWORD */]: 'A non-empty password must be provided', - ["missing-multi-factor-info" /* AuthErrorCode.MISSING_MFA_INFO */]: 'No second factor identifier is provided.', - ["missing-multi-factor-session" /* AuthErrorCode.MISSING_MFA_SESSION */]: 'The request is missing proof of first factor successful sign-in.', - ["missing-phone-number" /* AuthErrorCode.MISSING_PHONE_NUMBER */]: 'To send verification codes, provide a phone number for the recipient.', - ["missing-verification-id" /* AuthErrorCode.MISSING_SESSION_INFO */]: 'The phone auth credential was created with an empty verification ID.', - ["app-deleted" /* AuthErrorCode.MODULE_DESTROYED */]: 'This instance of FirebaseApp has been deleted.', - ["multi-factor-info-not-found" /* AuthErrorCode.MFA_INFO_NOT_FOUND */]: 'The user does not have a second factor matching the identifier provided.', - ["multi-factor-auth-required" /* AuthErrorCode.MFA_REQUIRED */]: 'Proof of ownership of a second factor is required to complete sign-in.', - ["account-exists-with-different-credential" /* AuthErrorCode.NEED_CONFIRMATION */]: 'An account already exists with the same email address but different ' + - 'sign-in credentials. Sign in using a provider associated with this ' + - 'email address.', - ["network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */]: 'A network AuthError (such as timeout, interrupted connection or unreachable host) has occurred.', - ["no-auth-event" /* AuthErrorCode.NO_AUTH_EVENT */]: 'An internal AuthError has occurred.', - ["no-such-provider" /* AuthErrorCode.NO_SUCH_PROVIDER */]: 'User was not linked to an account with the given provider.', - ["null-user" /* AuthErrorCode.NULL_USER */]: 'A null user object was provided as the argument for an operation which ' + - 'requires a non-null user object.', - ["operation-not-allowed" /* AuthErrorCode.OPERATION_NOT_ALLOWED */]: 'The given sign-in provider is disabled for this Firebase project. ' + - 'Enable it in the Firebase console, under the sign-in method tab of the ' + - 'Auth section.', - ["operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */]: 'This operation is not supported in the environment this application is ' + - 'running on. "location.protocol" must be http, https or chrome-extension' + - ' and web storage must be enabled.', - ["popup-blocked" /* AuthErrorCode.POPUP_BLOCKED */]: 'Unable to establish a connection with the popup. It may have been blocked by the browser.', - ["popup-closed-by-user" /* AuthErrorCode.POPUP_CLOSED_BY_USER */]: 'The popup has been closed by the user before finalizing the operation.', - ["provider-already-linked" /* AuthErrorCode.PROVIDER_ALREADY_LINKED */]: 'User can only be linked to one identity for the given provider.', - ["quota-exceeded" /* AuthErrorCode.QUOTA_EXCEEDED */]: "The project's quota for this operation has been exceeded.", - ["redirect-cancelled-by-user" /* AuthErrorCode.REDIRECT_CANCELLED_BY_USER */]: 'The redirect operation has been cancelled by the user before finalizing.', - ["redirect-operation-pending" /* AuthErrorCode.REDIRECT_OPERATION_PENDING */]: 'A redirect sign-in operation is already pending.', - ["rejected-credential" /* AuthErrorCode.REJECTED_CREDENTIAL */]: 'The request contains malformed or mismatching credentials.', - ["second-factor-already-in-use" /* AuthErrorCode.SECOND_FACTOR_ALREADY_ENROLLED */]: 'The second factor is already enrolled on this account.', - ["maximum-second-factor-count-exceeded" /* AuthErrorCode.SECOND_FACTOR_LIMIT_EXCEEDED */]: 'The maximum allowed number of second factors on a user has been exceeded.', - ["tenant-id-mismatch" /* AuthErrorCode.TENANT_ID_MISMATCH */]: "The provided tenant ID does not match the Auth instance's tenant ID", - ["timeout" /* AuthErrorCode.TIMEOUT */]: 'The operation has timed out.', - ["user-token-expired" /* AuthErrorCode.TOKEN_EXPIRED */]: "The user's credential is no longer valid. The user must sign in again.", - ["too-many-requests" /* AuthErrorCode.TOO_MANY_ATTEMPTS_TRY_LATER */]: 'We have blocked all requests from this device due to unusual activity. ' + - 'Try again later.', - ["unauthorized-continue-uri" /* AuthErrorCode.UNAUTHORIZED_DOMAIN */]: 'The domain of the continue URL is not whitelisted. Please whitelist ' + - 'the domain in the Firebase console.', - ["unsupported-first-factor" /* AuthErrorCode.UNSUPPORTED_FIRST_FACTOR */]: 'Enrolling a second factor or signing in with a multi-factor account requires sign-in with a supported first factor.', - ["unsupported-persistence-type" /* AuthErrorCode.UNSUPPORTED_PERSISTENCE */]: 'The current environment does not support the specified persistence type.', - ["unsupported-tenant-operation" /* AuthErrorCode.UNSUPPORTED_TENANT_OPERATION */]: 'This operation is not supported in a multi-tenant context.', - ["unverified-email" /* AuthErrorCode.UNVERIFIED_EMAIL */]: 'The operation requires a verified email.', - ["user-cancelled" /* AuthErrorCode.USER_CANCELLED */]: 'The user did not grant your application the permissions it requested.', - ["user-not-found" /* AuthErrorCode.USER_DELETED */]: 'There is no user record corresponding to this identifier. The user may ' + - 'have been deleted.', - ["user-disabled" /* AuthErrorCode.USER_DISABLED */]: 'The user account has been disabled by an administrator.', - ["user-mismatch" /* AuthErrorCode.USER_MISMATCH */]: 'The supplied credentials do not correspond to the previously signed in user.', - ["user-signed-out" /* AuthErrorCode.USER_SIGNED_OUT */]: '', - ["weak-password" /* AuthErrorCode.WEAK_PASSWORD */]: 'The password must be 6 characters long or more.', - ["web-storage-unsupported" /* AuthErrorCode.WEB_STORAGE_UNSUPPORTED */]: 'This browser is not supported or 3rd party cookies and data may be disabled.', - ["already-initialized" /* AuthErrorCode.ALREADY_INITIALIZED */]: 'initializeAuth() has already been called with ' + - 'different options. To avoid this error, call initializeAuth() with the ' + - 'same options as when it was originally called, or call getAuth() to return the' + - ' already initialized instance.', - ["missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */]: 'The reCAPTCHA token is missing when sending request to the backend.', - ["invalid-recaptcha-token" /* AuthErrorCode.INVALID_RECAPTCHA_TOKEN */]: 'The reCAPTCHA token is invalid when sending request to the backend.', - ["invalid-recaptcha-action" /* AuthErrorCode.INVALID_RECAPTCHA_ACTION */]: 'The reCAPTCHA action is invalid when sending request to the backend.', - ["recaptcha-not-enabled" /* AuthErrorCode.RECAPTCHA_NOT_ENABLED */]: 'reCAPTCHA Enterprise integration is not enabled for this project.', - ["missing-client-type" /* AuthErrorCode.MISSING_CLIENT_TYPE */]: 'The reCAPTCHA client type is missing when sending request to the backend.', - ["missing-recaptcha-version" /* AuthErrorCode.MISSING_RECAPTCHA_VERSION */]: 'The reCAPTCHA version is missing when sending request to the backend.', - ["invalid-req-type" /* AuthErrorCode.INVALID_REQ_TYPE */]: 'Invalid request parameters.', - ["invalid-recaptcha-version" /* AuthErrorCode.INVALID_RECAPTCHA_VERSION */]: 'The reCAPTCHA version is invalid when sending request to the backend.' - }; - } - function _prodErrorMap() { - // We will include this one message in the prod error map since by the very - // nature of this error, developers will never be able to see the message - // using the debugErrorMap (which is installed during auth initialization). - return { - ["dependent-sdk-initialized-before-auth" /* AuthErrorCode.DEPENDENT_SDK_INIT_BEFORE_AUTH */]: 'Another Firebase SDK was initialized and is trying to use Auth before Auth is ' + - 'initialized. Please be sure to call `initializeAuth` or `getAuth` before ' + - 'starting any other Firebase SDK.' - }; - } - /** - * A verbose error map with detailed descriptions for most error codes. - * - * See discussion at {@link AuthErrorMap} - * - * @public - */ - const debugErrorMap = _debugErrorMap; - /** - * A minimal error map with all verbose error messages stripped. - * - * See discussion at {@link AuthErrorMap} - * - * @public - */ - const prodErrorMap = _prodErrorMap; - const _DEFAULT_AUTH_ERROR_FACTORY = new ErrorFactory('auth', 'Firebase', _prodErrorMap()); - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const logClient = new Logger('@firebase/auth'); - function _logWarn(msg, ...args) { - if (logClient.logLevel <= LogLevel.WARN) { - logClient.warn(`Auth (${SDK_VERSION$1}): ${msg}`, ...args); - } - } - function _logError(msg, ...args) { - if (logClient.logLevel <= LogLevel.ERROR) { - logClient.error(`Auth (${SDK_VERSION$1}): ${msg}`, ...args); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _fail(authOrCode, ...rest) { - throw createErrorInternal(authOrCode, ...rest); - } - function _createError(authOrCode, ...rest) { - return createErrorInternal(authOrCode, ...rest); - } - function _errorWithCustomMessage(auth, code, message) { - const errorMap = Object.assign(Object.assign({}, prodErrorMap()), { [code]: message }); - const factory = new ErrorFactory('auth', 'Firebase', errorMap); - return factory.create(code, { - appName: auth.name - }); - } - function _assertInstanceOf(auth, object, instance) { - const constructorInstance = instance; - if (!(object instanceof constructorInstance)) { - if (constructorInstance.name !== object.constructor.name) { - _fail(auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - } - throw _errorWithCustomMessage(auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */, `Type of ${object.constructor.name} does not match expected instance.` + - `Did you pass a reference from a different Auth SDK?`); - } - } - function createErrorInternal(authOrCode, ...rest) { - if (typeof authOrCode !== 'string') { - const code = rest[0]; - const fullParams = [...rest.slice(1)]; - if (fullParams[0]) { - fullParams[0].appName = authOrCode.name; - } - return authOrCode._errorFactory.create(code, ...fullParams); - } - return _DEFAULT_AUTH_ERROR_FACTORY.create(authOrCode, ...rest); - } - function _assert$4(assertion, authOrCode, ...rest) { - if (!assertion) { - throw createErrorInternal(authOrCode, ...rest); - } - } - /** - * Unconditionally fails, throwing an internal error with the given message. - * - * @param failure type of failure encountered - * @throws Error - */ - function debugFail(failure) { - // Log the failure in addition to throw an exception, just in case the - // exception is swallowed. - const message = `INTERNAL ASSERTION FAILED: ` + failure; - _logError(message); - // NOTE: We don't use FirebaseError here because these are internal failures - // that cannot be handled by the user. (Also it would create a circular - // dependency between the error and assert modules which doesn't work.) - throw new Error(message); - } - /** - * Fails if the given assertion condition is false, throwing an Error with the - * given message if it did. - * - * @param assertion - * @param message - */ - function debugAssert(assertion, message) { - if (!assertion) { - debugFail(message); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _getCurrentUrl() { - var _a; - return (typeof self !== 'undefined' && ((_a = self.location) === null || _a === void 0 ? void 0 : _a.href)) || ''; - } - function _isHttpOrHttps$1() { - return _getCurrentScheme$1() === 'http:' || _getCurrentScheme$1() === 'https:'; - } - function _getCurrentScheme$1() { - var _a; - return (typeof self !== 'undefined' && ((_a = self.location) === null || _a === void 0 ? void 0 : _a.protocol)) || null; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Determine whether the browser is working online - */ - function _isOnline() { - if (typeof navigator !== 'undefined' && - navigator && - 'onLine' in navigator && - typeof navigator.onLine === 'boolean' && - // Apply only for traditional web apps and Chrome extensions. - // This is especially true for Cordova apps which have unreliable - // navigator.onLine behavior unless cordova-plugin-network-information is - // installed which overwrites the native navigator.onLine value and - // defines navigator.connection. - (_isHttpOrHttps$1() || isBrowserExtension() || 'connection' in navigator)) { - return navigator.onLine; - } - // If we can't determine the state, assume it is online. - return true; - } - function _getUserLanguage() { - if (typeof navigator === 'undefined') { - return null; - } - const navigatorLanguage = navigator; - return ( - // Most reliable, but only supported in Chrome/Firefox. - (navigatorLanguage.languages && navigatorLanguage.languages[0]) || - // Supported in most browsers, but returns the language of the browser - // UI, not the language set in browser settings. - navigatorLanguage.language || - // Couldn't determine language. - null); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A structure to help pick between a range of long and short delay durations - * depending on the current environment. In general, the long delay is used for - * mobile environments whereas short delays are used for desktop environments. - */ - class Delay { - constructor(shortDelay, longDelay) { - this.shortDelay = shortDelay; - this.longDelay = longDelay; - // Internal error when improperly initialized. - debugAssert(longDelay > shortDelay, 'Short delay should be less than long delay!'); - this.isMobile = isMobileCordova() || isReactNative(); - } - get() { - if (!_isOnline()) { - // Pick the shorter timeout. - return Math.min(5000 /* DelayMin.OFFLINE */, this.shortDelay); - } - // If running in a mobile environment, return the long delay, otherwise - // return the short delay. - // This could be improved in the future to dynamically change based on other - // variables instead of just reading the current environment. - return this.isMobile ? this.longDelay : this.shortDelay; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _emulatorUrl(config, path) { - debugAssert(config.emulator, 'Emulator should always be set here'); - const { url } = config.emulator; - if (!path) { - return url; - } - return `${url}${path.startsWith('/') ? path.slice(1) : path}`; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class FetchProvider { - static initialize(fetchImpl, headersImpl, responseImpl) { - this.fetchImpl = fetchImpl; - if (headersImpl) { - this.headersImpl = headersImpl; - } - if (responseImpl) { - this.responseImpl = responseImpl; - } - } - static fetch() { - if (this.fetchImpl) { - return this.fetchImpl; - } - if (typeof self !== 'undefined' && 'fetch' in self) { - return self.fetch; - } - debugFail('Could not find fetch implementation, make sure you call FetchProvider.initialize() with an appropriate polyfill'); - } - static headers() { - if (this.headersImpl) { - return this.headersImpl; - } - if (typeof self !== 'undefined' && 'Headers' in self) { - return self.Headers; - } - debugFail('Could not find Headers implementation, make sure you call FetchProvider.initialize() with an appropriate polyfill'); - } - static response() { - if (this.responseImpl) { - return this.responseImpl; - } - if (typeof self !== 'undefined' && 'Response' in self) { - return self.Response; - } - debugFail('Could not find Response implementation, make sure you call FetchProvider.initialize() with an appropriate polyfill'); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Map from errors returned by the server to errors to developer visible errors - */ - const SERVER_ERROR_MAP = { - // Custom token errors. - ["CREDENTIAL_MISMATCH" /* ServerError.CREDENTIAL_MISMATCH */]: "custom-token-mismatch" /* AuthErrorCode.CREDENTIAL_MISMATCH */, - // This can only happen if the SDK sends a bad request. - ["MISSING_CUSTOM_TOKEN" /* ServerError.MISSING_CUSTOM_TOKEN */]: "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, - // Create Auth URI errors. - ["INVALID_IDENTIFIER" /* ServerError.INVALID_IDENTIFIER */]: "invalid-email" /* AuthErrorCode.INVALID_EMAIL */, - // This can only happen if the SDK sends a bad request. - ["MISSING_CONTINUE_URI" /* ServerError.MISSING_CONTINUE_URI */]: "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, - // Sign in with email and password errors (some apply to sign up too). - ["INVALID_PASSWORD" /* ServerError.INVALID_PASSWORD */]: "wrong-password" /* AuthErrorCode.INVALID_PASSWORD */, - // This can only happen if the SDK sends a bad request. - ["MISSING_PASSWORD" /* ServerError.MISSING_PASSWORD */]: "missing-password" /* AuthErrorCode.MISSING_PASSWORD */, - // Sign up with email and password errors. - ["EMAIL_EXISTS" /* ServerError.EMAIL_EXISTS */]: "email-already-in-use" /* AuthErrorCode.EMAIL_EXISTS */, - ["PASSWORD_LOGIN_DISABLED" /* ServerError.PASSWORD_LOGIN_DISABLED */]: "operation-not-allowed" /* AuthErrorCode.OPERATION_NOT_ALLOWED */, - // Verify assertion for sign in with credential errors: - ["INVALID_IDP_RESPONSE" /* ServerError.INVALID_IDP_RESPONSE */]: "invalid-credential" /* AuthErrorCode.INVALID_IDP_RESPONSE */, - ["INVALID_PENDING_TOKEN" /* ServerError.INVALID_PENDING_TOKEN */]: "invalid-credential" /* AuthErrorCode.INVALID_IDP_RESPONSE */, - ["FEDERATED_USER_ID_ALREADY_LINKED" /* ServerError.FEDERATED_USER_ID_ALREADY_LINKED */]: "credential-already-in-use" /* AuthErrorCode.CREDENTIAL_ALREADY_IN_USE */, - // This can only happen if the SDK sends a bad request. - ["MISSING_REQ_TYPE" /* ServerError.MISSING_REQ_TYPE */]: "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, - // Send Password reset email errors: - ["EMAIL_NOT_FOUND" /* ServerError.EMAIL_NOT_FOUND */]: "user-not-found" /* AuthErrorCode.USER_DELETED */, - ["RESET_PASSWORD_EXCEED_LIMIT" /* ServerError.RESET_PASSWORD_EXCEED_LIMIT */]: "too-many-requests" /* AuthErrorCode.TOO_MANY_ATTEMPTS_TRY_LATER */, - ["EXPIRED_OOB_CODE" /* ServerError.EXPIRED_OOB_CODE */]: "expired-action-code" /* AuthErrorCode.EXPIRED_OOB_CODE */, - ["INVALID_OOB_CODE" /* ServerError.INVALID_OOB_CODE */]: "invalid-action-code" /* AuthErrorCode.INVALID_OOB_CODE */, - // This can only happen if the SDK sends a bad request. - ["MISSING_OOB_CODE" /* ServerError.MISSING_OOB_CODE */]: "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, - // Operations that require ID token in request: - ["CREDENTIAL_TOO_OLD_LOGIN_AGAIN" /* ServerError.CREDENTIAL_TOO_OLD_LOGIN_AGAIN */]: "requires-recent-login" /* AuthErrorCode.CREDENTIAL_TOO_OLD_LOGIN_AGAIN */, - ["INVALID_ID_TOKEN" /* ServerError.INVALID_ID_TOKEN */]: "invalid-user-token" /* AuthErrorCode.INVALID_AUTH */, - ["TOKEN_EXPIRED" /* ServerError.TOKEN_EXPIRED */]: "user-token-expired" /* AuthErrorCode.TOKEN_EXPIRED */, - ["USER_NOT_FOUND" /* ServerError.USER_NOT_FOUND */]: "user-token-expired" /* AuthErrorCode.TOKEN_EXPIRED */, - // Other errors. - ["TOO_MANY_ATTEMPTS_TRY_LATER" /* ServerError.TOO_MANY_ATTEMPTS_TRY_LATER */]: "too-many-requests" /* AuthErrorCode.TOO_MANY_ATTEMPTS_TRY_LATER */, - // Phone Auth related errors. - ["INVALID_CODE" /* ServerError.INVALID_CODE */]: "invalid-verification-code" /* AuthErrorCode.INVALID_CODE */, - ["INVALID_SESSION_INFO" /* ServerError.INVALID_SESSION_INFO */]: "invalid-verification-id" /* AuthErrorCode.INVALID_SESSION_INFO */, - ["INVALID_TEMPORARY_PROOF" /* ServerError.INVALID_TEMPORARY_PROOF */]: "invalid-credential" /* AuthErrorCode.INVALID_IDP_RESPONSE */, - ["MISSING_SESSION_INFO" /* ServerError.MISSING_SESSION_INFO */]: "missing-verification-id" /* AuthErrorCode.MISSING_SESSION_INFO */, - ["SESSION_EXPIRED" /* ServerError.SESSION_EXPIRED */]: "code-expired" /* AuthErrorCode.CODE_EXPIRED */, - // Other action code errors when additional settings passed. - // MISSING_CONTINUE_URI is getting mapped to INTERNAL_ERROR above. - // This is OK as this error will be caught by client side validation. - ["MISSING_ANDROID_PACKAGE_NAME" /* ServerError.MISSING_ANDROID_PACKAGE_NAME */]: "missing-android-pkg-name" /* AuthErrorCode.MISSING_ANDROID_PACKAGE_NAME */, - ["UNAUTHORIZED_DOMAIN" /* ServerError.UNAUTHORIZED_DOMAIN */]: "unauthorized-continue-uri" /* AuthErrorCode.UNAUTHORIZED_DOMAIN */, - // getProjectConfig errors when clientId is passed. - ["INVALID_OAUTH_CLIENT_ID" /* ServerError.INVALID_OAUTH_CLIENT_ID */]: "invalid-oauth-client-id" /* AuthErrorCode.INVALID_OAUTH_CLIENT_ID */, - // User actions (sign-up or deletion) disabled errors. - ["ADMIN_ONLY_OPERATION" /* ServerError.ADMIN_ONLY_OPERATION */]: "admin-restricted-operation" /* AuthErrorCode.ADMIN_ONLY_OPERATION */, - // Multi factor related errors. - ["INVALID_MFA_PENDING_CREDENTIAL" /* ServerError.INVALID_MFA_PENDING_CREDENTIAL */]: "invalid-multi-factor-session" /* AuthErrorCode.INVALID_MFA_SESSION */, - ["MFA_ENROLLMENT_NOT_FOUND" /* ServerError.MFA_ENROLLMENT_NOT_FOUND */]: "multi-factor-info-not-found" /* AuthErrorCode.MFA_INFO_NOT_FOUND */, - ["MISSING_MFA_ENROLLMENT_ID" /* ServerError.MISSING_MFA_ENROLLMENT_ID */]: "missing-multi-factor-info" /* AuthErrorCode.MISSING_MFA_INFO */, - ["MISSING_MFA_PENDING_CREDENTIAL" /* ServerError.MISSING_MFA_PENDING_CREDENTIAL */]: "missing-multi-factor-session" /* AuthErrorCode.MISSING_MFA_SESSION */, - ["SECOND_FACTOR_EXISTS" /* ServerError.SECOND_FACTOR_EXISTS */]: "second-factor-already-in-use" /* AuthErrorCode.SECOND_FACTOR_ALREADY_ENROLLED */, - ["SECOND_FACTOR_LIMIT_EXCEEDED" /* ServerError.SECOND_FACTOR_LIMIT_EXCEEDED */]: "maximum-second-factor-count-exceeded" /* AuthErrorCode.SECOND_FACTOR_LIMIT_EXCEEDED */, - // Blocking functions related errors. - ["BLOCKING_FUNCTION_ERROR_RESPONSE" /* ServerError.BLOCKING_FUNCTION_ERROR_RESPONSE */]: "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, - // Recaptcha related errors. - ["RECAPTCHA_NOT_ENABLED" /* ServerError.RECAPTCHA_NOT_ENABLED */]: "recaptcha-not-enabled" /* AuthErrorCode.RECAPTCHA_NOT_ENABLED */, - ["MISSING_RECAPTCHA_TOKEN" /* ServerError.MISSING_RECAPTCHA_TOKEN */]: "missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */, - ["INVALID_RECAPTCHA_TOKEN" /* ServerError.INVALID_RECAPTCHA_TOKEN */]: "invalid-recaptcha-token" /* AuthErrorCode.INVALID_RECAPTCHA_TOKEN */, - ["INVALID_RECAPTCHA_ACTION" /* ServerError.INVALID_RECAPTCHA_ACTION */]: "invalid-recaptcha-action" /* AuthErrorCode.INVALID_RECAPTCHA_ACTION */, - ["MISSING_CLIENT_TYPE" /* ServerError.MISSING_CLIENT_TYPE */]: "missing-client-type" /* AuthErrorCode.MISSING_CLIENT_TYPE */, - ["MISSING_RECAPTCHA_VERSION" /* ServerError.MISSING_RECAPTCHA_VERSION */]: "missing-recaptcha-version" /* AuthErrorCode.MISSING_RECAPTCHA_VERSION */, - ["INVALID_RECAPTCHA_VERSION" /* ServerError.INVALID_RECAPTCHA_VERSION */]: "invalid-recaptcha-version" /* AuthErrorCode.INVALID_RECAPTCHA_VERSION */, - ["INVALID_REQ_TYPE" /* ServerError.INVALID_REQ_TYPE */]: "invalid-req-type" /* AuthErrorCode.INVALID_REQ_TYPE */ - }; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DEFAULT_API_TIMEOUT_MS = new Delay(30000, 60000); - function _addTidIfNecessary(auth, request) { - if (auth.tenantId && !request.tenantId) { - return Object.assign(Object.assign({}, request), { tenantId: auth.tenantId }); - } - return request; - } - async function _performApiRequest(auth, method, path, request, customErrorMap = {}) { - return _performFetchWithErrorHandling(auth, customErrorMap, async () => { - let body = {}; - let params = {}; - if (request) { - if (method === "GET" /* HttpMethod.GET */) { - params = request; - } - else { - body = { - body: JSON.stringify(request) - }; - } - } - const query = querystring(Object.assign({ key: auth.config.apiKey }, params)).slice(1); - const headers = await auth._getAdditionalHeaders(); - headers["Content-Type" /* HttpHeader.CONTENT_TYPE */] = 'application/json'; - if (auth.languageCode) { - headers["X-Firebase-Locale" /* HttpHeader.X_FIREBASE_LOCALE */] = auth.languageCode; - } - return FetchProvider.fetch()(_getFinalTarget(auth, auth.config.apiHost, path, query), Object.assign({ method, - headers, referrerPolicy: 'no-referrer' }, body)); - }); - } - async function _performFetchWithErrorHandling(auth, customErrorMap, fetchFn) { - auth._canInitEmulator = false; - const errorMap = Object.assign(Object.assign({}, SERVER_ERROR_MAP), customErrorMap); - try { - const networkTimeout = new NetworkTimeout(auth); - const response = await Promise.race([ - fetchFn(), - networkTimeout.promise - ]); - // If we've reached this point, the fetch succeeded and the networkTimeout - // didn't throw; clear the network timeout delay so that Node won't hang - networkTimeout.clearNetworkTimeout(); - const json = await response.json(); - if ('needConfirmation' in json) { - throw _makeTaggedError(auth, "account-exists-with-different-credential" /* AuthErrorCode.NEED_CONFIRMATION */, json); - } - if (response.ok && !('errorMessage' in json)) { - return json; - } - else { - const errorMessage = response.ok ? json.errorMessage : json.error.message; - const [serverErrorCode, serverErrorMessage] = errorMessage.split(' : '); - if (serverErrorCode === "FEDERATED_USER_ID_ALREADY_LINKED" /* ServerError.FEDERATED_USER_ID_ALREADY_LINKED */) { - throw _makeTaggedError(auth, "credential-already-in-use" /* AuthErrorCode.CREDENTIAL_ALREADY_IN_USE */, json); - } - else if (serverErrorCode === "EMAIL_EXISTS" /* ServerError.EMAIL_EXISTS */) { - throw _makeTaggedError(auth, "email-already-in-use" /* AuthErrorCode.EMAIL_EXISTS */, json); - } - else if (serverErrorCode === "USER_DISABLED" /* ServerError.USER_DISABLED */) { - throw _makeTaggedError(auth, "user-disabled" /* AuthErrorCode.USER_DISABLED */, json); - } - const authError = errorMap[serverErrorCode] || - serverErrorCode - .toLowerCase() - .replace(/[_\s]+/g, '-'); - if (serverErrorMessage) { - throw _errorWithCustomMessage(auth, authError, serverErrorMessage); - } - else { - _fail(auth, authError); - } - } - } - catch (e) { - if (e instanceof FirebaseError) { - throw e; - } - // Changing this to a different error code will log user out when there is a network error - // because we treat any error other than NETWORK_REQUEST_FAILED as token is invalid. - // https://github.com/firebase/firebase-js-sdk/blob/4fbc73610d70be4e0852e7de63a39cb7897e8546/packages/auth/src/core/auth/auth_impl.ts#L309-L316 - _fail(auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */, { 'message': String(e) }); - } - } - async function _performSignInRequest(auth, method, path, request, customErrorMap = {}) { - const serverResponse = (await _performApiRequest(auth, method, path, request, customErrorMap)); - if ('mfaPendingCredential' in serverResponse) { - _fail(auth, "multi-factor-auth-required" /* AuthErrorCode.MFA_REQUIRED */, { - _serverResponse: serverResponse - }); - } - return serverResponse; - } - function _getFinalTarget(auth, host, path, query) { - const base = `${host}${path}?${query}`; - if (!auth.config.emulator) { - return `${auth.config.apiScheme}://${base}`; - } - return _emulatorUrl(auth.config, base); - } - class NetworkTimeout { - constructor(auth) { - this.auth = auth; - // Node timers and browser timers are fundamentally incompatible, but we - // don't care about the value here - // eslint-disable-next-line @typescript-eslint/no-explicit-any - this.timer = null; - this.promise = new Promise((_, reject) => { - this.timer = setTimeout(() => { - return reject(_createError(this.auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */)); - }, DEFAULT_API_TIMEOUT_MS.get()); - }); - } - clearNetworkTimeout() { - clearTimeout(this.timer); - } - } - function _makeTaggedError(auth, code, response) { - const errorParams = { - appName: auth.name - }; - if (response.email) { - errorParams.email = response.email; - } - if (response.phoneNumber) { - errorParams.phoneNumber = response.phoneNumber; - } - const error = _createError(auth, code, errorParams); - // We know customData is defined on error because errorParams is defined - error.customData._tokenResponse = response; - return error; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function deleteAccount(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:delete" /* Endpoint.DELETE_ACCOUNT */, request); - } - async function deleteLinkedAccounts(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:update" /* Endpoint.SET_ACCOUNT_INFO */, request); - } - async function getAccountInfo(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:lookup" /* Endpoint.GET_ACCOUNT_INFO */, request); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function utcTimestampToDateString(utcTimestamp) { - if (!utcTimestamp) { - return undefined; - } - try { - // Convert to date object. - const date = new Date(Number(utcTimestamp)); - // Test date is valid. - if (!isNaN(date.getTime())) { - // Convert to UTC date string. - return date.toUTCString(); - } - } - catch (e) { - // Do nothing. undefined will be returned. - } - return undefined; - } - /** - * Returns a deserialized JSON Web Token (JWT) used to identify the user to a Firebase service. - * - * @remarks - * Returns the current token if it has not expired or if it will not expire in the next five - * minutes. Otherwise, this will refresh the token and return a new one. - * - * @param user - The user. - * @param forceRefresh - Force refresh regardless of token expiration. - * - * @public - */ - async function getIdTokenResult(user, forceRefresh = false) { - const userInternal = getModularInstance(user); - const token = await userInternal.getIdToken(forceRefresh); - const claims = _parseToken(token); - _assert$4(claims && claims.exp && claims.auth_time && claims.iat, userInternal.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const firebase = typeof claims.firebase === 'object' ? claims.firebase : undefined; - const signInProvider = firebase === null || firebase === void 0 ? void 0 : firebase['sign_in_provider']; - return { - claims, - token, - authTime: utcTimestampToDateString(secondsStringToMilliseconds(claims.auth_time)), - issuedAtTime: utcTimestampToDateString(secondsStringToMilliseconds(claims.iat)), - expirationTime: utcTimestampToDateString(secondsStringToMilliseconds(claims.exp)), - signInProvider: signInProvider || null, - signInSecondFactor: (firebase === null || firebase === void 0 ? void 0 : firebase['sign_in_second_factor']) || null - }; - } - function secondsStringToMilliseconds(seconds) { - return Number(seconds) * 1000; - } - function _parseToken(token) { - const [algorithm, payload, signature] = token.split('.'); - if (algorithm === undefined || - payload === undefined || - signature === undefined) { - _logError('JWT malformed, contained fewer than 3 sections'); - return null; - } - try { - const decoded = base64Decode(payload); - if (!decoded) { - _logError('Failed to decode base64 JWT payload'); - return null; - } - return JSON.parse(decoded); - } - catch (e) { - _logError('Caught error parsing JWT payload as JSON', e === null || e === void 0 ? void 0 : e.toString()); - return null; - } - } - /** - * Extract expiresIn TTL from a token by subtracting the expiration from the issuance. - */ - function _tokenExpiresIn(token) { - const parsedToken = _parseToken(token); - _assert$4(parsedToken, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - _assert$4(typeof parsedToken.exp !== 'undefined', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - _assert$4(typeof parsedToken.iat !== 'undefined', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return Number(parsedToken.exp) - Number(parsedToken.iat); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function _logoutIfInvalidated(user, promise, bypassAuthState = false) { - if (bypassAuthState) { - return promise; - } - try { - return await promise; - } - catch (e) { - if (e instanceof FirebaseError && isUserInvalidated(e)) { - if (user.auth.currentUser === user) { - await user.auth.signOut(); - } - } - throw e; - } - } - function isUserInvalidated({ code }) { - return (code === `auth/${"user-disabled" /* AuthErrorCode.USER_DISABLED */}` || - code === `auth/${"user-token-expired" /* AuthErrorCode.TOKEN_EXPIRED */}`); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class ProactiveRefresh { - constructor(user) { - this.user = user; - this.isRunning = false; - // Node timers and browser timers return fundamentally different types. - // We don't actually care what the value is but TS won't accept unknown and - // we can't cast properly in both environments. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - this.timerId = null; - this.errorBackoff = 30000 /* Duration.RETRY_BACKOFF_MIN */; - } - _start() { - if (this.isRunning) { - return; - } - this.isRunning = true; - this.schedule(); - } - _stop() { - if (!this.isRunning) { - return; - } - this.isRunning = false; - if (this.timerId !== null) { - clearTimeout(this.timerId); - } - } - getInterval(wasError) { - var _a; - if (wasError) { - const interval = this.errorBackoff; - this.errorBackoff = Math.min(this.errorBackoff * 2, 960000 /* Duration.RETRY_BACKOFF_MAX */); - return interval; - } - else { - // Reset the error backoff - this.errorBackoff = 30000 /* Duration.RETRY_BACKOFF_MIN */; - const expTime = (_a = this.user.stsTokenManager.expirationTime) !== null && _a !== void 0 ? _a : 0; - const interval = expTime - Date.now() - 300000 /* Duration.OFFSET */; - return Math.max(0, interval); - } - } - schedule(wasError = false) { - if (!this.isRunning) { - // Just in case... - return; - } - const interval = this.getInterval(wasError); - this.timerId = setTimeout(async () => { - await this.iteration(); - }, interval); - } - async iteration() { - try { - await this.user.getIdToken(true); - } - catch (e) { - // Only retry on network errors - if ((e === null || e === void 0 ? void 0 : e.code) === - `auth/${"network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */}`) { - this.schedule(/* wasError */ true); - } - return; - } - this.schedule(); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class UserMetadata { - constructor(createdAt, lastLoginAt) { - this.createdAt = createdAt; - this.lastLoginAt = lastLoginAt; - this._initializeTime(); - } - _initializeTime() { - this.lastSignInTime = utcTimestampToDateString(this.lastLoginAt); - this.creationTime = utcTimestampToDateString(this.createdAt); - } - _copy(metadata) { - this.createdAt = metadata.createdAt; - this.lastLoginAt = metadata.lastLoginAt; - this._initializeTime(); - } - toJSON() { - return { - createdAt: this.createdAt, - lastLoginAt: this.lastLoginAt - }; - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function _reloadWithoutSaving(user) { - var _a; - const auth = user.auth; - const idToken = await user.getIdToken(); - const response = await _logoutIfInvalidated(user, getAccountInfo(auth, { idToken })); - _assert$4(response === null || response === void 0 ? void 0 : response.users.length, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const coreAccount = response.users[0]; - user._notifyReloadListener(coreAccount); - const newProviderData = ((_a = coreAccount.providerUserInfo) === null || _a === void 0 ? void 0 : _a.length) - ? extractProviderData(coreAccount.providerUserInfo) - : []; - const providerData = mergeProviderData(user.providerData, newProviderData); - // Preserves the non-nonymous status of the stored user, even if no more - // credentials (federated or email/password) are linked to the user. If - // the user was previously anonymous, then use provider data to update. - // On the other hand, if it was not anonymous before, it should never be - // considered anonymous now. - const oldIsAnonymous = user.isAnonymous; - const newIsAnonymous = !(user.email && coreAccount.passwordHash) && !(providerData === null || providerData === void 0 ? void 0 : providerData.length); - const isAnonymous = !oldIsAnonymous ? false : newIsAnonymous; - const updates = { - uid: coreAccount.localId, - displayName: coreAccount.displayName || null, - photoURL: coreAccount.photoUrl || null, - email: coreAccount.email || null, - emailVerified: coreAccount.emailVerified || false, - phoneNumber: coreAccount.phoneNumber || null, - tenantId: coreAccount.tenantId || null, - providerData, - metadata: new UserMetadata(coreAccount.createdAt, coreAccount.lastLoginAt), - isAnonymous - }; - Object.assign(user, updates); - } - /** - * Reloads user account data, if signed in. - * - * @param user - The user. - * - * @public - */ - async function reload(user) { - const userInternal = getModularInstance(user); - await _reloadWithoutSaving(userInternal); - // Even though the current user hasn't changed, update - // current user will trigger a persistence update w/ the - // new info. - await userInternal.auth._persistUserIfCurrent(userInternal); - userInternal.auth._notifyListenersIfCurrent(userInternal); - } - function mergeProviderData(original, newData) { - const deduped = original.filter(o => !newData.some(n => n.providerId === o.providerId)); - return [...deduped, ...newData]; - } - function extractProviderData(providers) { - return providers.map((_a) => { - var { providerId } = _a, provider = __rest(_a, ["providerId"]); - return { - providerId, - uid: provider.rawId || '', - displayName: provider.displayName || null, - email: provider.email || null, - phoneNumber: provider.phoneNumber || null, - photoURL: provider.photoUrl || null - }; - }); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function requestStsToken(auth, refreshToken) { - const response = await _performFetchWithErrorHandling(auth, {}, async () => { - const body = querystring({ - 'grant_type': 'refresh_token', - 'refresh_token': refreshToken - }).slice(1); - const { tokenApiHost, apiKey } = auth.config; - const url = _getFinalTarget(auth, tokenApiHost, "/v1/token" /* Endpoint.TOKEN */, `key=${apiKey}`); - const headers = await auth._getAdditionalHeaders(); - headers["Content-Type" /* HttpHeader.CONTENT_TYPE */] = 'application/x-www-form-urlencoded'; - return FetchProvider.fetch()(url, { - method: "POST" /* HttpMethod.POST */, - headers, - body - }); - }); - // The response comes back in snake_case. Convert to camel: - return { - accessToken: response.access_token, - expiresIn: response.expires_in, - refreshToken: response.refresh_token - }; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * We need to mark this class as internal explicitly to exclude it in the public typings, because - * it references AuthInternal which has a circular dependency with UserInternal. - * - * @internal - */ - class StsTokenManager { - constructor() { - this.refreshToken = null; - this.accessToken = null; - this.expirationTime = null; - } - get isExpired() { - return (!this.expirationTime || - Date.now() > this.expirationTime - 30000 /* Buffer.TOKEN_REFRESH */); - } - updateFromServerResponse(response) { - _assert$4(response.idToken, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - _assert$4(typeof response.idToken !== 'undefined', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - _assert$4(typeof response.refreshToken !== 'undefined', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const expiresIn = 'expiresIn' in response && typeof response.expiresIn !== 'undefined' - ? Number(response.expiresIn) - : _tokenExpiresIn(response.idToken); - this.updateTokensAndExpiration(response.idToken, response.refreshToken, expiresIn); - } - async getToken(auth, forceRefresh = false) { - _assert$4(!this.accessToken || this.refreshToken, auth, "user-token-expired" /* AuthErrorCode.TOKEN_EXPIRED */); - if (!forceRefresh && this.accessToken && !this.isExpired) { - return this.accessToken; - } - if (this.refreshToken) { - await this.refresh(auth, this.refreshToken); - return this.accessToken; - } - return null; - } - clearRefreshToken() { - this.refreshToken = null; - } - async refresh(auth, oldToken) { - const { accessToken, refreshToken, expiresIn } = await requestStsToken(auth, oldToken); - this.updateTokensAndExpiration(accessToken, refreshToken, Number(expiresIn)); - } - updateTokensAndExpiration(accessToken, refreshToken, expiresInSec) { - this.refreshToken = refreshToken || null; - this.accessToken = accessToken || null; - this.expirationTime = Date.now() + expiresInSec * 1000; - } - static fromJSON(appName, object) { - const { refreshToken, accessToken, expirationTime } = object; - const manager = new StsTokenManager(); - if (refreshToken) { - _assert$4(typeof refreshToken === 'string', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, { - appName - }); - manager.refreshToken = refreshToken; - } - if (accessToken) { - _assert$4(typeof accessToken === 'string', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, { - appName - }); - manager.accessToken = accessToken; - } - if (expirationTime) { - _assert$4(typeof expirationTime === 'number', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, { - appName - }); - manager.expirationTime = expirationTime; - } - return manager; - } - toJSON() { - return { - refreshToken: this.refreshToken, - accessToken: this.accessToken, - expirationTime: this.expirationTime - }; - } - _assign(stsTokenManager) { - this.accessToken = stsTokenManager.accessToken; - this.refreshToken = stsTokenManager.refreshToken; - this.expirationTime = stsTokenManager.expirationTime; - } - _clone() { - return Object.assign(new StsTokenManager(), this.toJSON()); - } - _performRefresh() { - return debugFail('not implemented'); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function assertStringOrUndefined(assertion, appName) { - _assert$4(typeof assertion === 'string' || typeof assertion === 'undefined', "internal-error" /* AuthErrorCode.INTERNAL_ERROR */, { appName }); - } - class UserImpl { - constructor(_a) { - var { uid, auth, stsTokenManager } = _a, opt = __rest(_a, ["uid", "auth", "stsTokenManager"]); - // For the user object, provider is always Firebase. - this.providerId = "firebase" /* ProviderId.FIREBASE */; - this.proactiveRefresh = new ProactiveRefresh(this); - this.reloadUserInfo = null; - this.reloadListener = null; - this.uid = uid; - this.auth = auth; - this.stsTokenManager = stsTokenManager; - this.accessToken = stsTokenManager.accessToken; - this.displayName = opt.displayName || null; - this.email = opt.email || null; - this.emailVerified = opt.emailVerified || false; - this.phoneNumber = opt.phoneNumber || null; - this.photoURL = opt.photoURL || null; - this.isAnonymous = opt.isAnonymous || false; - this.tenantId = opt.tenantId || null; - this.providerData = opt.providerData ? [...opt.providerData] : []; - this.metadata = new UserMetadata(opt.createdAt || undefined, opt.lastLoginAt || undefined); - } - async getIdToken(forceRefresh) { - const accessToken = await _logoutIfInvalidated(this, this.stsTokenManager.getToken(this.auth, forceRefresh)); - _assert$4(accessToken, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - if (this.accessToken !== accessToken) { - this.accessToken = accessToken; - await this.auth._persistUserIfCurrent(this); - this.auth._notifyListenersIfCurrent(this); - } - return accessToken; - } - getIdTokenResult(forceRefresh) { - return getIdTokenResult(this, forceRefresh); - } - reload() { - return reload(this); - } - _assign(user) { - if (this === user) { - return; - } - _assert$4(this.uid === user.uid, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - this.displayName = user.displayName; - this.photoURL = user.photoURL; - this.email = user.email; - this.emailVerified = user.emailVerified; - this.phoneNumber = user.phoneNumber; - this.isAnonymous = user.isAnonymous; - this.tenantId = user.tenantId; - this.providerData = user.providerData.map(userInfo => (Object.assign({}, userInfo))); - this.metadata._copy(user.metadata); - this.stsTokenManager._assign(user.stsTokenManager); - } - _clone(auth) { - const newUser = new UserImpl(Object.assign(Object.assign({}, this), { auth, stsTokenManager: this.stsTokenManager._clone() })); - newUser.metadata._copy(this.metadata); - return newUser; - } - _onReload(callback) { - // There should only ever be one listener, and that is a single instance of MultiFactorUser - _assert$4(!this.reloadListener, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - this.reloadListener = callback; - if (this.reloadUserInfo) { - this._notifyReloadListener(this.reloadUserInfo); - this.reloadUserInfo = null; - } - } - _notifyReloadListener(userInfo) { - if (this.reloadListener) { - this.reloadListener(userInfo); - } - else { - // If no listener is subscribed yet, save the result so it's available when they do subscribe - this.reloadUserInfo = userInfo; - } - } - _startProactiveRefresh() { - this.proactiveRefresh._start(); - } - _stopProactiveRefresh() { - this.proactiveRefresh._stop(); - } - async _updateTokensIfNecessary(response, reload = false) { - let tokensRefreshed = false; - if (response.idToken && - response.idToken !== this.stsTokenManager.accessToken) { - this.stsTokenManager.updateFromServerResponse(response); - tokensRefreshed = true; - } - if (reload) { - await _reloadWithoutSaving(this); - } - await this.auth._persistUserIfCurrent(this); - if (tokensRefreshed) { - this.auth._notifyListenersIfCurrent(this); - } - } - async delete() { - const idToken = await this.getIdToken(); - await _logoutIfInvalidated(this, deleteAccount(this.auth, { idToken })); - this.stsTokenManager.clearRefreshToken(); - // TODO: Determine if cancellable-promises are necessary to use in this class so that delete() - // cancels pending actions... - return this.auth.signOut(); - } - toJSON() { - return Object.assign(Object.assign({ uid: this.uid, email: this.email || undefined, emailVerified: this.emailVerified, displayName: this.displayName || undefined, isAnonymous: this.isAnonymous, photoURL: this.photoURL || undefined, phoneNumber: this.phoneNumber || undefined, tenantId: this.tenantId || undefined, providerData: this.providerData.map(userInfo => (Object.assign({}, userInfo))), stsTokenManager: this.stsTokenManager.toJSON(), - // Redirect event ID must be maintained in case there is a pending - // redirect event. - _redirectEventId: this._redirectEventId }, this.metadata.toJSON()), { - // Required for compatibility with the legacy SDK (go/firebase-auth-sdk-persistence-parsing): - apiKey: this.auth.config.apiKey, appName: this.auth.name }); - } - get refreshToken() { - return this.stsTokenManager.refreshToken || ''; - } - static _fromJSON(auth, object) { - var _a, _b, _c, _d, _e, _f, _g, _h; - const displayName = (_a = object.displayName) !== null && _a !== void 0 ? _a : undefined; - const email = (_b = object.email) !== null && _b !== void 0 ? _b : undefined; - const phoneNumber = (_c = object.phoneNumber) !== null && _c !== void 0 ? _c : undefined; - const photoURL = (_d = object.photoURL) !== null && _d !== void 0 ? _d : undefined; - const tenantId = (_e = object.tenantId) !== null && _e !== void 0 ? _e : undefined; - const _redirectEventId = (_f = object._redirectEventId) !== null && _f !== void 0 ? _f : undefined; - const createdAt = (_g = object.createdAt) !== null && _g !== void 0 ? _g : undefined; - const lastLoginAt = (_h = object.lastLoginAt) !== null && _h !== void 0 ? _h : undefined; - const { uid, emailVerified, isAnonymous, providerData, stsTokenManager: plainObjectTokenManager } = object; - _assert$4(uid && plainObjectTokenManager, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const stsTokenManager = StsTokenManager.fromJSON(this.name, plainObjectTokenManager); - _assert$4(typeof uid === 'string', auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - assertStringOrUndefined(displayName, auth.name); - assertStringOrUndefined(email, auth.name); - _assert$4(typeof emailVerified === 'boolean', auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - _assert$4(typeof isAnonymous === 'boolean', auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - assertStringOrUndefined(phoneNumber, auth.name); - assertStringOrUndefined(photoURL, auth.name); - assertStringOrUndefined(tenantId, auth.name); - assertStringOrUndefined(_redirectEventId, auth.name); - assertStringOrUndefined(createdAt, auth.name); - assertStringOrUndefined(lastLoginAt, auth.name); - const user = new UserImpl({ - uid, - auth, - email, - emailVerified, - displayName, - isAnonymous, - photoURL, - phoneNumber, - tenantId, - stsTokenManager, - createdAt, - lastLoginAt - }); - if (providerData && Array.isArray(providerData)) { - user.providerData = providerData.map(userInfo => (Object.assign({}, userInfo))); - } - if (_redirectEventId) { - user._redirectEventId = _redirectEventId; - } - return user; - } - /** - * Initialize a User from an idToken server response - * @param auth - * @param idTokenResponse - */ - static async _fromIdTokenResponse(auth, idTokenResponse, isAnonymous = false) { - const stsTokenManager = new StsTokenManager(); - stsTokenManager.updateFromServerResponse(idTokenResponse); - // Initialize the Firebase Auth user. - const user = new UserImpl({ - uid: idTokenResponse.localId, - auth, - stsTokenManager, - isAnonymous - }); - // Updates the user info and data and resolves with a user instance. - await _reloadWithoutSaving(user); - return user; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const instanceCache = new Map(); - function _getInstance(cls) { - debugAssert(cls instanceof Function, 'Expected a class definition'); - let instance = instanceCache.get(cls); - if (instance) { - debugAssert(instance instanceof cls, 'Instance stored in cache mismatched with class'); - return instance; - } - instance = new cls(); - instanceCache.set(cls, instance); - return instance; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class InMemoryPersistence { - constructor() { - this.type = "NONE" /* PersistenceType.NONE */; - this.storage = {}; - } - async _isAvailable() { - return true; - } - async _set(key, value) { - this.storage[key] = value; - } - async _get(key) { - const value = this.storage[key]; - return value === undefined ? null : value; - } - async _remove(key) { - delete this.storage[key]; - } - _addListener(_key, _listener) { - // Listeners are not supported for in-memory storage since it cannot be shared across windows/workers - return; - } - _removeListener(_key, _listener) { - // Listeners are not supported for in-memory storage since it cannot be shared across windows/workers - return; - } - } - InMemoryPersistence.type = 'NONE'; - /** - * An implementation of {@link Persistence} of type 'NONE'. - * - * @public - */ - const inMemoryPersistence = InMemoryPersistence; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _persistenceKeyName(key, apiKey, appName) { - return `${"firebase" /* Namespace.PERSISTENCE */}:${key}:${apiKey}:${appName}`; - } - class PersistenceUserManager { - constructor(persistence, auth, userKey) { - this.persistence = persistence; - this.auth = auth; - this.userKey = userKey; - const { config, name } = this.auth; - this.fullUserKey = _persistenceKeyName(this.userKey, config.apiKey, name); - this.fullPersistenceKey = _persistenceKeyName("persistence" /* KeyName.PERSISTENCE_USER */, config.apiKey, name); - this.boundEventHandler = auth._onStorageEvent.bind(auth); - this.persistence._addListener(this.fullUserKey, this.boundEventHandler); - } - setCurrentUser(user) { - return this.persistence._set(this.fullUserKey, user.toJSON()); - } - async getCurrentUser() { - const blob = await this.persistence._get(this.fullUserKey); - return blob ? UserImpl._fromJSON(this.auth, blob) : null; - } - removeCurrentUser() { - return this.persistence._remove(this.fullUserKey); - } - savePersistenceForRedirect() { - return this.persistence._set(this.fullPersistenceKey, this.persistence.type); - } - async setPersistence(newPersistence) { - if (this.persistence === newPersistence) { - return; - } - const currentUser = await this.getCurrentUser(); - await this.removeCurrentUser(); - this.persistence = newPersistence; - if (currentUser) { - return this.setCurrentUser(currentUser); - } - } - delete() { - this.persistence._removeListener(this.fullUserKey, this.boundEventHandler); - } - static async create(auth, persistenceHierarchy, userKey = "authUser" /* KeyName.AUTH_USER */) { - if (!persistenceHierarchy.length) { - return new PersistenceUserManager(_getInstance(inMemoryPersistence), auth, userKey); - } - // Eliminate any persistences that are not available - const availablePersistences = (await Promise.all(persistenceHierarchy.map(async (persistence) => { - if (await persistence._isAvailable()) { - return persistence; - } - return undefined; - }))).filter(persistence => persistence); - // Fall back to the first persistence listed, or in memory if none available - let selectedPersistence = availablePersistences[0] || - _getInstance(inMemoryPersistence); - const key = _persistenceKeyName(userKey, auth.config.apiKey, auth.name); - // Pull out the existing user, setting the chosen persistence to that - // persistence if the user exists. - let userToMigrate = null; - // Note, here we check for a user in _all_ persistences, not just the - // ones deemed available. If we can migrate a user out of a broken - // persistence, we will (but only if that persistence supports migration). - for (const persistence of persistenceHierarchy) { - try { - const blob = await persistence._get(key); - if (blob) { - const user = UserImpl._fromJSON(auth, blob); // throws for unparsable blob (wrong format) - if (persistence !== selectedPersistence) { - userToMigrate = user; - } - selectedPersistence = persistence; - break; - } - } - catch (_a) { } - } - // If we find the user in a persistence that does support migration, use - // that migration path (of only persistences that support migration) - const migrationHierarchy = availablePersistences.filter(p => p._shouldAllowMigration); - // If the persistence does _not_ allow migration, just finish off here - if (!selectedPersistence._shouldAllowMigration || - !migrationHierarchy.length) { - return new PersistenceUserManager(selectedPersistence, auth, userKey); - } - selectedPersistence = migrationHierarchy[0]; - if (userToMigrate) { - // This normally shouldn't throw since chosenPersistence.isAvailable() is true, but if it does - // we'll just let it bubble to surface the error. - await selectedPersistence._set(key, userToMigrate.toJSON()); - } - // Attempt to clear the key in other persistences but ignore errors. This helps prevent issues - // such as users getting stuck with a previous account after signing out and refreshing the tab. - await Promise.all(persistenceHierarchy.map(async (persistence) => { - if (persistence !== selectedPersistence) { - try { - await persistence._remove(key); - } - catch (_a) { } - } - })); - return new PersistenceUserManager(selectedPersistence, auth, userKey); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Determine the browser for the purposes of reporting usage to the API - */ - function _getBrowserName(userAgent) { - const ua = userAgent.toLowerCase(); - if (ua.includes('opera/') || ua.includes('opr/') || ua.includes('opios/')) { - return "Opera" /* BrowserName.OPERA */; - } - else if (_isIEMobile(ua)) { - // Windows phone IEMobile browser. - return "IEMobile" /* BrowserName.IEMOBILE */; - } - else if (ua.includes('msie') || ua.includes('trident/')) { - return "IE" /* BrowserName.IE */; - } - else if (ua.includes('edge/')) { - return "Edge" /* BrowserName.EDGE */; - } - else if (_isFirefox(ua)) { - return "Firefox" /* BrowserName.FIREFOX */; - } - else if (ua.includes('silk/')) { - return "Silk" /* BrowserName.SILK */; - } - else if (_isBlackBerry(ua)) { - // Blackberry browser. - return "Blackberry" /* BrowserName.BLACKBERRY */; - } - else if (_isWebOS(ua)) { - // WebOS default browser. - return "Webos" /* BrowserName.WEBOS */; - } - else if (_isSafari(ua)) { - return "Safari" /* BrowserName.SAFARI */; - } - else if ((ua.includes('chrome/') || _isChromeIOS(ua)) && - !ua.includes('edge/')) { - return "Chrome" /* BrowserName.CHROME */; - } - else if (_isAndroid(ua)) { - // Android stock browser. - return "Android" /* BrowserName.ANDROID */; - } - else { - // Most modern browsers have name/version at end of user agent string. - const re = /([a-zA-Z\d\.]+)\/[a-zA-Z\d\.]*$/; - const matches = userAgent.match(re); - if ((matches === null || matches === void 0 ? void 0 : matches.length) === 2) { - return matches[1]; - } - } - return "Other" /* BrowserName.OTHER */; - } - function _isFirefox(ua = getUA()) { - return /firefox\//i.test(ua); - } - function _isSafari(userAgent = getUA()) { - const ua = userAgent.toLowerCase(); - return (ua.includes('safari/') && - !ua.includes('chrome/') && - !ua.includes('crios/') && - !ua.includes('android')); - } - function _isChromeIOS(ua = getUA()) { - return /crios\//i.test(ua); - } - function _isIEMobile(ua = getUA()) { - return /iemobile/i.test(ua); - } - function _isAndroid(ua = getUA()) { - return /android/i.test(ua); - } - function _isBlackBerry(ua = getUA()) { - return /blackberry/i.test(ua); - } - function _isWebOS(ua = getUA()) { - return /webos/i.test(ua); - } - function _isIOS(ua = getUA()) { - return (/iphone|ipad|ipod/i.test(ua) || - (/macintosh/i.test(ua) && /mobile/i.test(ua))); - } - function _isIOS7Or8(ua = getUA()) { - return (/(iPad|iPhone|iPod).*OS 7_\d/i.test(ua) || - /(iPad|iPhone|iPod).*OS 8_\d/i.test(ua)); - } - function _isIOSStandalone(ua = getUA()) { - var _a; - return _isIOS(ua) && !!((_a = window.navigator) === null || _a === void 0 ? void 0 : _a.standalone); - } - function _isIE10() { - return isIE() && document.documentMode === 10; - } - function _isMobileBrowser(ua = getUA()) { - // TODO: implement getBrowserName equivalent for OS. - return (_isIOS(ua) || - _isAndroid(ua) || - _isWebOS(ua) || - _isBlackBerry(ua) || - /windows phone/i.test(ua) || - _isIEMobile(ua)); - } - function _isIframe() { - try { - // Check that the current window is not the top window. - // If so, return true. - return !!(window && window !== window.top); - } - catch (e) { - return false; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /* - * Determine the SDK version string - */ - function _getClientVersion(clientPlatform, frameworks = []) { - let reportedPlatform; - switch (clientPlatform) { - case "Browser" /* ClientPlatform.BROWSER */: - // In a browser environment, report the browser name. - reportedPlatform = _getBrowserName(getUA()); - break; - case "Worker" /* ClientPlatform.WORKER */: - // Technically a worker runs from a browser but we need to differentiate a - // worker from a browser. - // For example: Chrome-Worker/JsCore/4.9.1/FirebaseCore-web. - reportedPlatform = `${_getBrowserName(getUA())}-${clientPlatform}`; - break; - default: - reportedPlatform = clientPlatform; - } - const reportedFrameworks = frameworks.length - ? frameworks.join(',') - : 'FirebaseCore-web'; /* default value if no other framework is used */ - return `${reportedPlatform}/${"JsCore" /* ClientImplementation.CORE */}/${SDK_VERSION$1}/${reportedFrameworks}`; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function getRecaptchaParams(auth) { - return ((await _performApiRequest(auth, "GET" /* HttpMethod.GET */, "/v1/recaptchaParams" /* Endpoint.GET_RECAPTCHA_PARAM */)).recaptchaSiteKey || ''); - } - async function getRecaptchaConfig(auth, request) { - return _performApiRequest(auth, "GET" /* HttpMethod.GET */, "/v2/recaptchaConfig" /* Endpoint.GET_RECAPTCHA_CONFIG */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function isV2(grecaptcha) { - return (grecaptcha !== undefined && - grecaptcha.getResponse !== undefined); - } - function isEnterprise(grecaptcha) { - return (grecaptcha !== undefined && - grecaptcha.enterprise !== undefined); - } - class RecaptchaConfig { - constructor(response) { - /** - * The reCAPTCHA site key. - */ - this.siteKey = ''; - /** - * The reCAPTCHA enablement status of the {@link EmailAuthProvider} for the current tenant. - */ - this.emailPasswordEnabled = false; - if (response.recaptchaKey === undefined) { - throw new Error('recaptchaKey undefined'); - } - // Example response.recaptchaKey: "projects/proj123/keys/sitekey123" - this.siteKey = response.recaptchaKey.split('/')[3]; - this.emailPasswordEnabled = response.recaptchaEnforcementState.some(enforcementState => enforcementState.provider === 'EMAIL_PASSWORD_PROVIDER' && - enforcementState.enforcementState !== 'OFF'); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function getScriptParentElement() { - var _a, _b; - return (_b = (_a = document.getElementsByTagName('head')) === null || _a === void 0 ? void 0 : _a[0]) !== null && _b !== void 0 ? _b : document; - } - function _loadJS(url) { - // TODO: consider adding timeout support & cancellation - return new Promise((resolve, reject) => { - const el = document.createElement('script'); - el.setAttribute('src', url); - el.onload = resolve; - el.onerror = e => { - const error = _createError("internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - error.customData = e; - reject(error); - }; - el.type = 'text/javascript'; - el.charset = 'UTF-8'; - getScriptParentElement().appendChild(el); - }); - } - function _generateCallbackName(prefix) { - return `__${prefix}${Math.floor(Math.random() * 1000000)}`; - } - - /* eslint-disable @typescript-eslint/no-require-imports */ - const RECAPTCHA_ENTERPRISE_URL = 'https://www.google.com/recaptcha/enterprise.js?render='; - const RECAPTCHA_ENTERPRISE_VERIFIER_TYPE = 'recaptcha-enterprise'; - const FAKE_TOKEN = 'NO_RECAPTCHA'; - class RecaptchaEnterpriseVerifier { - /** - * - * @param authExtern - The corresponding Firebase {@link Auth} instance. - * - */ - constructor(authExtern) { - /** - * Identifies the type of application verifier (e.g. "recaptcha-enterprise"). - */ - this.type = RECAPTCHA_ENTERPRISE_VERIFIER_TYPE; - this.auth = _castAuth(authExtern); - } - /** - * Executes the verification process. - * - * @returns A Promise for a token that can be used to assert the validity of a request. - */ - async verify(action = 'verify', forceRefresh = false) { - async function retrieveSiteKey(auth) { - if (!forceRefresh) { - if (auth.tenantId == null && auth._agentRecaptchaConfig != null) { - return auth._agentRecaptchaConfig.siteKey; - } - if (auth.tenantId != null && - auth._tenantRecaptchaConfigs[auth.tenantId] !== undefined) { - return auth._tenantRecaptchaConfigs[auth.tenantId].siteKey; - } - } - return new Promise(async (resolve, reject) => { - getRecaptchaConfig(auth, { - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */, - version: "RECAPTCHA_ENTERPRISE" /* RecaptchaVersion.ENTERPRISE */ - }) - .then(response => { - if (response.recaptchaKey === undefined) { - reject(new Error('recaptcha Enterprise site key undefined')); - } - else { - const config = new RecaptchaConfig(response); - if (auth.tenantId == null) { - auth._agentRecaptchaConfig = config; - } - else { - auth._tenantRecaptchaConfigs[auth.tenantId] = config; - } - return resolve(config.siteKey); - } - }) - .catch(error => { - reject(error); - }); - }); - } - function retrieveRecaptchaToken(siteKey, resolve, reject) { - const grecaptcha = window.grecaptcha; - if (isEnterprise(grecaptcha)) { - grecaptcha.enterprise.ready(() => { - grecaptcha.enterprise - .execute(siteKey, { action }) - .then(token => { - resolve(token); - }) - .catch(() => { - resolve(FAKE_TOKEN); - }); - }); - } - else { - reject(Error('No reCAPTCHA enterprise script loaded.')); - } - } - return new Promise((resolve, reject) => { - retrieveSiteKey(this.auth) - .then(siteKey => { - if (!forceRefresh && isEnterprise(window.grecaptcha)) { - retrieveRecaptchaToken(siteKey, resolve, reject); - } - else { - if (typeof window === 'undefined') { - reject(new Error('RecaptchaVerifier is only supported in browser')); - return; - } - _loadJS(RECAPTCHA_ENTERPRISE_URL + siteKey) - .then(() => { - retrieveRecaptchaToken(siteKey, resolve, reject); - }) - .catch(error => { - reject(error); - }); - } - }) - .catch(error => { - reject(error); - }); - }); - } - } - async function injectRecaptchaFields(auth, request, action, captchaResp = false) { - const verifier = new RecaptchaEnterpriseVerifier(auth); - let captchaResponse; - try { - captchaResponse = await verifier.verify(action); - } - catch (error) { - captchaResponse = await verifier.verify(action, true); - } - const newRequest = Object.assign({}, request); - if (!captchaResp) { - Object.assign(newRequest, { captchaResponse }); - } - else { - Object.assign(newRequest, { 'captchaResp': captchaResponse }); - } - Object.assign(newRequest, { 'clientType': "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */ }); - Object.assign(newRequest, { - 'recaptchaVersion': "RECAPTCHA_ENTERPRISE" /* RecaptchaVersion.ENTERPRISE */ - }); - return newRequest; - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class AuthMiddlewareQueue { - constructor(auth) { - this.auth = auth; - this.queue = []; - } - pushCallback(callback, onAbort) { - // The callback could be sync or async. Wrap it into a - // function that is always async. - const wrappedCallback = (user) => new Promise((resolve, reject) => { - try { - const result = callback(user); - // Either resolve with existing promise or wrap a non-promise - // return value into a promise. - resolve(result); - } - catch (e) { - // Sync callback throws. - reject(e); - } - }); - // Attach the onAbort if present - wrappedCallback.onAbort = onAbort; - this.queue.push(wrappedCallback); - const index = this.queue.length - 1; - return () => { - // Unsubscribe. Replace with no-op. Do not remove from array, or it will disturb - // indexing of other elements. - this.queue[index] = () => Promise.resolve(); - }; - } - async runMiddleware(nextUser) { - if (this.auth.currentUser === nextUser) { - return; - } - // While running the middleware, build a temporary stack of onAbort - // callbacks to call if one middleware callback rejects. - const onAbortStack = []; - try { - for (const beforeStateCallback of this.queue) { - await beforeStateCallback(nextUser); - // Only push the onAbort if the callback succeeds - if (beforeStateCallback.onAbort) { - onAbortStack.push(beforeStateCallback.onAbort); - } - } - } - catch (e) { - // Run all onAbort, with separate try/catch to ignore any errors and - // continue - onAbortStack.reverse(); - for (const onAbort of onAbortStack) { - try { - onAbort(); - } - catch (_) { - /* swallow error */ - } - } - throw this.auth._errorFactory.create("login-blocked" /* AuthErrorCode.LOGIN_BLOCKED */, { - originalMessage: e === null || e === void 0 ? void 0 : e.message - }); - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class AuthImpl { - constructor(app, heartbeatServiceProvider, appCheckServiceProvider, config) { - this.app = app; - this.heartbeatServiceProvider = heartbeatServiceProvider; - this.appCheckServiceProvider = appCheckServiceProvider; - this.config = config; - this.currentUser = null; - this.emulatorConfig = null; - this.operations = Promise.resolve(); - this.authStateSubscription = new Subscription(this); - this.idTokenSubscription = new Subscription(this); - this.beforeStateQueue = new AuthMiddlewareQueue(this); - this.redirectUser = null; - this.isProactiveRefreshEnabled = false; - // Any network calls will set this to true and prevent subsequent emulator - // initialization - this._canInitEmulator = true; - this._isInitialized = false; - this._deleted = false; - this._initializationPromise = null; - this._popupRedirectResolver = null; - this._errorFactory = _DEFAULT_AUTH_ERROR_FACTORY; - this._agentRecaptchaConfig = null; - this._tenantRecaptchaConfigs = {}; - // Tracks the last notified UID for state change listeners to prevent - // repeated calls to the callbacks. Undefined means it's never been - // called, whereas null means it's been called with a signed out user - this.lastNotifiedUid = undefined; - this.languageCode = null; - this.tenantId = null; - this.settings = { appVerificationDisabledForTesting: false }; - this.frameworks = []; - this.name = app.name; - this.clientVersion = config.sdkClientVersion; - } - _initializeWithPersistence(persistenceHierarchy, popupRedirectResolver) { - if (popupRedirectResolver) { - this._popupRedirectResolver = _getInstance(popupRedirectResolver); - } - // Have to check for app deletion throughout initialization (after each - // promise resolution) - this._initializationPromise = this.queue(async () => { - var _a, _b; - if (this._deleted) { - return; - } - this.persistenceManager = await PersistenceUserManager.create(this, persistenceHierarchy); - if (this._deleted) { - return; - } - // Initialize the resolver early if necessary (only applicable to web: - // this will cause the iframe to load immediately in certain cases) - if ((_a = this._popupRedirectResolver) === null || _a === void 0 ? void 0 : _a._shouldInitProactively) { - // If this fails, don't halt auth loading - try { - await this._popupRedirectResolver._initialize(this); - } - catch (e) { - /* Ignore the error */ - } - } - await this.initializeCurrentUser(popupRedirectResolver); - this.lastNotifiedUid = ((_b = this.currentUser) === null || _b === void 0 ? void 0 : _b.uid) || null; - if (this._deleted) { - return; - } - this._isInitialized = true; - }); - return this._initializationPromise; - } - /** - * If the persistence is changed in another window, the user manager will let us know - */ - async _onStorageEvent() { - if (this._deleted) { - return; - } - const user = await this.assertedPersistence.getCurrentUser(); - if (!this.currentUser && !user) { - // No change, do nothing (was signed out and remained signed out). - return; - } - // If the same user is to be synchronized. - if (this.currentUser && user && this.currentUser.uid === user.uid) { - // Data update, simply copy data changes. - this._currentUser._assign(user); - // If tokens changed from previous user tokens, this will trigger - // notifyAuthListeners_. - await this.currentUser.getIdToken(); - return; - } - // Update current Auth state. Either a new login or logout. - // Skip blocking callbacks, they should not apply to a change in another tab. - await this._updateCurrentUser(user, /* skipBeforeStateCallbacks */ true); - } - async initializeCurrentUser(popupRedirectResolver) { - var _a; - // First check to see if we have a pending redirect event. - const previouslyStoredUser = (await this.assertedPersistence.getCurrentUser()); - let futureCurrentUser = previouslyStoredUser; - let needsTocheckMiddleware = false; - if (popupRedirectResolver && this.config.authDomain) { - await this.getOrInitRedirectPersistenceManager(); - const redirectUserEventId = (_a = this.redirectUser) === null || _a === void 0 ? void 0 : _a._redirectEventId; - const storedUserEventId = futureCurrentUser === null || futureCurrentUser === void 0 ? void 0 : futureCurrentUser._redirectEventId; - const result = await this.tryRedirectSignIn(popupRedirectResolver); - // If the stored user (i.e. the old "currentUser") has a redirectId that - // matches the redirect user, then we want to initially sign in with the - // new user object from result. - // TODO(samgho): More thoroughly test all of this - if ((!redirectUserEventId || redirectUserEventId === storedUserEventId) && - (result === null || result === void 0 ? void 0 : result.user)) { - futureCurrentUser = result.user; - needsTocheckMiddleware = true; - } - } - // If no user in persistence, there is no current user. Set to null. - if (!futureCurrentUser) { - return this.directlySetCurrentUser(null); - } - if (!futureCurrentUser._redirectEventId) { - // This isn't a redirect link operation, we can reload and bail. - // First though, ensure that we check the middleware is happy. - if (needsTocheckMiddleware) { - try { - await this.beforeStateQueue.runMiddleware(futureCurrentUser); - } - catch (e) { - futureCurrentUser = previouslyStoredUser; - // We know this is available since the bit is only set when the - // resolver is available - this._popupRedirectResolver._overrideRedirectResult(this, () => Promise.reject(e)); - } - } - if (futureCurrentUser) { - return this.reloadAndSetCurrentUserOrClear(futureCurrentUser); - } - else { - return this.directlySetCurrentUser(null); - } - } - _assert$4(this._popupRedirectResolver, this, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - await this.getOrInitRedirectPersistenceManager(); - // If the redirect user's event ID matches the current user's event ID, - // DO NOT reload the current user, otherwise they'll be cleared from storage. - // This is important for the reauthenticateWithRedirect() flow. - if (this.redirectUser && - this.redirectUser._redirectEventId === futureCurrentUser._redirectEventId) { - return this.directlySetCurrentUser(futureCurrentUser); - } - return this.reloadAndSetCurrentUserOrClear(futureCurrentUser); - } - async tryRedirectSignIn(redirectResolver) { - // The redirect user needs to be checked (and signed in if available) - // during auth initialization. All of the normal sign in and link/reauth - // flows call back into auth and push things onto the promise queue. We - // need to await the result of the redirect sign in *inside the promise - // queue*. This presents a problem: we run into deadlock. See: - // ┌> [Initialization] ─────┐ - // ┌> [] │ - // └─ [getRedirectResult] <─┘ - // where [] are tasks on the queue and arrows denote awaits - // Initialization will never complete because it's waiting on something - // that's waiting for initialization to complete! - // - // Instead, this method calls getRedirectResult() (stored in - // _completeRedirectFn) with an optional parameter that instructs all of - // the underlying auth operations to skip anything that mutates auth state. - let result = null; - try { - // We know this._popupRedirectResolver is set since redirectResolver - // is passed in. The _completeRedirectFn expects the unwrapped extern. - result = await this._popupRedirectResolver._completeRedirectFn(this, redirectResolver, true); - } - catch (e) { - // Swallow any errors here; the code can retrieve them in - // getRedirectResult(). - await this._setRedirectUser(null); - } - return result; - } - async reloadAndSetCurrentUserOrClear(user) { - try { - await _reloadWithoutSaving(user); - } - catch (e) { - if ((e === null || e === void 0 ? void 0 : e.code) !== - `auth/${"network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */}`) { - // Something's wrong with the user's token. Log them out and remove - // them from storage - return this.directlySetCurrentUser(null); - } - } - return this.directlySetCurrentUser(user); - } - useDeviceLanguage() { - this.languageCode = _getUserLanguage(); - } - async _delete() { - this._deleted = true; - } - async updateCurrentUser(userExtern) { - // The public updateCurrentUser method needs to make a copy of the user, - // and also check that the project matches - const user = userExtern - ? getModularInstance(userExtern) - : null; - if (user) { - _assert$4(user.auth.config.apiKey === this.config.apiKey, this, "invalid-user-token" /* AuthErrorCode.INVALID_AUTH */); - } - return this._updateCurrentUser(user && user._clone(this)); - } - async _updateCurrentUser(user, skipBeforeStateCallbacks = false) { - if (this._deleted) { - return; - } - if (user) { - _assert$4(this.tenantId === user.tenantId, this, "tenant-id-mismatch" /* AuthErrorCode.TENANT_ID_MISMATCH */); - } - if (!skipBeforeStateCallbacks) { - await this.beforeStateQueue.runMiddleware(user); - } - return this.queue(async () => { - await this.directlySetCurrentUser(user); - this.notifyAuthListeners(); - }); - } - async signOut() { - // Run first, to block _setRedirectUser() if any callbacks fail. - await this.beforeStateQueue.runMiddleware(null); - // Clear the redirect user when signOut is called - if (this.redirectPersistenceManager || this._popupRedirectResolver) { - await this._setRedirectUser(null); - } - // Prevent callbacks from being called again in _updateCurrentUser, as - // they were already called in the first line. - return this._updateCurrentUser(null, /* skipBeforeStateCallbacks */ true); - } - setPersistence(persistence) { - return this.queue(async () => { - await this.assertedPersistence.setPersistence(_getInstance(persistence)); - }); - } - async initializeRecaptchaConfig() { - const response = await getRecaptchaConfig(this, { - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */, - version: "RECAPTCHA_ENTERPRISE" /* RecaptchaVersion.ENTERPRISE */ - }); - const config = new RecaptchaConfig(response); - if (this.tenantId == null) { - this._agentRecaptchaConfig = config; - } - else { - this._tenantRecaptchaConfigs[this.tenantId] = config; - } - if (config.emailPasswordEnabled) { - const verifier = new RecaptchaEnterpriseVerifier(this); - void verifier.verify(); - } - } - _getRecaptchaConfig() { - if (this.tenantId == null) { - return this._agentRecaptchaConfig; - } - else { - return this._tenantRecaptchaConfigs[this.tenantId]; - } - } - _getPersistence() { - return this.assertedPersistence.persistence.type; - } - _updateErrorMap(errorMap) { - this._errorFactory = new ErrorFactory('auth', 'Firebase', errorMap()); - } - onAuthStateChanged(nextOrObserver, error, completed) { - return this.registerStateListener(this.authStateSubscription, nextOrObserver, error, completed); - } - beforeAuthStateChanged(callback, onAbort) { - return this.beforeStateQueue.pushCallback(callback, onAbort); - } - onIdTokenChanged(nextOrObserver, error, completed) { - return this.registerStateListener(this.idTokenSubscription, nextOrObserver, error, completed); - } - toJSON() { - var _a; - return { - apiKey: this.config.apiKey, - authDomain: this.config.authDomain, - appName: this.name, - currentUser: (_a = this._currentUser) === null || _a === void 0 ? void 0 : _a.toJSON() - }; - } - async _setRedirectUser(user, popupRedirectResolver) { - const redirectManager = await this.getOrInitRedirectPersistenceManager(popupRedirectResolver); - return user === null - ? redirectManager.removeCurrentUser() - : redirectManager.setCurrentUser(user); - } - async getOrInitRedirectPersistenceManager(popupRedirectResolver) { - if (!this.redirectPersistenceManager) { - const resolver = (popupRedirectResolver && _getInstance(popupRedirectResolver)) || - this._popupRedirectResolver; - _assert$4(resolver, this, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - this.redirectPersistenceManager = await PersistenceUserManager.create(this, [_getInstance(resolver._redirectPersistence)], "redirectUser" /* KeyName.REDIRECT_USER */); - this.redirectUser = - await this.redirectPersistenceManager.getCurrentUser(); - } - return this.redirectPersistenceManager; - } - async _redirectUserForId(id) { - var _a, _b; - // Make sure we've cleared any pending persistence actions if we're not in - // the initializer - if (this._isInitialized) { - await this.queue(async () => { }); - } - if (((_a = this._currentUser) === null || _a === void 0 ? void 0 : _a._redirectEventId) === id) { - return this._currentUser; - } - if (((_b = this.redirectUser) === null || _b === void 0 ? void 0 : _b._redirectEventId) === id) { - return this.redirectUser; - } - return null; - } - async _persistUserIfCurrent(user) { - if (user === this.currentUser) { - return this.queue(async () => this.directlySetCurrentUser(user)); - } - } - /** Notifies listeners only if the user is current */ - _notifyListenersIfCurrent(user) { - if (user === this.currentUser) { - this.notifyAuthListeners(); - } - } - _key() { - return `${this.config.authDomain}:${this.config.apiKey}:${this.name}`; - } - _startProactiveRefresh() { - this.isProactiveRefreshEnabled = true; - if (this.currentUser) { - this._currentUser._startProactiveRefresh(); - } - } - _stopProactiveRefresh() { - this.isProactiveRefreshEnabled = false; - if (this.currentUser) { - this._currentUser._stopProactiveRefresh(); - } - } - /** Returns the current user cast as the internal type */ - get _currentUser() { - return this.currentUser; - } - notifyAuthListeners() { - var _a, _b; - if (!this._isInitialized) { - return; - } - this.idTokenSubscription.next(this.currentUser); - const currentUid = (_b = (_a = this.currentUser) === null || _a === void 0 ? void 0 : _a.uid) !== null && _b !== void 0 ? _b : null; - if (this.lastNotifiedUid !== currentUid) { - this.lastNotifiedUid = currentUid; - this.authStateSubscription.next(this.currentUser); - } - } - registerStateListener(subscription, nextOrObserver, error, completed) { - if (this._deleted) { - return () => { }; - } - const cb = typeof nextOrObserver === 'function' - ? nextOrObserver - : nextOrObserver.next.bind(nextOrObserver); - const promise = this._isInitialized - ? Promise.resolve() - : this._initializationPromise; - _assert$4(promise, this, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - // The callback needs to be called asynchronously per the spec. - // eslint-disable-next-line @typescript-eslint/no-floating-promises - promise.then(() => cb(this.currentUser)); - if (typeof nextOrObserver === 'function') { - return subscription.addObserver(nextOrObserver, error, completed); - } - else { - return subscription.addObserver(nextOrObserver); - } - } - /** - * Unprotected (from race conditions) method to set the current user. This - * should only be called from within a queued callback. This is necessary - * because the queue shouldn't rely on another queued callback. - */ - async directlySetCurrentUser(user) { - if (this.currentUser && this.currentUser !== user) { - this._currentUser._stopProactiveRefresh(); - } - if (user && this.isProactiveRefreshEnabled) { - user._startProactiveRefresh(); - } - this.currentUser = user; - if (user) { - await this.assertedPersistence.setCurrentUser(user); - } - else { - await this.assertedPersistence.removeCurrentUser(); - } - } - queue(action) { - // In case something errors, the callback still should be called in order - // to keep the promise chain alive - this.operations = this.operations.then(action, action); - return this.operations; - } - get assertedPersistence() { - _assert$4(this.persistenceManager, this, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return this.persistenceManager; - } - _logFramework(framework) { - if (!framework || this.frameworks.includes(framework)) { - return; - } - this.frameworks.push(framework); - // Sort alphabetically so that "FirebaseCore-web,FirebaseUI-web" and - // "FirebaseUI-web,FirebaseCore-web" aren't viewed as different. - this.frameworks.sort(); - this.clientVersion = _getClientVersion(this.config.clientPlatform, this._getFrameworks()); - } - _getFrameworks() { - return this.frameworks; - } - async _getAdditionalHeaders() { - var _a; - // Additional headers on every request - const headers = { - ["X-Client-Version" /* HttpHeader.X_CLIENT_VERSION */]: this.clientVersion - }; - if (this.app.options.appId) { - headers["X-Firebase-gmpid" /* HttpHeader.X_FIREBASE_GMPID */] = this.app.options.appId; - } - // If the heartbeat service exists, add the heartbeat string - const heartbeatsHeader = await ((_a = this.heartbeatServiceProvider - .getImmediate({ - optional: true - })) === null || _a === void 0 ? void 0 : _a.getHeartbeatsHeader()); - if (heartbeatsHeader) { - headers["X-Firebase-Client" /* HttpHeader.X_FIREBASE_CLIENT */] = heartbeatsHeader; - } - // If the App Check service exists, add the App Check token in the headers - const appCheckToken = await this._getAppCheckToken(); - if (appCheckToken) { - headers["X-Firebase-AppCheck" /* HttpHeader.X_FIREBASE_APP_CHECK */] = appCheckToken; - } - return headers; - } - async _getAppCheckToken() { - var _a; - const appCheckTokenResult = await ((_a = this.appCheckServiceProvider - .getImmediate({ optional: true })) === null || _a === void 0 ? void 0 : _a.getToken()); - if (appCheckTokenResult === null || appCheckTokenResult === void 0 ? void 0 : appCheckTokenResult.error) { - // Context: appCheck.getToken() will never throw even if an error happened. - // In the error case, a dummy token will be returned along with an error field describing - // the error. In general, we shouldn't care about the error condition and just use - // the token (actual or dummy) to send requests. - _logWarn(`Error while retrieving App Check token: ${appCheckTokenResult.error}`); - } - return appCheckTokenResult === null || appCheckTokenResult === void 0 ? void 0 : appCheckTokenResult.token; - } - } - /** - * Method to be used to cast down to our private implmentation of Auth. - * It will also handle unwrapping from the compat type if necessary - * - * @param auth Auth object passed in from developer - */ - function _castAuth(auth) { - return getModularInstance(auth); - } - /** Helper class to wrap subscriber logic */ - class Subscription { - constructor(auth) { - this.auth = auth; - this.observer = null; - this.addObserver = createSubscribe(observer => (this.observer = observer)); - } - get next() { - _assert$4(this.observer, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return this.observer.next.bind(this.observer); - } - } - function _initializeAuthInstance(auth, deps) { - const persistence = (deps === null || deps === void 0 ? void 0 : deps.persistence) || []; - const hierarchy = (Array.isArray(persistence) ? persistence : [persistence]).map(_getInstance); - if (deps === null || deps === void 0 ? void 0 : deps.errorMap) { - auth._updateErrorMap(deps.errorMap); - } - // This promise is intended to float; auth initialization happens in the - // background, meanwhile the auth object may be used by the app. - // eslint-disable-next-line @typescript-eslint/no-floating-promises - auth._initializeWithPersistence(hierarchy, deps === null || deps === void 0 ? void 0 : deps.popupRedirectResolver); - } - - /** - * Changes the {@link Auth} instance to communicate with the Firebase Auth Emulator, instead of production - * Firebase Auth services. - * - * @remarks - * This must be called synchronously immediately following the first call to - * {@link initializeAuth}. Do not use with production credentials as emulator - * traffic is not encrypted. - * - * - * @example - * ```javascript - * connectAuthEmulator(auth, 'http://127.0.0.1:9099', { disableWarnings: true }); - * ``` - * - * @param auth - The {@link Auth} instance. - * @param url - The URL at which the emulator is running (eg, 'http://localhost:9099'). - * @param options - Optional. `options.disableWarnings` defaults to `false`. Set it to - * `true` to disable the warning banner attached to the DOM. - * - * @public - */ - function connectAuthEmulator(auth, url, options) { - const authInternal = _castAuth(auth); - _assert$4(authInternal._canInitEmulator, authInternal, "emulator-config-failed" /* AuthErrorCode.EMULATOR_CONFIG_FAILED */); - _assert$4(/^https?:\/\//.test(url), authInternal, "invalid-emulator-scheme" /* AuthErrorCode.INVALID_EMULATOR_SCHEME */); - const disableWarnings = !!(options === null || options === void 0 ? void 0 : options.disableWarnings); - const protocol = extractProtocol(url); - const { host, port } = extractHostAndPort(url); - const portStr = port === null ? '' : `:${port}`; - // Always replace path with "/" (even if input url had no path at all, or had a different one). - authInternal.config.emulator = { url: `${protocol}//${host}${portStr}/` }; - authInternal.settings.appVerificationDisabledForTesting = true; - authInternal.emulatorConfig = Object.freeze({ - host, - port, - protocol: protocol.replace(':', ''), - options: Object.freeze({ disableWarnings }) - }); - if (!disableWarnings) { - emitEmulatorWarning(); - } - } - function extractProtocol(url) { - const protocolEnd = url.indexOf(':'); - return protocolEnd < 0 ? '' : url.substr(0, protocolEnd + 1); - } - function extractHostAndPort(url) { - const protocol = extractProtocol(url); - const authority = /(\/\/)?([^?#/]+)/.exec(url.substr(protocol.length)); // Between // and /, ? or #. - if (!authority) { - return { host: '', port: null }; - } - const hostAndPort = authority[2].split('@').pop() || ''; // Strip out "username:password@". - const bracketedIPv6 = /^(\[[^\]]+\])(:|$)/.exec(hostAndPort); - if (bracketedIPv6) { - const host = bracketedIPv6[1]; - return { host, port: parsePort(hostAndPort.substr(host.length + 1)) }; - } - else { - const [host, port] = hostAndPort.split(':'); - return { host, port: parsePort(port) }; - } - } - function parsePort(portStr) { - if (!portStr) { - return null; - } - const port = Number(portStr); - if (isNaN(port)) { - return null; - } - return port; - } - function emitEmulatorWarning() { - function attachBanner() { - const el = document.createElement('p'); - const sty = el.style; - el.innerText = - 'Running in emulator mode. Do not use with production credentials.'; - sty.position = 'fixed'; - sty.width = '100%'; - sty.backgroundColor = '#ffffff'; - sty.border = '.1em solid #000000'; - sty.color = '#b50000'; - sty.bottom = '0px'; - sty.left = '0px'; - sty.margin = '0px'; - sty.zIndex = '10000'; - sty.textAlign = 'center'; - el.classList.add('firebase-emulator-warning'); - document.body.appendChild(el); - } - if (typeof console !== 'undefined' && typeof console.info === 'function') { - console.info('WARNING: You are using the Auth Emulator,' + - ' which is intended for local testing only. Do not use with' + - ' production credentials.'); - } - if (typeof window !== 'undefined' && typeof document !== 'undefined') { - if (document.readyState === 'loading') { - window.addEventListener('DOMContentLoaded', attachBanner); - } - else { - attachBanner(); - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Interface that represents the credentials returned by an {@link AuthProvider}. - * - * @remarks - * Implementations specify the details about each auth provider's credential requirements. - * - * @public - */ - class AuthCredential { - /** @internal */ - constructor( - /** - * The authentication provider ID for the credential. - * - * @remarks - * For example, 'facebook.com', or 'google.com'. - */ - providerId, - /** - * The authentication sign in method for the credential. - * - * @remarks - * For example, {@link SignInMethod}.EMAIL_PASSWORD, or - * {@link SignInMethod}.EMAIL_LINK. This corresponds to the sign-in method - * identifier as returned in {@link fetchSignInMethodsForEmail}. - */ - signInMethod) { - this.providerId = providerId; - this.signInMethod = signInMethod; - } - /** - * Returns a JSON-serializable representation of this object. - * - * @returns a JSON-serializable representation of this object. - */ - toJSON() { - return debugFail('not implemented'); - } - /** @internal */ - _getIdTokenResponse(_auth) { - return debugFail('not implemented'); - } - /** @internal */ - _linkToIdToken(_auth, _idToken) { - return debugFail('not implemented'); - } - /** @internal */ - _getReauthenticationResolver(_auth) { - return debugFail('not implemented'); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function resetPassword(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:resetPassword" /* Endpoint.RESET_PASSWORD */, _addTidIfNecessary(auth, request)); - } - async function updateEmailPassword(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:update" /* Endpoint.SET_ACCOUNT_INFO */, request); - } - async function applyActionCode$1(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:update" /* Endpoint.SET_ACCOUNT_INFO */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function signInWithPassword(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithPassword" /* Endpoint.SIGN_IN_WITH_PASSWORD */, _addTidIfNecessary(auth, request)); - } - async function sendOobCode(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:sendOobCode" /* Endpoint.SEND_OOB_CODE */, _addTidIfNecessary(auth, request)); - } - async function sendEmailVerification$1(auth, request) { - return sendOobCode(auth, request); - } - async function sendPasswordResetEmail$1(auth, request) { - return sendOobCode(auth, request); - } - async function sendSignInLinkToEmail$1(auth, request) { - return sendOobCode(auth, request); - } - async function verifyAndChangeEmail(auth, request) { - return sendOobCode(auth, request); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function signInWithEmailLink$1(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithEmailLink" /* Endpoint.SIGN_IN_WITH_EMAIL_LINK */, _addTidIfNecessary(auth, request)); - } - async function signInWithEmailLinkForLinking(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithEmailLink" /* Endpoint.SIGN_IN_WITH_EMAIL_LINK */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Interface that represents the credentials returned by {@link EmailAuthProvider} for - * {@link ProviderId}.PASSWORD - * - * @remarks - * Covers both {@link SignInMethod}.EMAIL_PASSWORD and - * {@link SignInMethod}.EMAIL_LINK. - * - * @public - */ - class EmailAuthCredential extends AuthCredential { - /** @internal */ - constructor( - /** @internal */ - _email, - /** @internal */ - _password, signInMethod, - /** @internal */ - _tenantId = null) { - super("password" /* ProviderId.PASSWORD */, signInMethod); - this._email = _email; - this._password = _password; - this._tenantId = _tenantId; - } - /** @internal */ - static _fromEmailAndPassword(email, password) { - return new EmailAuthCredential(email, password, "password" /* SignInMethod.EMAIL_PASSWORD */); - } - /** @internal */ - static _fromEmailAndCode(email, oobCode, tenantId = null) { - return new EmailAuthCredential(email, oobCode, "emailLink" /* SignInMethod.EMAIL_LINK */, tenantId); - } - /** {@inheritdoc AuthCredential.toJSON} */ - toJSON() { - return { - email: this._email, - password: this._password, - signInMethod: this.signInMethod, - tenantId: this._tenantId - }; - } - /** - * Static method to deserialize a JSON representation of an object into an {@link AuthCredential}. - * - * @param json - Either `object` or the stringified representation of the object. When string is - * provided, `JSON.parse` would be called first. - * - * @returns If the JSON input does not represent an {@link AuthCredential}, null is returned. - */ - static fromJSON(json) { - const obj = typeof json === 'string' ? JSON.parse(json) : json; - if ((obj === null || obj === void 0 ? void 0 : obj.email) && (obj === null || obj === void 0 ? void 0 : obj.password)) { - if (obj.signInMethod === "password" /* SignInMethod.EMAIL_PASSWORD */) { - return this._fromEmailAndPassword(obj.email, obj.password); - } - else if (obj.signInMethod === "emailLink" /* SignInMethod.EMAIL_LINK */) { - return this._fromEmailAndCode(obj.email, obj.password, obj.tenantId); - } - } - return null; - } - /** @internal */ - async _getIdTokenResponse(auth) { - var _a; - switch (this.signInMethod) { - case "password" /* SignInMethod.EMAIL_PASSWORD */: - const request = { - returnSecureToken: true, - email: this._email, - password: this._password, - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */ - }; - if ((_a = auth._getRecaptchaConfig()) === null || _a === void 0 ? void 0 : _a.emailPasswordEnabled) { - const requestWithRecaptcha = await injectRecaptchaFields(auth, request, "signInWithPassword" /* RecaptchaActionName.SIGN_IN_WITH_PASSWORD */); - return signInWithPassword(auth, requestWithRecaptcha); - } - else { - return signInWithPassword(auth, request).catch(async (error) => { - if (error.code === `auth/${"missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */}`) { - console.log('Sign-in with email address and password is protected by reCAPTCHA for this project. Automatically triggering the reCAPTCHA flow and restarting the sign-in flow.'); - const requestWithRecaptcha = await injectRecaptchaFields(auth, request, "signInWithPassword" /* RecaptchaActionName.SIGN_IN_WITH_PASSWORD */); - return signInWithPassword(auth, requestWithRecaptcha); - } - else { - return Promise.reject(error); - } - }); - } - case "emailLink" /* SignInMethod.EMAIL_LINK */: - return signInWithEmailLink$1(auth, { - email: this._email, - oobCode: this._password - }); - default: - _fail(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - } - /** @internal */ - async _linkToIdToken(auth, idToken) { - switch (this.signInMethod) { - case "password" /* SignInMethod.EMAIL_PASSWORD */: - return updateEmailPassword(auth, { - idToken, - returnSecureToken: true, - email: this._email, - password: this._password - }); - case "emailLink" /* SignInMethod.EMAIL_LINK */: - return signInWithEmailLinkForLinking(auth, { - idToken, - email: this._email, - oobCode: this._password - }); - default: - _fail(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - } - /** @internal */ - _getReauthenticationResolver(auth) { - return this._getIdTokenResponse(auth); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function signInWithIdp(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithIdp" /* Endpoint.SIGN_IN_WITH_IDP */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const IDP_REQUEST_URI$1 = 'http://localhost'; - /** - * Represents the OAuth credentials returned by an {@link OAuthProvider}. - * - * @remarks - * Implementations specify the details about each auth provider's credential requirements. - * - * @public - */ - class OAuthCredential extends AuthCredential { - constructor() { - super(...arguments); - this.pendingToken = null; - } - /** @internal */ - static _fromParams(params) { - const cred = new OAuthCredential(params.providerId, params.signInMethod); - if (params.idToken || params.accessToken) { - // OAuth 2 and either ID token or access token. - if (params.idToken) { - cred.idToken = params.idToken; - } - if (params.accessToken) { - cred.accessToken = params.accessToken; - } - // Add nonce if available and no pendingToken is present. - if (params.nonce && !params.pendingToken) { - cred.nonce = params.nonce; - } - if (params.pendingToken) { - cred.pendingToken = params.pendingToken; - } - } - else if (params.oauthToken && params.oauthTokenSecret) { - // OAuth 1 and OAuth token with token secret - cred.accessToken = params.oauthToken; - cred.secret = params.oauthTokenSecret; - } - else { - _fail("argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - } - return cred; - } - /** {@inheritdoc AuthCredential.toJSON} */ - toJSON() { - return { - idToken: this.idToken, - accessToken: this.accessToken, - secret: this.secret, - nonce: this.nonce, - pendingToken: this.pendingToken, - providerId: this.providerId, - signInMethod: this.signInMethod - }; - } - /** - * Static method to deserialize a JSON representation of an object into an - * {@link AuthCredential}. - * - * @param json - Input can be either Object or the stringified representation of the object. - * When string is provided, JSON.parse would be called first. - * - * @returns If the JSON input does not represent an {@link AuthCredential}, null is returned. - */ - static fromJSON(json) { - const obj = typeof json === 'string' ? JSON.parse(json) : json; - const { providerId, signInMethod } = obj, rest = __rest(obj, ["providerId", "signInMethod"]); - if (!providerId || !signInMethod) { - return null; - } - const cred = new OAuthCredential(providerId, signInMethod); - cred.idToken = rest.idToken || undefined; - cred.accessToken = rest.accessToken || undefined; - cred.secret = rest.secret; - cred.nonce = rest.nonce; - cred.pendingToken = rest.pendingToken || null; - return cred; - } - /** @internal */ - _getIdTokenResponse(auth) { - const request = this.buildRequest(); - return signInWithIdp(auth, request); - } - /** @internal */ - _linkToIdToken(auth, idToken) { - const request = this.buildRequest(); - request.idToken = idToken; - return signInWithIdp(auth, request); - } - /** @internal */ - _getReauthenticationResolver(auth) { - const request = this.buildRequest(); - request.autoCreate = false; - return signInWithIdp(auth, request); - } - buildRequest() { - const request = { - requestUri: IDP_REQUEST_URI$1, - returnSecureToken: true - }; - if (this.pendingToken) { - request.pendingToken = this.pendingToken; - } - else { - const postBody = {}; - if (this.idToken) { - postBody['id_token'] = this.idToken; - } - if (this.accessToken) { - postBody['access_token'] = this.accessToken; - } - if (this.secret) { - postBody['oauth_token_secret'] = this.secret; - } - postBody['providerId'] = this.providerId; - if (this.nonce && !this.pendingToken) { - postBody['nonce'] = this.nonce; - } - request.postBody = querystring(postBody); - } - return request; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function sendPhoneVerificationCode(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:sendVerificationCode" /* Endpoint.SEND_VERIFICATION_CODE */, _addTidIfNecessary(auth, request)); - } - async function signInWithPhoneNumber$1(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithPhoneNumber" /* Endpoint.SIGN_IN_WITH_PHONE_NUMBER */, _addTidIfNecessary(auth, request)); - } - async function linkWithPhoneNumber$1(auth, request) { - const response = await _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithPhoneNumber" /* Endpoint.SIGN_IN_WITH_PHONE_NUMBER */, _addTidIfNecessary(auth, request)); - if (response.temporaryProof) { - throw _makeTaggedError(auth, "account-exists-with-different-credential" /* AuthErrorCode.NEED_CONFIRMATION */, response); - } - return response; - } - const VERIFY_PHONE_NUMBER_FOR_EXISTING_ERROR_MAP_ = { - ["USER_NOT_FOUND" /* ServerError.USER_NOT_FOUND */]: "user-not-found" /* AuthErrorCode.USER_DELETED */ - }; - async function verifyPhoneNumberForExisting(auth, request) { - const apiRequest = Object.assign(Object.assign({}, request), { operation: 'REAUTH' }); - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithPhoneNumber" /* Endpoint.SIGN_IN_WITH_PHONE_NUMBER */, _addTidIfNecessary(auth, apiRequest), VERIFY_PHONE_NUMBER_FOR_EXISTING_ERROR_MAP_); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents the credentials returned by {@link PhoneAuthProvider}. - * - * @public - */ - class PhoneAuthCredential extends AuthCredential { - constructor(params) { - super("phone" /* ProviderId.PHONE */, "phone" /* SignInMethod.PHONE */); - this.params = params; - } - /** @internal */ - static _fromVerification(verificationId, verificationCode) { - return new PhoneAuthCredential({ verificationId, verificationCode }); - } - /** @internal */ - static _fromTokenResponse(phoneNumber, temporaryProof) { - return new PhoneAuthCredential({ phoneNumber, temporaryProof }); - } - /** @internal */ - _getIdTokenResponse(auth) { - return signInWithPhoneNumber$1(auth, this._makeVerificationRequest()); - } - /** @internal */ - _linkToIdToken(auth, idToken) { - return linkWithPhoneNumber$1(auth, Object.assign({ idToken }, this._makeVerificationRequest())); - } - /** @internal */ - _getReauthenticationResolver(auth) { - return verifyPhoneNumberForExisting(auth, this._makeVerificationRequest()); - } - /** @internal */ - _makeVerificationRequest() { - const { temporaryProof, phoneNumber, verificationId, verificationCode } = this.params; - if (temporaryProof && phoneNumber) { - return { temporaryProof, phoneNumber }; - } - return { - sessionInfo: verificationId, - code: verificationCode - }; - } - /** {@inheritdoc AuthCredential.toJSON} */ - toJSON() { - const obj = { - providerId: this.providerId - }; - if (this.params.phoneNumber) { - obj.phoneNumber = this.params.phoneNumber; - } - if (this.params.temporaryProof) { - obj.temporaryProof = this.params.temporaryProof; - } - if (this.params.verificationCode) { - obj.verificationCode = this.params.verificationCode; - } - if (this.params.verificationId) { - obj.verificationId = this.params.verificationId; - } - return obj; - } - /** Generates a phone credential based on a plain object or a JSON string. */ - static fromJSON(json) { - if (typeof json === 'string') { - json = JSON.parse(json); - } - const { verificationId, verificationCode, phoneNumber, temporaryProof } = json; - if (!verificationCode && - !verificationId && - !phoneNumber && - !temporaryProof) { - return null; - } - return new PhoneAuthCredential({ - verificationId, - verificationCode, - phoneNumber, - temporaryProof - }); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Maps the mode string in action code URL to Action Code Info operation. - * - * @param mode - */ - function parseMode(mode) { - switch (mode) { - case 'recoverEmail': - return "RECOVER_EMAIL" /* ActionCodeOperation.RECOVER_EMAIL */; - case 'resetPassword': - return "PASSWORD_RESET" /* ActionCodeOperation.PASSWORD_RESET */; - case 'signIn': - return "EMAIL_SIGNIN" /* ActionCodeOperation.EMAIL_SIGNIN */; - case 'verifyEmail': - return "VERIFY_EMAIL" /* ActionCodeOperation.VERIFY_EMAIL */; - case 'verifyAndChangeEmail': - return "VERIFY_AND_CHANGE_EMAIL" /* ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL */; - case 'revertSecondFactorAddition': - return "REVERT_SECOND_FACTOR_ADDITION" /* ActionCodeOperation.REVERT_SECOND_FACTOR_ADDITION */; - default: - return null; - } - } - /** - * Helper to parse FDL links - * - * @param url - */ - function parseDeepLink(url) { - const link = querystringDecode(extractQuerystring(url))['link']; - // Double link case (automatic redirect). - const doubleDeepLink = link - ? querystringDecode(extractQuerystring(link))['deep_link_id'] - : null; - // iOS custom scheme links. - const iOSDeepLink = querystringDecode(extractQuerystring(url))['deep_link_id']; - const iOSDoubleDeepLink = iOSDeepLink - ? querystringDecode(extractQuerystring(iOSDeepLink))['link'] - : null; - return iOSDoubleDeepLink || iOSDeepLink || doubleDeepLink || link || url; - } - /** - * A utility class to parse email action URLs such as password reset, email verification, - * email link sign in, etc. - * - * @public - */ - class ActionCodeURL { - /** - * @param actionLink - The link from which to extract the URL. - * @returns The {@link ActionCodeURL} object, or null if the link is invalid. - * - * @internal - */ - constructor(actionLink) { - var _a, _b, _c, _d, _e, _f; - const searchParams = querystringDecode(extractQuerystring(actionLink)); - const apiKey = (_a = searchParams["apiKey" /* QueryField.API_KEY */]) !== null && _a !== void 0 ? _a : null; - const code = (_b = searchParams["oobCode" /* QueryField.CODE */]) !== null && _b !== void 0 ? _b : null; - const operation = parseMode((_c = searchParams["mode" /* QueryField.MODE */]) !== null && _c !== void 0 ? _c : null); - // Validate API key, code and mode. - _assert$4(apiKey && code && operation, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - this.apiKey = apiKey; - this.operation = operation; - this.code = code; - this.continueUrl = (_d = searchParams["continueUrl" /* QueryField.CONTINUE_URL */]) !== null && _d !== void 0 ? _d : null; - this.languageCode = (_e = searchParams["languageCode" /* QueryField.LANGUAGE_CODE */]) !== null && _e !== void 0 ? _e : null; - this.tenantId = (_f = searchParams["tenantId" /* QueryField.TENANT_ID */]) !== null && _f !== void 0 ? _f : null; - } - /** - * Parses the email action link string and returns an {@link ActionCodeURL} if the link is valid, - * otherwise returns null. - * - * @param link - The email action link string. - * @returns The {@link ActionCodeURL} object, or null if the link is invalid. - * - * @public - */ - static parseLink(link) { - const actionLink = parseDeepLink(link); - try { - return new ActionCodeURL(actionLink); - } - catch (_a) { - return null; - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating {@link EmailAuthCredential}. - * - * @public - */ - class EmailAuthProvider { - constructor() { - /** - * Always set to {@link ProviderId}.PASSWORD, even for email link. - */ - this.providerId = EmailAuthProvider.PROVIDER_ID; - } - /** - * Initialize an {@link AuthCredential} using an email and password. - * - * @example - * ```javascript - * const authCredential = EmailAuthProvider.credential(email, password); - * const userCredential = await signInWithCredential(auth, authCredential); - * ``` - * - * @example - * ```javascript - * const userCredential = await signInWithEmailAndPassword(auth, email, password); - * ``` - * - * @param email - Email address. - * @param password - User account password. - * @returns The auth provider credential. - */ - static credential(email, password) { - return EmailAuthCredential._fromEmailAndPassword(email, password); - } - /** - * Initialize an {@link AuthCredential} using an email and an email link after a sign in with - * email link operation. - * - * @example - * ```javascript - * const authCredential = EmailAuthProvider.credentialWithLink(auth, email, emailLink); - * const userCredential = await signInWithCredential(auth, authCredential); - * ``` - * - * @example - * ```javascript - * await sendSignInLinkToEmail(auth, email); - * // Obtain emailLink from user. - * const userCredential = await signInWithEmailLink(auth, email, emailLink); - * ``` - * - * @param auth - The {@link Auth} instance used to verify the link. - * @param email - Email address. - * @param emailLink - Sign-in email link. - * @returns - The auth provider credential. - */ - static credentialWithLink(email, emailLink) { - const actionCodeUrl = ActionCodeURL.parseLink(emailLink); - _assert$4(actionCodeUrl, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - return EmailAuthCredential._fromEmailAndCode(email, actionCodeUrl.code, actionCodeUrl.tenantId); - } - } - /** - * Always set to {@link ProviderId}.PASSWORD, even for email link. - */ - EmailAuthProvider.PROVIDER_ID = "password" /* ProviderId.PASSWORD */; - /** - * Always set to {@link SignInMethod}.EMAIL_PASSWORD. - */ - EmailAuthProvider.EMAIL_PASSWORD_SIGN_IN_METHOD = "password" /* SignInMethod.EMAIL_PASSWORD */; - /** - * Always set to {@link SignInMethod}.EMAIL_LINK. - */ - EmailAuthProvider.EMAIL_LINK_SIGN_IN_METHOD = "emailLink" /* SignInMethod.EMAIL_LINK */; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The base class for all Federated providers (OAuth (including OIDC), SAML). - * - * This class is not meant to be instantiated directly. - * - * @public - */ - class FederatedAuthProvider { - /** - * Constructor for generic OAuth providers. - * - * @param providerId - Provider for which credentials should be generated. - */ - constructor(providerId) { - this.providerId = providerId; - /** @internal */ - this.defaultLanguageCode = null; - /** @internal */ - this.customParameters = {}; - } - /** - * Set the language gode. - * - * @param languageCode - language code - */ - setDefaultLanguage(languageCode) { - this.defaultLanguageCode = languageCode; - } - /** - * Sets the OAuth custom parameters to pass in an OAuth request for popup and redirect sign-in - * operations. - * - * @remarks - * For a detailed list, check the reserved required OAuth 2.0 parameters such as `client_id`, - * `redirect_uri`, `scope`, `response_type`, and `state` are not allowed and will be ignored. - * - * @param customOAuthParameters - The custom OAuth parameters to pass in the OAuth request. - */ - setCustomParameters(customOAuthParameters) { - this.customParameters = customOAuthParameters; - return this; - } - /** - * Retrieve the current list of {@link CustomParameters}. - */ - getCustomParameters() { - return this.customParameters; - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Common code to all OAuth providers. This is separate from the - * {@link OAuthProvider} so that child providers (like - * {@link GoogleAuthProvider}) don't inherit the `credential` instance method. - * Instead, they rely on a static `credential` method. - */ - class BaseOAuthProvider extends FederatedAuthProvider { - constructor() { - super(...arguments); - /** @internal */ - this.scopes = []; - } - /** - * Add an OAuth scope to the credential. - * - * @param scope - Provider OAuth scope to add. - */ - addScope(scope) { - // If not already added, add scope to list. - if (!this.scopes.includes(scope)) { - this.scopes.push(scope); - } - return this; - } - /** - * Retrieve the current list of OAuth scopes. - */ - getScopes() { - return [...this.scopes]; - } - } - /** - * Provider for generating generic {@link OAuthCredential}. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new OAuthProvider('google.com'); - * // Start a sign in process for an unauthenticated user. - * provider.addScope('profile'); - * provider.addScope('email'); - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a OAuth Access Token for the provider. - * const credential = provider.credentialFromResult(auth, result); - * const token = credential.accessToken; - * } - * ``` - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new OAuthProvider('google.com'); - * provider.addScope('profile'); - * provider.addScope('email'); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a OAuth Access Token for the provider. - * const credential = provider.credentialFromResult(auth, result); - * const token = credential.accessToken; - * ``` - * @public - */ - class OAuthProvider extends BaseOAuthProvider { - /** - * Creates an {@link OAuthCredential} from a JSON string or a plain object. - * @param json - A plain object or a JSON string - */ - static credentialFromJSON(json) { - const obj = typeof json === 'string' ? JSON.parse(json) : json; - _assert$4('providerId' in obj && 'signInMethod' in obj, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - return OAuthCredential._fromParams(obj); - } - /** - * Creates a {@link OAuthCredential} from a generic OAuth provider's access token or ID token. - * - * @remarks - * The raw nonce is required when an ID token with a nonce field is provided. The SHA-256 hash of - * the raw nonce must match the nonce field in the ID token. - * - * @example - * ```javascript - * // `googleUser` from the onsuccess Google Sign In callback. - * // Initialize a generate OAuth provider with a `google.com` providerId. - * const provider = new OAuthProvider('google.com'); - * const credential = provider.credential({ - * idToken: googleUser.getAuthResponse().id_token, - * }); - * const result = await signInWithCredential(credential); - * ``` - * - * @param params - Either the options object containing the ID token, access token and raw nonce - * or the ID token string. - */ - credential(params) { - return this._credential(Object.assign(Object.assign({}, params), { nonce: params.rawNonce })); - } - /** An internal credential method that accepts more permissive options */ - _credential(params) { - _assert$4(params.idToken || params.accessToken, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - // For OAuthCredential, sign in method is same as providerId. - return OAuthCredential._fromParams(Object.assign(Object.assign({}, params), { providerId: this.providerId, signInMethod: this.providerId })); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link UserCredential}. - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return OAuthProvider.oauthCredentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return OAuthProvider.oauthCredentialFromTaggedObject((error.customData || {})); - } - static oauthCredentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse) { - return null; - } - const { oauthIdToken, oauthAccessToken, oauthTokenSecret, pendingToken, nonce, providerId } = tokenResponse; - if (!oauthAccessToken && - !oauthTokenSecret && - !oauthIdToken && - !pendingToken) { - return null; - } - if (!providerId) { - return null; - } - try { - return new OAuthProvider(providerId)._credential({ - idToken: oauthIdToken, - accessToken: oauthAccessToken, - nonce, - pendingToken - }); - } - catch (e) { - return null; - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating an {@link OAuthCredential} for {@link ProviderId}.FACEBOOK. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new FacebookAuthProvider(); - * // Start a sign in process for an unauthenticated user. - * provider.addScope('user_birthday'); - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Facebook Access Token. - * const credential = FacebookAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * } - * ``` - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new FacebookAuthProvider(); - * provider.addScope('user_birthday'); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a Facebook Access Token. - * const credential = FacebookAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * ``` - * - * @public - */ - class FacebookAuthProvider extends BaseOAuthProvider { - constructor() { - super("facebook.com" /* ProviderId.FACEBOOK */); - } - /** - * Creates a credential for Facebook. - * - * @example - * ```javascript - * // `event` from the Facebook auth.authResponseChange callback. - * const credential = FacebookAuthProvider.credential(event.authResponse.accessToken); - * const result = await signInWithCredential(credential); - * ``` - * - * @param accessToken - Facebook access token. - */ - static credential(accessToken) { - return OAuthCredential._fromParams({ - providerId: FacebookAuthProvider.PROVIDER_ID, - signInMethod: FacebookAuthProvider.FACEBOOK_SIGN_IN_METHOD, - accessToken - }); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link UserCredential}. - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return FacebookAuthProvider.credentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return FacebookAuthProvider.credentialFromTaggedObject((error.customData || {})); - } - static credentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse || !('oauthAccessToken' in tokenResponse)) { - return null; - } - if (!tokenResponse.oauthAccessToken) { - return null; - } - try { - return FacebookAuthProvider.credential(tokenResponse.oauthAccessToken); - } - catch (_a) { - return null; - } - } - } - /** Always set to {@link SignInMethod}.FACEBOOK. */ - FacebookAuthProvider.FACEBOOK_SIGN_IN_METHOD = "facebook.com" /* SignInMethod.FACEBOOK */; - /** Always set to {@link ProviderId}.FACEBOOK. */ - FacebookAuthProvider.PROVIDER_ID = "facebook.com" /* ProviderId.FACEBOOK */; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating an an {@link OAuthCredential} for {@link ProviderId}.GOOGLE. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new GoogleAuthProvider(); - * // Start a sign in process for an unauthenticated user. - * provider.addScope('profile'); - * provider.addScope('email'); - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Google Access Token. - * const credential = GoogleAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * } - * ``` - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new GoogleAuthProvider(); - * provider.addScope('profile'); - * provider.addScope('email'); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a Google Access Token. - * const credential = GoogleAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * ``` - * - * @public - */ - class GoogleAuthProvider extends BaseOAuthProvider { - constructor() { - super("google.com" /* ProviderId.GOOGLE */); - this.addScope('profile'); - } - /** - * Creates a credential for Google. At least one of ID token and access token is required. - * - * @example - * ```javascript - * // \`googleUser\` from the onsuccess Google Sign In callback. - * const credential = GoogleAuthProvider.credential(googleUser.getAuthResponse().id_token); - * const result = await signInWithCredential(credential); - * ``` - * - * @param idToken - Google ID token. - * @param accessToken - Google access token. - */ - static credential(idToken, accessToken) { - return OAuthCredential._fromParams({ - providerId: GoogleAuthProvider.PROVIDER_ID, - signInMethod: GoogleAuthProvider.GOOGLE_SIGN_IN_METHOD, - idToken, - accessToken - }); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link UserCredential}. - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return GoogleAuthProvider.credentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return GoogleAuthProvider.credentialFromTaggedObject((error.customData || {})); - } - static credentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse) { - return null; - } - const { oauthIdToken, oauthAccessToken } = tokenResponse; - if (!oauthIdToken && !oauthAccessToken) { - // This could be an oauth 1 credential or a phone credential - return null; - } - try { - return GoogleAuthProvider.credential(oauthIdToken, oauthAccessToken); - } - catch (_a) { - return null; - } - } - } - /** Always set to {@link SignInMethod}.GOOGLE. */ - GoogleAuthProvider.GOOGLE_SIGN_IN_METHOD = "google.com" /* SignInMethod.GOOGLE */; - /** Always set to {@link ProviderId}.GOOGLE. */ - GoogleAuthProvider.PROVIDER_ID = "google.com" /* ProviderId.GOOGLE */; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating an {@link OAuthCredential} for {@link ProviderId}.GITHUB. - * - * @remarks - * GitHub requires an OAuth 2.0 redirect, so you can either handle the redirect directly, or use - * the {@link signInWithPopup} handler: - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new GithubAuthProvider(); - * // Start a sign in process for an unauthenticated user. - * provider.addScope('repo'); - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Github Access Token. - * const credential = GithubAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * } - * ``` - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new GithubAuthProvider(); - * provider.addScope('repo'); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a Github Access Token. - * const credential = GithubAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * ``` - * @public - */ - class GithubAuthProvider extends BaseOAuthProvider { - constructor() { - super("github.com" /* ProviderId.GITHUB */); - } - /** - * Creates a credential for Github. - * - * @param accessToken - Github access token. - */ - static credential(accessToken) { - return OAuthCredential._fromParams({ - providerId: GithubAuthProvider.PROVIDER_ID, - signInMethod: GithubAuthProvider.GITHUB_SIGN_IN_METHOD, - accessToken - }); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link UserCredential}. - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return GithubAuthProvider.credentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return GithubAuthProvider.credentialFromTaggedObject((error.customData || {})); - } - static credentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse || !('oauthAccessToken' in tokenResponse)) { - return null; - } - if (!tokenResponse.oauthAccessToken) { - return null; - } - try { - return GithubAuthProvider.credential(tokenResponse.oauthAccessToken); - } - catch (_a) { - return null; - } - } - } - /** Always set to {@link SignInMethod}.GITHUB. */ - GithubAuthProvider.GITHUB_SIGN_IN_METHOD = "github.com" /* SignInMethod.GITHUB */; - /** Always set to {@link ProviderId}.GITHUB. */ - GithubAuthProvider.PROVIDER_ID = "github.com" /* ProviderId.GITHUB */; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const IDP_REQUEST_URI = 'http://localhost'; - /** - * @public - */ - class SAMLAuthCredential extends AuthCredential { - /** @internal */ - constructor(providerId, pendingToken) { - super(providerId, providerId); - this.pendingToken = pendingToken; - } - /** @internal */ - _getIdTokenResponse(auth) { - const request = this.buildRequest(); - return signInWithIdp(auth, request); - } - /** @internal */ - _linkToIdToken(auth, idToken) { - const request = this.buildRequest(); - request.idToken = idToken; - return signInWithIdp(auth, request); - } - /** @internal */ - _getReauthenticationResolver(auth) { - const request = this.buildRequest(); - request.autoCreate = false; - return signInWithIdp(auth, request); - } - /** {@inheritdoc AuthCredential.toJSON} */ - toJSON() { - return { - signInMethod: this.signInMethod, - providerId: this.providerId, - pendingToken: this.pendingToken - }; - } - /** - * Static method to deserialize a JSON representation of an object into an - * {@link AuthCredential}. - * - * @param json - Input can be either Object or the stringified representation of the object. - * When string is provided, JSON.parse would be called first. - * - * @returns If the JSON input does not represent an {@link AuthCredential}, null is returned. - */ - static fromJSON(json) { - const obj = typeof json === 'string' ? JSON.parse(json) : json; - const { providerId, signInMethod, pendingToken } = obj; - if (!providerId || - !signInMethod || - !pendingToken || - providerId !== signInMethod) { - return null; - } - return new SAMLAuthCredential(providerId, pendingToken); - } - /** - * Helper static method to avoid exposing the constructor to end users. - * - * @internal - */ - static _create(providerId, pendingToken) { - return new SAMLAuthCredential(providerId, pendingToken); - } - buildRequest() { - return { - requestUri: IDP_REQUEST_URI, - returnSecureToken: true, - pendingToken: this.pendingToken - }; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const SAML_PROVIDER_PREFIX = 'saml.'; - /** - * An {@link AuthProvider} for SAML. - * - * @public - */ - class SAMLAuthProvider extends FederatedAuthProvider { - /** - * Constructor. The providerId must start with "saml." - * @param providerId - SAML provider ID. - */ - constructor(providerId) { - _assert$4(providerId.startsWith(SAML_PROVIDER_PREFIX), "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - super(providerId); - } - /** - * Generates an {@link AuthCredential} from a {@link UserCredential} after a - * successful SAML flow completes. - * - * @remarks - * - * For example, to get an {@link AuthCredential}, you could write the - * following code: - * - * ```js - * const userCredential = await signInWithPopup(auth, samlProvider); - * const credential = SAMLAuthProvider.credentialFromResult(userCredential); - * ``` - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return SAMLAuthProvider.samlCredentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return SAMLAuthProvider.samlCredentialFromTaggedObject((error.customData || {})); - } - /** - * Creates an {@link AuthCredential} from a JSON string or a plain object. - * @param json - A plain object or a JSON string - */ - static credentialFromJSON(json) { - const credential = SAMLAuthCredential.fromJSON(json); - _assert$4(credential, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - return credential; - } - static samlCredentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse) { - return null; - } - const { pendingToken, providerId } = tokenResponse; - if (!pendingToken || !providerId) { - return null; - } - try { - return SAMLAuthCredential._create(providerId, pendingToken); - } - catch (e) { - return null; - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating an {@link OAuthCredential} for {@link ProviderId}.TWITTER. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new TwitterAuthProvider(); - * // Start a sign in process for an unauthenticated user. - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Twitter Access Token and Secret. - * const credential = TwitterAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * const secret = credential.secret; - * } - * ``` - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new TwitterAuthProvider(); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a Twitter Access Token and Secret. - * const credential = TwitterAuthProvider.credentialFromResult(result); - * const token = credential.accessToken; - * const secret = credential.secret; - * ``` - * - * @public - */ - class TwitterAuthProvider extends BaseOAuthProvider { - constructor() { - super("twitter.com" /* ProviderId.TWITTER */); - } - /** - * Creates a credential for Twitter. - * - * @param token - Twitter access token. - * @param secret - Twitter secret. - */ - static credential(token, secret) { - return OAuthCredential._fromParams({ - providerId: TwitterAuthProvider.PROVIDER_ID, - signInMethod: TwitterAuthProvider.TWITTER_SIGN_IN_METHOD, - oauthToken: token, - oauthTokenSecret: secret - }); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link UserCredential}. - * - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - return TwitterAuthProvider.credentialFromTaggedObject(userCredential); - } - /** - * Used to extract the underlying {@link OAuthCredential} from a {@link AuthError} which was - * thrown during a sign-in, link, or reauthenticate operation. - * - * @param userCredential - The user credential. - */ - static credentialFromError(error) { - return TwitterAuthProvider.credentialFromTaggedObject((error.customData || {})); - } - static credentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse) { - return null; - } - const { oauthAccessToken, oauthTokenSecret } = tokenResponse; - if (!oauthAccessToken || !oauthTokenSecret) { - return null; - } - try { - return TwitterAuthProvider.credential(oauthAccessToken, oauthTokenSecret); - } - catch (_a) { - return null; - } - } - } - /** Always set to {@link SignInMethod}.TWITTER. */ - TwitterAuthProvider.TWITTER_SIGN_IN_METHOD = "twitter.com" /* SignInMethod.TWITTER */; - /** Always set to {@link ProviderId}.TWITTER. */ - TwitterAuthProvider.PROVIDER_ID = "twitter.com" /* ProviderId.TWITTER */; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function signUp(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signUp" /* Endpoint.SIGN_UP */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class UserCredentialImpl { - constructor(params) { - this.user = params.user; - this.providerId = params.providerId; - this._tokenResponse = params._tokenResponse; - this.operationType = params.operationType; - } - static async _fromIdTokenResponse(auth, operationType, idTokenResponse, isAnonymous = false) { - const user = await UserImpl._fromIdTokenResponse(auth, idTokenResponse, isAnonymous); - const providerId = providerIdForResponse(idTokenResponse); - const userCred = new UserCredentialImpl({ - user, - providerId, - _tokenResponse: idTokenResponse, - operationType - }); - return userCred; - } - static async _forOperation(user, operationType, response) { - await user._updateTokensIfNecessary(response, /* reload */ true); - const providerId = providerIdForResponse(response); - return new UserCredentialImpl({ - user, - providerId, - _tokenResponse: response, - operationType - }); - } - } - function providerIdForResponse(response) { - if (response.providerId) { - return response.providerId; - } - if ('phoneNumber' in response) { - return "phone" /* ProviderId.PHONE */; - } - return null; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Asynchronously signs in as an anonymous user. - * - * @remarks - * If there is already an anonymous user signed in, that user will be returned; otherwise, a - * new anonymous user identity will be created and returned. - * - * @param auth - The {@link Auth} instance. - * - * @public - */ - async function signInAnonymously(auth) { - var _a; - const authInternal = _castAuth(auth); - await authInternal._initializationPromise; - if ((_a = authInternal.currentUser) === null || _a === void 0 ? void 0 : _a.isAnonymous) { - // If an anonymous user is already signed in, no need to sign them in again. - return new UserCredentialImpl({ - user: authInternal.currentUser, - providerId: null, - operationType: "signIn" /* OperationType.SIGN_IN */ - }); - } - const response = await signUp(authInternal, { - returnSecureToken: true - }); - const userCredential = await UserCredentialImpl._fromIdTokenResponse(authInternal, "signIn" /* OperationType.SIGN_IN */, response, true); - await authInternal._updateCurrentUser(userCredential.user); - return userCredential; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class MultiFactorError extends FirebaseError { - constructor(auth, error, operationType, user) { - var _a; - super(error.code, error.message); - this.operationType = operationType; - this.user = user; - // https://github.com/Microsoft/TypeScript-wiki/blob/master/Breaking-Changes.md#extending-built-ins-like-error-array-and-map-may-no-longer-work - Object.setPrototypeOf(this, MultiFactorError.prototype); - this.customData = { - appName: auth.name, - tenantId: (_a = auth.tenantId) !== null && _a !== void 0 ? _a : undefined, - _serverResponse: error.customData._serverResponse, - operationType - }; - } - static _fromErrorAndOperation(auth, error, operationType, user) { - return new MultiFactorError(auth, error, operationType, user); - } - } - function _processCredentialSavingMfaContextIfNecessary(auth, operationType, credential, user) { - const idTokenProvider = operationType === "reauthenticate" /* OperationType.REAUTHENTICATE */ - ? credential._getReauthenticationResolver(auth) - : credential._getIdTokenResponse(auth); - return idTokenProvider.catch(error => { - if (error.code === `auth/${"multi-factor-auth-required" /* AuthErrorCode.MFA_REQUIRED */}`) { - throw MultiFactorError._fromErrorAndOperation(auth, error, operationType, user); - } - throw error; - }); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Takes a set of UserInfo provider data and converts it to a set of names - */ - function providerDataAsNames(providerData) { - return new Set(providerData - .map(({ providerId }) => providerId) - .filter(pid => !!pid)); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Unlinks a provider from a user account. - * - * @param user - The user. - * @param providerId - The provider to unlink. - * - * @public - */ - async function unlink(user, providerId) { - const userInternal = getModularInstance(user); - await _assertLinkedStatus(true, userInternal, providerId); - const { providerUserInfo } = await deleteLinkedAccounts(userInternal.auth, { - idToken: await userInternal.getIdToken(), - deleteProvider: [providerId] - }); - const providersLeft = providerDataAsNames(providerUserInfo || []); - userInternal.providerData = userInternal.providerData.filter(pd => providersLeft.has(pd.providerId)); - if (!providersLeft.has("phone" /* ProviderId.PHONE */)) { - userInternal.phoneNumber = null; - } - await userInternal.auth._persistUserIfCurrent(userInternal); - return userInternal; - } - async function _link$1(user, credential, bypassAuthState = false) { - const response = await _logoutIfInvalidated(user, credential._linkToIdToken(user.auth, await user.getIdToken()), bypassAuthState); - return UserCredentialImpl._forOperation(user, "link" /* OperationType.LINK */, response); - } - async function _assertLinkedStatus(expected, user, provider) { - await _reloadWithoutSaving(user); - const providerIds = providerDataAsNames(user.providerData); - const code = expected === false - ? "provider-already-linked" /* AuthErrorCode.PROVIDER_ALREADY_LINKED */ - : "no-such-provider" /* AuthErrorCode.NO_SUCH_PROVIDER */; - _assert$4(providerIds.has(provider) === expected, user.auth, code); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function _reauthenticate(user, credential, bypassAuthState = false) { - const { auth } = user; - const operationType = "reauthenticate" /* OperationType.REAUTHENTICATE */; - try { - const response = await _logoutIfInvalidated(user, _processCredentialSavingMfaContextIfNecessary(auth, operationType, credential, user), bypassAuthState); - _assert$4(response.idToken, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const parsed = _parseToken(response.idToken); - _assert$4(parsed, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const { sub: localId } = parsed; - _assert$4(user.uid === localId, auth, "user-mismatch" /* AuthErrorCode.USER_MISMATCH */); - return UserCredentialImpl._forOperation(user, operationType, response); - } - catch (e) { - // Convert user deleted error into user mismatch - if ((e === null || e === void 0 ? void 0 : e.code) === `auth/${"user-not-found" /* AuthErrorCode.USER_DELETED */}`) { - _fail(auth, "user-mismatch" /* AuthErrorCode.USER_MISMATCH */); - } - throw e; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function _signInWithCredential(auth, credential, bypassAuthState = false) { - const operationType = "signIn" /* OperationType.SIGN_IN */; - const response = await _processCredentialSavingMfaContextIfNecessary(auth, operationType, credential); - const userCredential = await UserCredentialImpl._fromIdTokenResponse(auth, operationType, response); - if (!bypassAuthState) { - await auth._updateCurrentUser(userCredential.user); - } - return userCredential; - } - /** - * Asynchronously signs in with the given credentials. - * - * @remarks - * An {@link AuthProvider} can be used to generate the credential. - * - * @param auth - The {@link Auth} instance. - * @param credential - The auth credential. - * - * @public - */ - async function signInWithCredential(auth, credential) { - return _signInWithCredential(_castAuth(auth), credential); - } - /** - * Links the user account with the given credentials. - * - * @remarks - * An {@link AuthProvider} can be used to generate the credential. - * - * @param user - The user. - * @param credential - The auth credential. - * - * @public - */ - async function linkWithCredential(user, credential) { - const userInternal = getModularInstance(user); - await _assertLinkedStatus(false, userInternal, credential.providerId); - return _link$1(userInternal, credential); - } - /** - * Re-authenticates a user using a fresh credential. - * - * @remarks - * Use before operations such as {@link updatePassword} that require tokens from recent sign-in - * attempts. This method can be used to recover from a `CREDENTIAL_TOO_OLD_LOGIN_AGAIN` error - * or a `TOKEN_EXPIRED` error. - * - * @param user - The user. - * @param credential - The auth credential. - * - * @public - */ - async function reauthenticateWithCredential(user, credential) { - return _reauthenticate(getModularInstance(user), credential); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function signInWithCustomToken$1(auth, request) { - return _performSignInRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:signInWithCustomToken" /* Endpoint.SIGN_IN_WITH_CUSTOM_TOKEN */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Asynchronously signs in using a custom token. - * - * @remarks - * Custom tokens are used to integrate Firebase Auth with existing auth systems, and must - * be generated by an auth backend using the - * {@link https://firebase.google.com/docs/reference/admin/node/admin.auth.Auth#createcustomtoken | createCustomToken} - * method in the {@link https://firebase.google.com/docs/auth/admin | Admin SDK} . - * - * Fails with an error if the token is invalid, expired, or not accepted by the Firebase Auth service. - * - * @param auth - The {@link Auth} instance. - * @param customToken - The custom token to sign in with. - * - * @public - */ - async function signInWithCustomToken(auth, customToken) { - const authInternal = _castAuth(auth); - const response = await signInWithCustomToken$1(authInternal, { - token: customToken, - returnSecureToken: true - }); - const cred = await UserCredentialImpl._fromIdTokenResponse(authInternal, "signIn" /* OperationType.SIGN_IN */, response); - await authInternal._updateCurrentUser(cred.user); - return cred; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class MultiFactorInfoImpl { - constructor(factorId, response) { - this.factorId = factorId; - this.uid = response.mfaEnrollmentId; - this.enrollmentTime = new Date(response.enrolledAt).toUTCString(); - this.displayName = response.displayName; - } - static _fromServerResponse(auth, enrollment) { - if ('phoneInfo' in enrollment) { - return PhoneMultiFactorInfoImpl._fromServerResponse(auth, enrollment); - } - else if ('totpInfo' in enrollment) { - return TotpMultiFactorInfoImpl._fromServerResponse(auth, enrollment); - } - return _fail(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - } - class PhoneMultiFactorInfoImpl extends MultiFactorInfoImpl { - constructor(response) { - super("phone" /* FactorId.PHONE */, response); - this.phoneNumber = response.phoneInfo; - } - static _fromServerResponse(_auth, enrollment) { - return new PhoneMultiFactorInfoImpl(enrollment); - } - } - class TotpMultiFactorInfoImpl extends MultiFactorInfoImpl { - constructor(response) { - super("totp" /* FactorId.TOTP */, response); - } - static _fromServerResponse(_auth, enrollment) { - return new TotpMultiFactorInfoImpl(enrollment); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _setActionCodeSettingsOnRequest(auth, request, actionCodeSettings) { - var _a; - _assert$4(((_a = actionCodeSettings.url) === null || _a === void 0 ? void 0 : _a.length) > 0, auth, "invalid-continue-uri" /* AuthErrorCode.INVALID_CONTINUE_URI */); - _assert$4(typeof actionCodeSettings.dynamicLinkDomain === 'undefined' || - actionCodeSettings.dynamicLinkDomain.length > 0, auth, "invalid-dynamic-link-domain" /* AuthErrorCode.INVALID_DYNAMIC_LINK_DOMAIN */); - request.continueUrl = actionCodeSettings.url; - request.dynamicLinkDomain = actionCodeSettings.dynamicLinkDomain; - request.canHandleCodeInApp = actionCodeSettings.handleCodeInApp; - if (actionCodeSettings.iOS) { - _assert$4(actionCodeSettings.iOS.bundleId.length > 0, auth, "missing-ios-bundle-id" /* AuthErrorCode.MISSING_IOS_BUNDLE_ID */); - request.iOSBundleId = actionCodeSettings.iOS.bundleId; - } - if (actionCodeSettings.android) { - _assert$4(actionCodeSettings.android.packageName.length > 0, auth, "missing-android-pkg-name" /* AuthErrorCode.MISSING_ANDROID_PACKAGE_NAME */); - request.androidInstallApp = actionCodeSettings.android.installApp; - request.androidMinimumVersionCode = - actionCodeSettings.android.minimumVersion; - request.androidPackageName = actionCodeSettings.android.packageName; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Sends a password reset email to the given email address. - * - * @remarks - * To complete the password reset, call {@link confirmPasswordReset} with the code supplied in - * the email sent to the user, along with the new password specified by the user. - * - * @example - * ```javascript - * const actionCodeSettings = { - * url: 'https://www.example.com/?email=user@example.com', - * iOS: { - * bundleId: 'com.example.ios' - * }, - * android: { - * packageName: 'com.example.android', - * installApp: true, - * minimumVersion: '12' - * }, - * handleCodeInApp: true - * }; - * await sendPasswordResetEmail(auth, 'user@example.com', actionCodeSettings); - * // Obtain code from user. - * await confirmPasswordReset('user@example.com', code); - * ``` - * - * @param auth - The {@link Auth} instance. - * @param email - The user's email address. - * @param actionCodeSettings - The {@link ActionCodeSettings}. - * - * @public - */ - async function sendPasswordResetEmail(auth, email, actionCodeSettings) { - var _a; - const authInternal = _castAuth(auth); - const request = { - requestType: "PASSWORD_RESET" /* ActionCodeOperation.PASSWORD_RESET */, - email, - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */ - }; - if ((_a = authInternal._getRecaptchaConfig()) === null || _a === void 0 ? void 0 : _a.emailPasswordEnabled) { - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "getOobCode" /* RecaptchaActionName.GET_OOB_CODE */, true); - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(authInternal, requestWithRecaptcha, actionCodeSettings); - } - await sendPasswordResetEmail$1(authInternal, requestWithRecaptcha); - } - else { - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(authInternal, request, actionCodeSettings); - } - await sendPasswordResetEmail$1(authInternal, request) - .catch(async (error) => { - if (error.code === `auth/${"missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */}`) { - console.log('Password resets are protected by reCAPTCHA for this project. Automatically triggering the reCAPTCHA flow and restarting the password reset flow.'); - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "getOobCode" /* RecaptchaActionName.GET_OOB_CODE */, true); - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(authInternal, requestWithRecaptcha, actionCodeSettings); - } - await sendPasswordResetEmail$1(authInternal, requestWithRecaptcha); - } - else { - return Promise.reject(error); - } - }); - } - } - /** - * Completes the password reset process, given a confirmation code and new password. - * - * @param auth - The {@link Auth} instance. - * @param oobCode - A confirmation code sent to the user. - * @param newPassword - The new password. - * - * @public - */ - async function confirmPasswordReset(auth, oobCode, newPassword) { - await resetPassword(getModularInstance(auth), { - oobCode, - newPassword - }); - // Do not return the email. - } - /** - * Applies a verification code sent to the user by email or other out-of-band mechanism. - * - * @param auth - The {@link Auth} instance. - * @param oobCode - A verification code sent to the user. - * - * @public - */ - async function applyActionCode(auth, oobCode) { - await applyActionCode$1(getModularInstance(auth), { oobCode }); - } - /** - * Checks a verification code sent to the user by email or other out-of-band mechanism. - * - * @returns metadata about the code. - * - * @param auth - The {@link Auth} instance. - * @param oobCode - A verification code sent to the user. - * - * @public - */ - async function checkActionCode(auth, oobCode) { - const authModular = getModularInstance(auth); - const response = await resetPassword(authModular, { oobCode }); - // Email could be empty only if the request type is EMAIL_SIGNIN or - // VERIFY_AND_CHANGE_EMAIL. - // New email should not be empty if the request type is - // VERIFY_AND_CHANGE_EMAIL. - // Multi-factor info could not be empty if the request type is - // REVERT_SECOND_FACTOR_ADDITION. - const operation = response.requestType; - _assert$4(operation, authModular, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - switch (operation) { - case "EMAIL_SIGNIN" /* ActionCodeOperation.EMAIL_SIGNIN */: - break; - case "VERIFY_AND_CHANGE_EMAIL" /* ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL */: - _assert$4(response.newEmail, authModular, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - break; - case "REVERT_SECOND_FACTOR_ADDITION" /* ActionCodeOperation.REVERT_SECOND_FACTOR_ADDITION */: - _assert$4(response.mfaInfo, authModular, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - // fall through - default: - _assert$4(response.email, authModular, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - // The multi-factor info for revert second factor addition - let multiFactorInfo = null; - if (response.mfaInfo) { - multiFactorInfo = MultiFactorInfoImpl._fromServerResponse(_castAuth(authModular), response.mfaInfo); - } - return { - data: { - email: (response.requestType === "VERIFY_AND_CHANGE_EMAIL" /* ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL */ - ? response.newEmail - : response.email) || null, - previousEmail: (response.requestType === "VERIFY_AND_CHANGE_EMAIL" /* ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL */ - ? response.email - : response.newEmail) || null, - multiFactorInfo - }, - operation - }; - } - /** - * Checks a password reset code sent to the user by email or other out-of-band mechanism. - * - * @returns the user's email address if valid. - * - * @param auth - The {@link Auth} instance. - * @param code - A verification code sent to the user. - * - * @public - */ - async function verifyPasswordResetCode(auth, code) { - const { data } = await checkActionCode(getModularInstance(auth), code); - // Email should always be present since a code was sent to it - return data.email; - } - /** - * Creates a new user account associated with the specified email address and password. - * - * @remarks - * On successful creation of the user account, this user will also be signed in to your application. - * - * User account creation can fail if the account already exists or the password is invalid. - * - * Note: The email address acts as a unique identifier for the user and enables an email-based - * password reset. This function will create a new user account and set the initial user password. - * - * @param auth - The {@link Auth} instance. - * @param email - The user's email address. - * @param password - The user's chosen password. - * - * @public - */ - async function createUserWithEmailAndPassword(auth, email, password) { - var _a; - const authInternal = _castAuth(auth); - const request = { - returnSecureToken: true, - email, - password, - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */ - }; - let signUpResponse; - if ((_a = authInternal._getRecaptchaConfig()) === null || _a === void 0 ? void 0 : _a.emailPasswordEnabled) { - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "signUpPassword" /* RecaptchaActionName.SIGN_UP_PASSWORD */); - signUpResponse = signUp(authInternal, requestWithRecaptcha); - } - else { - signUpResponse = signUp(authInternal, request).catch(async (error) => { - if (error.code === `auth/${"missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */}`) { - console.log('Sign-up is protected by reCAPTCHA for this project. Automatically triggering the reCAPTCHA flow and restarting the sign-up flow.'); - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "signUpPassword" /* RecaptchaActionName.SIGN_UP_PASSWORD */); - return signUp(authInternal, requestWithRecaptcha); - } - else { - return Promise.reject(error); - } - }); - } - const response = await signUpResponse.catch(error => { - return Promise.reject(error); - }); - const userCredential = await UserCredentialImpl._fromIdTokenResponse(authInternal, "signIn" /* OperationType.SIGN_IN */, response); - await authInternal._updateCurrentUser(userCredential.user); - return userCredential; - } - /** - * Asynchronously signs in using an email and password. - * - * @remarks - * Fails with an error if the email address and password do not match. - * - * Note: The user's password is NOT the password used to access the user's email account. The - * email address serves as a unique identifier for the user, and the password is used to access - * the user's account in your Firebase project. See also: {@link createUserWithEmailAndPassword}. - * - * @param auth - The {@link Auth} instance. - * @param email - The users email address. - * @param password - The users password. - * - * @public - */ - function signInWithEmailAndPassword(auth, email, password) { - return signInWithCredential(getModularInstance(auth), EmailAuthProvider.credential(email, password)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Sends a sign-in email link to the user with the specified email. - * - * @remarks - * The sign-in operation has to always be completed in the app unlike other out of band email - * actions (password reset and email verifications). This is because, at the end of the flow, - * the user is expected to be signed in and their Auth state persisted within the app. - * - * To complete sign in with the email link, call {@link signInWithEmailLink} with the email - * address and the email link supplied in the email sent to the user. - * - * @example - * ```javascript - * const actionCodeSettings = { - * url: 'https://www.example.com/?email=user@example.com', - * iOS: { - * bundleId: 'com.example.ios' - * }, - * android: { - * packageName: 'com.example.android', - * installApp: true, - * minimumVersion: '12' - * }, - * handleCodeInApp: true - * }; - * await sendSignInLinkToEmail(auth, 'user@example.com', actionCodeSettings); - * // Obtain emailLink from the user. - * if(isSignInWithEmailLink(auth, emailLink)) { - * await signInWithEmailLink(auth, 'user@example.com', emailLink); - * } - * ``` - * - * @param authInternal - The {@link Auth} instance. - * @param email - The user's email address. - * @param actionCodeSettings - The {@link ActionCodeSettings}. - * - * @public - */ - async function sendSignInLinkToEmail(auth, email, actionCodeSettings) { - var _a; - const authInternal = _castAuth(auth); - const request = { - requestType: "EMAIL_SIGNIN" /* ActionCodeOperation.EMAIL_SIGNIN */, - email, - clientType: "CLIENT_TYPE_WEB" /* RecaptchaClientType.WEB */ - }; - function setActionCodeSettings(request, actionCodeSettings) { - _assert$4(actionCodeSettings.handleCodeInApp, authInternal, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(authInternal, request, actionCodeSettings); - } - } - if ((_a = authInternal._getRecaptchaConfig()) === null || _a === void 0 ? void 0 : _a.emailPasswordEnabled) { - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "getOobCode" /* RecaptchaActionName.GET_OOB_CODE */, true); - setActionCodeSettings(requestWithRecaptcha, actionCodeSettings); - await sendSignInLinkToEmail$1(authInternal, requestWithRecaptcha); - } - else { - setActionCodeSettings(request, actionCodeSettings); - await sendSignInLinkToEmail$1(authInternal, request) - .catch(async (error) => { - if (error.code === `auth/${"missing-recaptcha-token" /* AuthErrorCode.MISSING_RECAPTCHA_TOKEN */}`) { - console.log('Email link sign-in is protected by reCAPTCHA for this project. Automatically triggering the reCAPTCHA flow and restarting the sign-in flow.'); - const requestWithRecaptcha = await injectRecaptchaFields(authInternal, request, "getOobCode" /* RecaptchaActionName.GET_OOB_CODE */, true); - setActionCodeSettings(requestWithRecaptcha, actionCodeSettings); - await sendSignInLinkToEmail$1(authInternal, requestWithRecaptcha); - } - else { - return Promise.reject(error); - } - }); - } - } - /** - * Checks if an incoming link is a sign-in with email link suitable for {@link signInWithEmailLink}. - * - * @param auth - The {@link Auth} instance. - * @param emailLink - The link sent to the user's email address. - * - * @public - */ - function isSignInWithEmailLink(auth, emailLink) { - const actionCodeUrl = ActionCodeURL.parseLink(emailLink); - return (actionCodeUrl === null || actionCodeUrl === void 0 ? void 0 : actionCodeUrl.operation) === "EMAIL_SIGNIN" /* ActionCodeOperation.EMAIL_SIGNIN */; - } - /** - * Asynchronously signs in using an email and sign-in email link. - * - * @remarks - * If no link is passed, the link is inferred from the current URL. - * - * Fails with an error if the email address is invalid or OTP in email link expires. - * - * Note: Confirm the link is a sign-in email link before calling this method firebase.auth.Auth.isSignInWithEmailLink. - * - * @example - * ```javascript - * const actionCodeSettings = { - * url: 'https://www.example.com/?email=user@example.com', - * iOS: { - * bundleId: 'com.example.ios' - * }, - * android: { - * packageName: 'com.example.android', - * installApp: true, - * minimumVersion: '12' - * }, - * handleCodeInApp: true - * }; - * await sendSignInLinkToEmail(auth, 'user@example.com', actionCodeSettings); - * // Obtain emailLink from the user. - * if(isSignInWithEmailLink(auth, emailLink)) { - * await signInWithEmailLink(auth, 'user@example.com', emailLink); - * } - * ``` - * - * @param auth - The {@link Auth} instance. - * @param email - The user's email address. - * @param emailLink - The link sent to the user's email address. - * - * @public - */ - async function signInWithEmailLink(auth, email, emailLink) { - const authModular = getModularInstance(auth); - const credential = EmailAuthProvider.credentialWithLink(email, emailLink || _getCurrentUrl()); - // Check if the tenant ID in the email link matches the tenant ID on Auth - // instance. - _assert$4(credential._tenantId === (authModular.tenantId || null), authModular, "tenant-id-mismatch" /* AuthErrorCode.TENANT_ID_MISMATCH */); - return signInWithCredential(authModular, credential); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function createAuthUri(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:createAuthUri" /* Endpoint.CREATE_AUTH_URI */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Gets the list of possible sign in methods for the given email address. - * - * @remarks - * This is useful to differentiate methods of sign-in for the same provider, eg. - * {@link EmailAuthProvider} which has 2 methods of sign-in, - * {@link SignInMethod}.EMAIL_PASSWORD and - * {@link SignInMethod}.EMAIL_LINK. - * - * @param auth - The {@link Auth} instance. - * @param email - The user's email address. - * - * @public - */ - async function fetchSignInMethodsForEmail(auth, email) { - // createAuthUri returns an error if continue URI is not http or https. - // For environments like Cordova, Chrome extensions, native frameworks, file - // systems, etc, use http://localhost as continue URL. - const continueUri = _isHttpOrHttps$1() ? _getCurrentUrl() : 'http://localhost'; - const request = { - identifier: email, - continueUri - }; - const { signinMethods } = await createAuthUri(getModularInstance(auth), request); - return signinMethods || []; - } - /** - * Sends a verification email to a user. - * - * @remarks - * The verification process is completed by calling {@link applyActionCode}. - * - * @example - * ```javascript - * const actionCodeSettings = { - * url: 'https://www.example.com/?email=user@example.com', - * iOS: { - * bundleId: 'com.example.ios' - * }, - * android: { - * packageName: 'com.example.android', - * installApp: true, - * minimumVersion: '12' - * }, - * handleCodeInApp: true - * }; - * await sendEmailVerification(user, actionCodeSettings); - * // Obtain code from the user. - * await applyActionCode(auth, code); - * ``` - * - * @param user - The user. - * @param actionCodeSettings - The {@link ActionCodeSettings}. - * - * @public - */ - async function sendEmailVerification(user, actionCodeSettings) { - const userInternal = getModularInstance(user); - const idToken = await user.getIdToken(); - const request = { - requestType: "VERIFY_EMAIL" /* ActionCodeOperation.VERIFY_EMAIL */, - idToken - }; - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(userInternal.auth, request, actionCodeSettings); - } - const { email } = await sendEmailVerification$1(userInternal.auth, request); - if (email !== user.email) { - await user.reload(); - } - } - /** - * Sends a verification email to a new email address. - * - * @remarks - * The user's email will be updated to the new one after being verified. - * - * If you have a custom email action handler, you can complete the verification process by calling - * {@link applyActionCode}. - * - * @example - * ```javascript - * const actionCodeSettings = { - * url: 'https://www.example.com/?email=user@example.com', - * iOS: { - * bundleId: 'com.example.ios' - * }, - * android: { - * packageName: 'com.example.android', - * installApp: true, - * minimumVersion: '12' - * }, - * handleCodeInApp: true - * }; - * await verifyBeforeUpdateEmail(user, 'newemail@example.com', actionCodeSettings); - * // Obtain code from the user. - * await applyActionCode(auth, code); - * ``` - * - * @param user - The user. - * @param newEmail - The new email address to be verified before update. - * @param actionCodeSettings - The {@link ActionCodeSettings}. - * - * @public - */ - async function verifyBeforeUpdateEmail(user, newEmail, actionCodeSettings) { - const userInternal = getModularInstance(user); - const idToken = await user.getIdToken(); - const request = { - requestType: "VERIFY_AND_CHANGE_EMAIL" /* ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL */, - idToken, - newEmail - }; - if (actionCodeSettings) { - _setActionCodeSettingsOnRequest(userInternal.auth, request, actionCodeSettings); - } - const { email } = await verifyAndChangeEmail(userInternal.auth, request); - if (email !== user.email) { - // If the local copy of the email on user is outdated, reload the - // user. - await user.reload(); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function updateProfile$1(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v1/accounts:update" /* Endpoint.SET_ACCOUNT_INFO */, request); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Updates a user's profile data. - * - * @param user - The user. - * @param profile - The profile's `displayName` and `photoURL` to update. - * - * @public - */ - async function updateProfile(user, { displayName, photoURL: photoUrl }) { - if (displayName === undefined && photoUrl === undefined) { - return; - } - const userInternal = getModularInstance(user); - const idToken = await userInternal.getIdToken(); - const profileRequest = { - idToken, - displayName, - photoUrl, - returnSecureToken: true - }; - const response = await _logoutIfInvalidated(userInternal, updateProfile$1(userInternal.auth, profileRequest)); - userInternal.displayName = response.displayName || null; - userInternal.photoURL = response.photoUrl || null; - // Update the password provider as well - const passwordProvider = userInternal.providerData.find(({ providerId }) => providerId === "password" /* ProviderId.PASSWORD */); - if (passwordProvider) { - passwordProvider.displayName = userInternal.displayName; - passwordProvider.photoURL = userInternal.photoURL; - } - await userInternal._updateTokensIfNecessary(response); - } - /** - * Updates the user's email address. - * - * @remarks - * An email will be sent to the original email address (if it was set) that allows to revoke the - * email address change, in order to protect them from account hijacking. - * - * Important: this is a security sensitive operation that requires the user to have recently signed - * in. If this requirement isn't met, ask the user to authenticate again and then call - * {@link reauthenticateWithCredential}. - * - * @param user - The user. - * @param newEmail - The new email address. - * - * @public - */ - function updateEmail(user, newEmail) { - return updateEmailOrPassword(getModularInstance(user), newEmail, null); - } - /** - * Updates the user's password. - * - * @remarks - * Important: this is a security sensitive operation that requires the user to have recently signed - * in. If this requirement isn't met, ask the user to authenticate again and then call - * {@link reauthenticateWithCredential}. - * - * @param user - The user. - * @param newPassword - The new password. - * - * @public - */ - function updatePassword(user, newPassword) { - return updateEmailOrPassword(getModularInstance(user), null, newPassword); - } - async function updateEmailOrPassword(user, email, password) { - const { auth } = user; - const idToken = await user.getIdToken(); - const request = { - idToken, - returnSecureToken: true - }; - if (email) { - request.email = email; - } - if (password) { - request.password = password; - } - const response = await _logoutIfInvalidated(user, updateEmailPassword(auth, request)); - await user._updateTokensIfNecessary(response, /* reload */ true); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Parse the `AdditionalUserInfo` from the ID token response. - * - */ - function _fromIdTokenResponse(idTokenResponse) { - var _a, _b; - if (!idTokenResponse) { - return null; - } - const { providerId } = idTokenResponse; - const profile = idTokenResponse.rawUserInfo - ? JSON.parse(idTokenResponse.rawUserInfo) - : {}; - const isNewUser = idTokenResponse.isNewUser || - idTokenResponse.kind === "identitytoolkit#SignupNewUserResponse" /* IdTokenResponseKind.SignupNewUser */; - if (!providerId && (idTokenResponse === null || idTokenResponse === void 0 ? void 0 : idTokenResponse.idToken)) { - const signInProvider = (_b = (_a = _parseToken(idTokenResponse.idToken)) === null || _a === void 0 ? void 0 : _a.firebase) === null || _b === void 0 ? void 0 : _b['sign_in_provider']; - if (signInProvider) { - const filteredProviderId = signInProvider !== "anonymous" /* ProviderId.ANONYMOUS */ && - signInProvider !== "custom" /* ProviderId.CUSTOM */ - ? signInProvider - : null; - // Uses generic class in accordance with the legacy SDK. - return new GenericAdditionalUserInfo(isNewUser, filteredProviderId); - } - } - if (!providerId) { - return null; - } - switch (providerId) { - case "facebook.com" /* ProviderId.FACEBOOK */: - return new FacebookAdditionalUserInfo(isNewUser, profile); - case "github.com" /* ProviderId.GITHUB */: - return new GithubAdditionalUserInfo(isNewUser, profile); - case "google.com" /* ProviderId.GOOGLE */: - return new GoogleAdditionalUserInfo(isNewUser, profile); - case "twitter.com" /* ProviderId.TWITTER */: - return new TwitterAdditionalUserInfo(isNewUser, profile, idTokenResponse.screenName || null); - case "custom" /* ProviderId.CUSTOM */: - case "anonymous" /* ProviderId.ANONYMOUS */: - return new GenericAdditionalUserInfo(isNewUser, null); - default: - return new GenericAdditionalUserInfo(isNewUser, providerId, profile); - } - } - class GenericAdditionalUserInfo { - constructor(isNewUser, providerId, profile = {}) { - this.isNewUser = isNewUser; - this.providerId = providerId; - this.profile = profile; - } - } - class FederatedAdditionalUserInfoWithUsername extends GenericAdditionalUserInfo { - constructor(isNewUser, providerId, profile, username) { - super(isNewUser, providerId, profile); - this.username = username; - } - } - class FacebookAdditionalUserInfo extends GenericAdditionalUserInfo { - constructor(isNewUser, profile) { - super(isNewUser, "facebook.com" /* ProviderId.FACEBOOK */, profile); - } - } - class GithubAdditionalUserInfo extends FederatedAdditionalUserInfoWithUsername { - constructor(isNewUser, profile) { - super(isNewUser, "github.com" /* ProviderId.GITHUB */, profile, typeof (profile === null || profile === void 0 ? void 0 : profile.login) === 'string' ? profile === null || profile === void 0 ? void 0 : profile.login : null); - } - } - class GoogleAdditionalUserInfo extends GenericAdditionalUserInfo { - constructor(isNewUser, profile) { - super(isNewUser, "google.com" /* ProviderId.GOOGLE */, profile); - } - } - class TwitterAdditionalUserInfo extends FederatedAdditionalUserInfoWithUsername { - constructor(isNewUser, profile, screenName) { - super(isNewUser, "twitter.com" /* ProviderId.TWITTER */, profile, screenName); - } - } - /** - * Extracts provider specific {@link AdditionalUserInfo} for the given credential. - * - * @param userCredential - The user credential. - * - * @public - */ - function getAdditionalUserInfo(userCredential) { - const { user, _tokenResponse } = userCredential; - if (user.isAnonymous && !_tokenResponse) { - // Handle the special case where signInAnonymously() gets called twice. - // No network call is made so there's nothing to actually fill this in - return { - providerId: null, - isNewUser: false, - profile: null - }; - } - return _fromIdTokenResponse(_tokenResponse); - } - - class MultiFactorSessionImpl { - constructor(type, credential, auth) { - this.type = type; - this.credential = credential; - this.auth = auth; - } - static _fromIdtoken(idToken, auth) { - return new MultiFactorSessionImpl("enroll" /* MultiFactorSessionType.ENROLL */, idToken, auth); - } - static _fromMfaPendingCredential(mfaPendingCredential) { - return new MultiFactorSessionImpl("signin" /* MultiFactorSessionType.SIGN_IN */, mfaPendingCredential); - } - toJSON() { - const key = this.type === "enroll" /* MultiFactorSessionType.ENROLL */ - ? 'idToken' - : 'pendingCredential'; - return { - multiFactorSession: { - [key]: this.credential - } - }; - } - static fromJSON(obj) { - var _a, _b; - if (obj === null || obj === void 0 ? void 0 : obj.multiFactorSession) { - if ((_a = obj.multiFactorSession) === null || _a === void 0 ? void 0 : _a.pendingCredential) { - return MultiFactorSessionImpl._fromMfaPendingCredential(obj.multiFactorSession.pendingCredential); - } - else if ((_b = obj.multiFactorSession) === null || _b === void 0 ? void 0 : _b.idToken) { - return MultiFactorSessionImpl._fromIdtoken(obj.multiFactorSession.idToken); - } - } - return null; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class MultiFactorResolverImpl { - constructor(session, hints, signInResolver) { - this.session = session; - this.hints = hints; - this.signInResolver = signInResolver; - } - /** @internal */ - static _fromError(authExtern, error) { - const auth = _castAuth(authExtern); - const serverResponse = error.customData._serverResponse; - const hints = (serverResponse.mfaInfo || []).map(enrollment => MultiFactorInfoImpl._fromServerResponse(auth, enrollment)); - _assert$4(serverResponse.mfaPendingCredential, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const session = MultiFactorSessionImpl._fromMfaPendingCredential(serverResponse.mfaPendingCredential); - return new MultiFactorResolverImpl(session, hints, async (assertion) => { - const mfaResponse = await assertion._process(auth, session); - // Clear out the unneeded fields from the old login response - delete serverResponse.mfaInfo; - delete serverResponse.mfaPendingCredential; - // Use in the new token & refresh token in the old response - const idTokenResponse = Object.assign(Object.assign({}, serverResponse), { idToken: mfaResponse.idToken, refreshToken: mfaResponse.refreshToken }); - // TODO: we should collapse this switch statement into UserCredentialImpl._forOperation and have it support the SIGN_IN case - switch (error.operationType) { - case "signIn" /* OperationType.SIGN_IN */: - const userCredential = await UserCredentialImpl._fromIdTokenResponse(auth, error.operationType, idTokenResponse); - await auth._updateCurrentUser(userCredential.user); - return userCredential; - case "reauthenticate" /* OperationType.REAUTHENTICATE */: - _assert$4(error.user, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return UserCredentialImpl._forOperation(error.user, error.operationType, idTokenResponse); - default: - _fail(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - }); - } - async resolveSignIn(assertionExtern) { - const assertion = assertionExtern; - return this.signInResolver(assertion); - } - } - /** - * Provides a {@link MultiFactorResolver} suitable for completion of a - * multi-factor flow. - * - * @param auth - The {@link Auth} instance. - * @param error - The {@link MultiFactorError} raised during a sign-in, or - * reauthentication operation. - * - * @public - */ - function getMultiFactorResolver(auth, error) { - var _a; - const authModular = getModularInstance(auth); - const errorInternal = error; - _assert$4(error.customData.operationType, authModular, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - _assert$4((_a = errorInternal.customData._serverResponse) === null || _a === void 0 ? void 0 : _a.mfaPendingCredential, authModular, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - return MultiFactorResolverImpl._fromError(authModular, errorInternal); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function startEnrollPhoneMfa(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v2/accounts/mfaEnrollment:start" /* Endpoint.START_MFA_ENROLLMENT */, _addTidIfNecessary(auth, request)); - } - function finalizeEnrollPhoneMfa(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v2/accounts/mfaEnrollment:finalize" /* Endpoint.FINALIZE_MFA_ENROLLMENT */, _addTidIfNecessary(auth, request)); - } - function withdrawMfa(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v2/accounts/mfaEnrollment:withdraw" /* Endpoint.WITHDRAW_MFA */, _addTidIfNecessary(auth, request)); - } - - class MultiFactorUserImpl { - constructor(user) { - this.user = user; - this.enrolledFactors = []; - user._onReload(userInfo => { - if (userInfo.mfaInfo) { - this.enrolledFactors = userInfo.mfaInfo.map(enrollment => MultiFactorInfoImpl._fromServerResponse(user.auth, enrollment)); - } - }); - } - static _fromUser(user) { - return new MultiFactorUserImpl(user); - } - async getSession() { - return MultiFactorSessionImpl._fromIdtoken(await this.user.getIdToken(), this.user.auth); - } - async enroll(assertionExtern, displayName) { - const assertion = assertionExtern; - const session = (await this.getSession()); - const finalizeMfaResponse = await _logoutIfInvalidated(this.user, assertion._process(this.user.auth, session, displayName)); - // New tokens will be issued after enrollment of the new second factors. - // They need to be updated on the user. - await this.user._updateTokensIfNecessary(finalizeMfaResponse); - // The user needs to be reloaded to get the new multi-factor information - // from server. USER_RELOADED event will be triggered and `enrolledFactors` - // will be updated. - return this.user.reload(); - } - async unenroll(infoOrUid) { - const mfaEnrollmentId = typeof infoOrUid === 'string' ? infoOrUid : infoOrUid.uid; - const idToken = await this.user.getIdToken(); - try { - const idTokenResponse = await _logoutIfInvalidated(this.user, withdrawMfa(this.user.auth, { - idToken, - mfaEnrollmentId - })); - // Remove the second factor from the user's list. - this.enrolledFactors = this.enrolledFactors.filter(({ uid }) => uid !== mfaEnrollmentId); - // Depending on whether the backend decided to revoke the user's session, - // the tokenResponse may be empty. If the tokens were not updated (and they - // are now invalid), reloading the user will discover this and invalidate - // the user's state accordingly. - await this.user._updateTokensIfNecessary(idTokenResponse); - await this.user.reload(); - } - catch (e) { - throw e; - } - } - } - const multiFactorUserCache = new WeakMap(); - /** - * The {@link MultiFactorUser} corresponding to the user. - * - * @remarks - * This is used to access all multi-factor properties and operations related to the user. - * - * @param user - The user. - * - * @public - */ - function multiFactor(user) { - const userModular = getModularInstance(user); - if (!multiFactorUserCache.has(userModular)) { - multiFactorUserCache.set(userModular, MultiFactorUserImpl._fromUser(userModular)); - } - return multiFactorUserCache.get(userModular); - } - - const STORAGE_AVAILABLE_KEY = '__sak'; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // There are two different browser persistence types: local and session. - // Both have the same implementation but use a different underlying storage - // object. - class BrowserPersistenceClass { - constructor(storageRetriever, type) { - this.storageRetriever = storageRetriever; - this.type = type; - } - _isAvailable() { - try { - if (!this.storage) { - return Promise.resolve(false); - } - this.storage.setItem(STORAGE_AVAILABLE_KEY, '1'); - this.storage.removeItem(STORAGE_AVAILABLE_KEY); - return Promise.resolve(true); - } - catch (_a) { - return Promise.resolve(false); - } - } - _set(key, value) { - this.storage.setItem(key, JSON.stringify(value)); - return Promise.resolve(); - } - _get(key) { - const json = this.storage.getItem(key); - return Promise.resolve(json ? JSON.parse(json) : null); - } - _remove(key) { - this.storage.removeItem(key); - return Promise.resolve(); - } - get storage() { - return this.storageRetriever(); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _iframeCannotSyncWebStorage() { - const ua = getUA(); - return _isSafari(ua) || _isIOS(ua); - } - // The polling period in case events are not supported - const _POLLING_INTERVAL_MS$1 = 1000; - // The IE 10 localStorage cross tab synchronization delay in milliseconds - const IE10_LOCAL_STORAGE_SYNC_DELAY = 10; - class BrowserLocalPersistence extends BrowserPersistenceClass { - constructor() { - super(() => window.localStorage, "LOCAL" /* PersistenceType.LOCAL */); - this.boundEventHandler = (event, poll) => this.onStorageEvent(event, poll); - this.listeners = {}; - this.localCache = {}; - // setTimeout return value is platform specific - // eslint-disable-next-line @typescript-eslint/no-explicit-any - this.pollTimer = null; - // Safari or iOS browser and embedded in an iframe. - this.safariLocalStorageNotSynced = _iframeCannotSyncWebStorage() && _isIframe(); - // Whether to use polling instead of depending on window events - this.fallbackToPolling = _isMobileBrowser(); - this._shouldAllowMigration = true; - } - forAllChangedKeys(cb) { - // Check all keys with listeners on them. - for (const key of Object.keys(this.listeners)) { - // Get value from localStorage. - const newValue = this.storage.getItem(key); - const oldValue = this.localCache[key]; - // If local map value does not match, trigger listener with storage event. - // Differentiate this simulated event from the real storage event. - if (newValue !== oldValue) { - cb(key, oldValue, newValue); - } - } - } - onStorageEvent(event, poll = false) { - // Key would be null in some situations, like when localStorage is cleared - if (!event.key) { - this.forAllChangedKeys((key, _oldValue, newValue) => { - this.notifyListeners(key, newValue); - }); - return; - } - const key = event.key; - // Check the mechanism how this event was detected. - // The first event will dictate the mechanism to be used. - if (poll) { - // Environment detects storage changes via polling. - // Remove storage event listener to prevent possible event duplication. - this.detachListener(); - } - else { - // Environment detects storage changes via storage event listener. - // Remove polling listener to prevent possible event duplication. - this.stopPolling(); - } - // Safari embedded iframe. Storage event will trigger with the delta - // changes but no changes will be applied to the iframe localStorage. - if (this.safariLocalStorageNotSynced) { - // Get current iframe page value. - const storedValue = this.storage.getItem(key); - // Value not synchronized, synchronize manually. - if (event.newValue !== storedValue) { - if (event.newValue !== null) { - // Value changed from current value. - this.storage.setItem(key, event.newValue); - } - else { - // Current value deleted. - this.storage.removeItem(key); - } - } - else if (this.localCache[key] === event.newValue && !poll) { - // Already detected and processed, do not trigger listeners again. - return; - } - } - const triggerListeners = () => { - // Keep local map up to date in case storage event is triggered before - // poll. - const storedValue = this.storage.getItem(key); - if (!poll && this.localCache[key] === storedValue) { - // Real storage event which has already been detected, do nothing. - // This seems to trigger in some IE browsers for some reason. - return; - } - this.notifyListeners(key, storedValue); - }; - const storedValue = this.storage.getItem(key); - if (_isIE10() && - storedValue !== event.newValue && - event.newValue !== event.oldValue) { - // IE 10 has this weird bug where a storage event would trigger with the - // correct key, oldValue and newValue but localStorage.getItem(key) does - // not yield the updated value until a few milliseconds. This ensures - // this recovers from that situation. - setTimeout(triggerListeners, IE10_LOCAL_STORAGE_SYNC_DELAY); - } - else { - triggerListeners(); - } - } - notifyListeners(key, value) { - this.localCache[key] = value; - const listeners = this.listeners[key]; - if (listeners) { - for (const listener of Array.from(listeners)) { - listener(value ? JSON.parse(value) : value); - } - } - } - startPolling() { - this.stopPolling(); - this.pollTimer = setInterval(() => { - this.forAllChangedKeys((key, oldValue, newValue) => { - this.onStorageEvent(new StorageEvent('storage', { - key, - oldValue, - newValue - }), - /* poll */ true); - }); - }, _POLLING_INTERVAL_MS$1); - } - stopPolling() { - if (this.pollTimer) { - clearInterval(this.pollTimer); - this.pollTimer = null; - } - } - attachListener() { - window.addEventListener('storage', this.boundEventHandler); - } - detachListener() { - window.removeEventListener('storage', this.boundEventHandler); - } - _addListener(key, listener) { - if (Object.keys(this.listeners).length === 0) { - // Whether browser can detect storage event when it had already been pushed to the background. - // This may happen in some mobile browsers. A localStorage change in the foreground window - // will not be detected in the background window via the storage event. - // This was detected in iOS 7.x mobile browsers - if (this.fallbackToPolling) { - this.startPolling(); - } - else { - this.attachListener(); - } - } - if (!this.listeners[key]) { - this.listeners[key] = new Set(); - // Populate the cache to avoid spuriously triggering on first poll. - this.localCache[key] = this.storage.getItem(key); - } - this.listeners[key].add(listener); - } - _removeListener(key, listener) { - if (this.listeners[key]) { - this.listeners[key].delete(listener); - if (this.listeners[key].size === 0) { - delete this.listeners[key]; - } - } - if (Object.keys(this.listeners).length === 0) { - this.detachListener(); - this.stopPolling(); - } - } - // Update local cache on base operations: - async _set(key, value) { - await super._set(key, value); - this.localCache[key] = JSON.stringify(value); - } - async _get(key) { - const value = await super._get(key); - this.localCache[key] = JSON.stringify(value); - return value; - } - async _remove(key) { - await super._remove(key); - delete this.localCache[key]; - } - } - BrowserLocalPersistence.type = 'LOCAL'; - /** - * An implementation of {@link Persistence} of type `LOCAL` using `localStorage` - * for the underlying storage. - * - * @public - */ - const browserLocalPersistence = BrowserLocalPersistence; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class BrowserSessionPersistence extends BrowserPersistenceClass { - constructor() { - super(() => window.sessionStorage, "SESSION" /* PersistenceType.SESSION */); - } - _addListener(_key, _listener) { - // Listeners are not supported for session storage since it cannot be shared across windows - return; - } - _removeListener(_key, _listener) { - // Listeners are not supported for session storage since it cannot be shared across windows - return; - } - } - BrowserSessionPersistence.type = 'SESSION'; - /** - * An implementation of {@link Persistence} of `SESSION` using `sessionStorage` - * for the underlying storage. - * - * @public - */ - const browserSessionPersistence = BrowserSessionPersistence; - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Shim for Promise.allSettled, note the slightly different format of `fulfilled` vs `status`. - * - * @param promises - Array of promises to wait on. - */ - function _allSettled(promises) { - return Promise.all(promises.map(async (promise) => { - try { - const value = await promise; - return { - fulfilled: true, - value - }; - } - catch (reason) { - return { - fulfilled: false, - reason - }; - } - })); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Interface class for receiving messages. - * - */ - class Receiver { - constructor(eventTarget) { - this.eventTarget = eventTarget; - this.handlersMap = {}; - this.boundEventHandler = this.handleEvent.bind(this); - } - /** - * Obtain an instance of a Receiver for a given event target, if none exists it will be created. - * - * @param eventTarget - An event target (such as window or self) through which the underlying - * messages will be received. - */ - static _getInstance(eventTarget) { - // The results are stored in an array since objects can't be keys for other - // objects. In addition, setting a unique property on an event target as a - // hash map key may not be allowed due to CORS restrictions. - const existingInstance = this.receivers.find(receiver => receiver.isListeningto(eventTarget)); - if (existingInstance) { - return existingInstance; - } - const newInstance = new Receiver(eventTarget); - this.receivers.push(newInstance); - return newInstance; - } - isListeningto(eventTarget) { - return this.eventTarget === eventTarget; - } - /** - * Fans out a MessageEvent to the appropriate listeners. - * - * @remarks - * Sends an {@link Status.ACK} upon receipt and a {@link Status.DONE} once all handlers have - * finished processing. - * - * @param event - The MessageEvent. - * - */ - async handleEvent(event) { - const messageEvent = event; - const { eventId, eventType, data } = messageEvent.data; - const handlers = this.handlersMap[eventType]; - if (!(handlers === null || handlers === void 0 ? void 0 : handlers.size)) { - return; - } - messageEvent.ports[0].postMessage({ - status: "ack" /* _Status.ACK */, - eventId, - eventType - }); - const promises = Array.from(handlers).map(async (handler) => handler(messageEvent.origin, data)); - const response = await _allSettled(promises); - messageEvent.ports[0].postMessage({ - status: "done" /* _Status.DONE */, - eventId, - eventType, - response - }); - } - /** - * Subscribe an event handler for a particular event. - * - * @param eventType - Event name to subscribe to. - * @param eventHandler - The event handler which should receive the events. - * - */ - _subscribe(eventType, eventHandler) { - if (Object.keys(this.handlersMap).length === 0) { - this.eventTarget.addEventListener('message', this.boundEventHandler); - } - if (!this.handlersMap[eventType]) { - this.handlersMap[eventType] = new Set(); - } - this.handlersMap[eventType].add(eventHandler); - } - /** - * Unsubscribe an event handler from a particular event. - * - * @param eventType - Event name to unsubscribe from. - * @param eventHandler - Optinoal event handler, if none provided, unsubscribe all handlers on this event. - * - */ - _unsubscribe(eventType, eventHandler) { - if (this.handlersMap[eventType] && eventHandler) { - this.handlersMap[eventType].delete(eventHandler); - } - if (!eventHandler || this.handlersMap[eventType].size === 0) { - delete this.handlersMap[eventType]; - } - if (Object.keys(this.handlersMap).length === 0) { - this.eventTarget.removeEventListener('message', this.boundEventHandler); - } - } - } - Receiver.receivers = []; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _generateEventId(prefix = '', digits = 10) { - let random = ''; - for (let i = 0; i < digits; i++) { - random += Math.floor(Math.random() * 10); - } - return prefix + random; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Interface for sending messages and waiting for a completion response. - * - */ - class Sender { - constructor(target) { - this.target = target; - this.handlers = new Set(); - } - /** - * Unsubscribe the handler and remove it from our tracking Set. - * - * @param handler - The handler to unsubscribe. - */ - removeMessageHandler(handler) { - if (handler.messageChannel) { - handler.messageChannel.port1.removeEventListener('message', handler.onMessage); - handler.messageChannel.port1.close(); - } - this.handlers.delete(handler); - } - /** - * Send a message to the Receiver located at {@link target}. - * - * @remarks - * We'll first wait a bit for an ACK , if we get one we will wait significantly longer until the - * receiver has had a chance to fully process the event. - * - * @param eventType - Type of event to send. - * @param data - The payload of the event. - * @param timeout - Timeout for waiting on an ACK from the receiver. - * - * @returns An array of settled promises from all the handlers that were listening on the receiver. - */ - async _send(eventType, data, timeout = 50 /* _TimeoutDuration.ACK */) { - const messageChannel = typeof MessageChannel !== 'undefined' ? new MessageChannel() : null; - if (!messageChannel) { - throw new Error("connection_unavailable" /* _MessageError.CONNECTION_UNAVAILABLE */); - } - // Node timers and browser timers return fundamentally different types. - // We don't actually care what the value is but TS won't accept unknown and - // we can't cast properly in both environments. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - let completionTimer; - let handler; - return new Promise((resolve, reject) => { - const eventId = _generateEventId('', 20); - messageChannel.port1.start(); - const ackTimer = setTimeout(() => { - reject(new Error("unsupported_event" /* _MessageError.UNSUPPORTED_EVENT */)); - }, timeout); - handler = { - messageChannel, - onMessage(event) { - const messageEvent = event; - if (messageEvent.data.eventId !== eventId) { - return; - } - switch (messageEvent.data.status) { - case "ack" /* _Status.ACK */: - // The receiver should ACK first. - clearTimeout(ackTimer); - completionTimer = setTimeout(() => { - reject(new Error("timeout" /* _MessageError.TIMEOUT */)); - }, 3000 /* _TimeoutDuration.COMPLETION */); - break; - case "done" /* _Status.DONE */: - // Once the receiver's handlers are finished we will get the results. - clearTimeout(completionTimer); - resolve(messageEvent.data.response); - break; - default: - clearTimeout(ackTimer); - clearTimeout(completionTimer); - reject(new Error("invalid_response" /* _MessageError.INVALID_RESPONSE */)); - break; - } - } - }; - this.handlers.add(handler); - messageChannel.port1.addEventListener('message', handler.onMessage); - this.target.postMessage({ - eventType, - eventId, - data - }, [messageChannel.port2]); - }).finally(() => { - if (handler) { - this.removeMessageHandler(handler); - } - }); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Lazy accessor for window, since the compat layer won't tree shake this out, - * we need to make sure not to mess with window unless we have to - */ - function _window() { - return window; - } - function _setWindowLocation(url) { - _window().location.href = url; - } - - /** - * @license - * Copyright 2020 Google LLC. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _isWorker$1() { - return (typeof _window()['WorkerGlobalScope'] !== 'undefined' && - typeof _window()['importScripts'] === 'function'); - } - async function _getActiveServiceWorker() { - if (!(navigator === null || navigator === void 0 ? void 0 : navigator.serviceWorker)) { - return null; - } - try { - const registration = await navigator.serviceWorker.ready; - return registration.active; - } - catch (_a) { - return null; - } - } - function _getServiceWorkerController() { - var _a; - return ((_a = navigator === null || navigator === void 0 ? void 0 : navigator.serviceWorker) === null || _a === void 0 ? void 0 : _a.controller) || null; - } - function _getWorkerGlobalScope() { - return _isWorker$1() ? self : null; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DB_NAME = 'firebaseLocalStorageDb'; - const DB_VERSION = 1; - const DB_OBJECTSTORE_NAME = 'firebaseLocalStorage'; - const DB_DATA_KEYPATH = 'fbase_key'; - /** - * Promise wrapper for IDBRequest - * - * Unfortunately we can't cleanly extend Promise since promises are not callable in ES6 - * - */ - class DBPromise { - constructor(request) { - this.request = request; - } - toPromise() { - return new Promise((resolve, reject) => { - this.request.addEventListener('success', () => { - resolve(this.request.result); - }); - this.request.addEventListener('error', () => { - reject(this.request.error); - }); - }); - } - } - function getObjectStore(db, isReadWrite) { - return db - .transaction([DB_OBJECTSTORE_NAME], isReadWrite ? 'readwrite' : 'readonly') - .objectStore(DB_OBJECTSTORE_NAME); - } - function _deleteDatabase() { - const request = indexedDB.deleteDatabase(DB_NAME); - return new DBPromise(request).toPromise(); - } - function _openDatabase() { - const request = indexedDB.open(DB_NAME, DB_VERSION); - return new Promise((resolve, reject) => { - request.addEventListener('error', () => { - reject(request.error); - }); - request.addEventListener('upgradeneeded', () => { - const db = request.result; - try { - db.createObjectStore(DB_OBJECTSTORE_NAME, { keyPath: DB_DATA_KEYPATH }); - } - catch (e) { - reject(e); - } - }); - request.addEventListener('success', async () => { - const db = request.result; - // Strange bug that occurs in Firefox when multiple tabs are opened at the - // same time. The only way to recover seems to be deleting the database - // and re-initializing it. - // https://github.com/firebase/firebase-js-sdk/issues/634 - if (!db.objectStoreNames.contains(DB_OBJECTSTORE_NAME)) { - // Need to close the database or else you get a `blocked` event - db.close(); - await _deleteDatabase(); - resolve(await _openDatabase()); - } - else { - resolve(db); - } - }); - }); - } - async function _putObject(db, key, value) { - const request = getObjectStore(db, true).put({ - [DB_DATA_KEYPATH]: key, - value - }); - return new DBPromise(request).toPromise(); - } - async function getObject(db, key) { - const request = getObjectStore(db, false).get(key); - const data = await new DBPromise(request).toPromise(); - return data === undefined ? null : data.value; - } - function _deleteObject(db, key) { - const request = getObjectStore(db, true).delete(key); - return new DBPromise(request).toPromise(); - } - const _POLLING_INTERVAL_MS = 800; - const _TRANSACTION_RETRY_COUNT = 3; - class IndexedDBLocalPersistence { - constructor() { - this.type = "LOCAL" /* PersistenceType.LOCAL */; - this._shouldAllowMigration = true; - this.listeners = {}; - this.localCache = {}; - // setTimeout return value is platform specific - // eslint-disable-next-line @typescript-eslint/no-explicit-any - this.pollTimer = null; - this.pendingWrites = 0; - this.receiver = null; - this.sender = null; - this.serviceWorkerReceiverAvailable = false; - this.activeServiceWorker = null; - // Fire & forget the service worker registration as it may never resolve - this._workerInitializationPromise = - this.initializeServiceWorkerMessaging().then(() => { }, () => { }); - } - async _openDb() { - if (this.db) { - return this.db; - } - this.db = await _openDatabase(); - return this.db; - } - async _withRetries(op) { - let numAttempts = 0; - while (true) { - try { - const db = await this._openDb(); - return await op(db); - } - catch (e) { - if (numAttempts++ > _TRANSACTION_RETRY_COUNT) { - throw e; - } - if (this.db) { - this.db.close(); - this.db = undefined; - } - // TODO: consider adding exponential backoff - } - } - } - /** - * IndexedDB events do not propagate from the main window to the worker context. We rely on a - * postMessage interface to send these events to the worker ourselves. - */ - async initializeServiceWorkerMessaging() { - return _isWorker$1() ? this.initializeReceiver() : this.initializeSender(); - } - /** - * As the worker we should listen to events from the main window. - */ - async initializeReceiver() { - this.receiver = Receiver._getInstance(_getWorkerGlobalScope()); - // Refresh from persistence if we receive a KeyChanged message. - this.receiver._subscribe("keyChanged" /* _EventType.KEY_CHANGED */, async (_origin, data) => { - const keys = await this._poll(); - return { - keyProcessed: keys.includes(data.key) - }; - }); - // Let the sender know that we are listening so they give us more timeout. - this.receiver._subscribe("ping" /* _EventType.PING */, async (_origin, _data) => { - return ["keyChanged" /* _EventType.KEY_CHANGED */]; - }); - } - /** - * As the main window, we should let the worker know when keys change (set and remove). - * - * @remarks - * {@link https://developer.mozilla.org/en-US/docs/Web/API/ServiceWorkerContainer/ready | ServiceWorkerContainer.ready} - * may not resolve. - */ - async initializeSender() { - var _a, _b; - // Check to see if there's an active service worker. - this.activeServiceWorker = await _getActiveServiceWorker(); - if (!this.activeServiceWorker) { - return; - } - this.sender = new Sender(this.activeServiceWorker); - // Ping the service worker to check what events they can handle. - const results = await this.sender._send("ping" /* _EventType.PING */, {}, 800 /* _TimeoutDuration.LONG_ACK */); - if (!results) { - return; - } - if (((_a = results[0]) === null || _a === void 0 ? void 0 : _a.fulfilled) && - ((_b = results[0]) === null || _b === void 0 ? void 0 : _b.value.includes("keyChanged" /* _EventType.KEY_CHANGED */))) { - this.serviceWorkerReceiverAvailable = true; - } - } - /** - * Let the worker know about a changed key, the exact key doesn't technically matter since the - * worker will just trigger a full sync anyway. - * - * @remarks - * For now, we only support one service worker per page. - * - * @param key - Storage key which changed. - */ - async notifyServiceWorker(key) { - if (!this.sender || - !this.activeServiceWorker || - _getServiceWorkerController() !== this.activeServiceWorker) { - return; - } - try { - await this.sender._send("keyChanged" /* _EventType.KEY_CHANGED */, { key }, - // Use long timeout if receiver has previously responded to a ping from us. - this.serviceWorkerReceiverAvailable - ? 800 /* _TimeoutDuration.LONG_ACK */ - : 50 /* _TimeoutDuration.ACK */); - } - catch (_a) { - // This is a best effort approach. Ignore errors. - } - } - async _isAvailable() { - try { - if (!indexedDB) { - return false; - } - const db = await _openDatabase(); - await _putObject(db, STORAGE_AVAILABLE_KEY, '1'); - await _deleteObject(db, STORAGE_AVAILABLE_KEY); - return true; - } - catch (_a) { } - return false; - } - async _withPendingWrite(write) { - this.pendingWrites++; - try { - await write(); - } - finally { - this.pendingWrites--; - } - } - async _set(key, value) { - return this._withPendingWrite(async () => { - await this._withRetries((db) => _putObject(db, key, value)); - this.localCache[key] = value; - return this.notifyServiceWorker(key); - }); - } - async _get(key) { - const obj = (await this._withRetries((db) => getObject(db, key))); - this.localCache[key] = obj; - return obj; - } - async _remove(key) { - return this._withPendingWrite(async () => { - await this._withRetries((db) => _deleteObject(db, key)); - delete this.localCache[key]; - return this.notifyServiceWorker(key); - }); - } - async _poll() { - // TODO: check if we need to fallback if getAll is not supported - const result = await this._withRetries((db) => { - const getAllRequest = getObjectStore(db, false).getAll(); - return new DBPromise(getAllRequest).toPromise(); - }); - if (!result) { - return []; - } - // If we have pending writes in progress abort, we'll get picked up on the next poll - if (this.pendingWrites !== 0) { - return []; - } - const keys = []; - const keysInResult = new Set(); - for (const { fbase_key: key, value } of result) { - keysInResult.add(key); - if (JSON.stringify(this.localCache[key]) !== JSON.stringify(value)) { - this.notifyListeners(key, value); - keys.push(key); - } - } - for (const localKey of Object.keys(this.localCache)) { - if (this.localCache[localKey] && !keysInResult.has(localKey)) { - // Deleted - this.notifyListeners(localKey, null); - keys.push(localKey); - } - } - return keys; - } - notifyListeners(key, newValue) { - this.localCache[key] = newValue; - const listeners = this.listeners[key]; - if (listeners) { - for (const listener of Array.from(listeners)) { - listener(newValue); - } - } - } - startPolling() { - this.stopPolling(); - this.pollTimer = setInterval(async () => this._poll(), _POLLING_INTERVAL_MS); - } - stopPolling() { - if (this.pollTimer) { - clearInterval(this.pollTimer); - this.pollTimer = null; - } - } - _addListener(key, listener) { - if (Object.keys(this.listeners).length === 0) { - this.startPolling(); - } - if (!this.listeners[key]) { - this.listeners[key] = new Set(); - // Populate the cache to avoid spuriously triggering on first poll. - void this._get(key); // This can happen in the background async and we can return immediately. - } - this.listeners[key].add(listener); - } - _removeListener(key, listener) { - if (this.listeners[key]) { - this.listeners[key].delete(listener); - if (this.listeners[key].size === 0) { - delete this.listeners[key]; - } - } - if (Object.keys(this.listeners).length === 0) { - this.stopPolling(); - } - } - } - IndexedDBLocalPersistence.type = 'LOCAL'; - /** - * An implementation of {@link Persistence} of type `LOCAL` using `indexedDB` - * for the underlying storage. - * - * @public - */ - const indexedDBLocalPersistence = IndexedDBLocalPersistence; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function startSignInPhoneMfa(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v2/accounts/mfaSignIn:start" /* Endpoint.START_MFA_SIGN_IN */, _addTidIfNecessary(auth, request)); - } - function finalizeSignInPhoneMfa(auth, request) { - return _performApiRequest(auth, "POST" /* HttpMethod.POST */, "/v2/accounts/mfaSignIn:finalize" /* Endpoint.FINALIZE_MFA_SIGN_IN */, _addTidIfNecessary(auth, request)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const _SOLVE_TIME_MS = 500; - const _EXPIRATION_TIME_MS = 60000; - const _WIDGET_ID_START = 1000000000000; - class MockReCaptcha { - constructor(auth) { - this.auth = auth; - this.counter = _WIDGET_ID_START; - this._widgets = new Map(); - } - render(container, parameters) { - const id = this.counter; - this._widgets.set(id, new MockWidget(container, this.auth.name, parameters || {})); - this.counter++; - return id; - } - reset(optWidgetId) { - var _a; - const id = optWidgetId || _WIDGET_ID_START; - void ((_a = this._widgets.get(id)) === null || _a === void 0 ? void 0 : _a.delete()); - this._widgets.delete(id); - } - getResponse(optWidgetId) { - var _a; - const id = optWidgetId || _WIDGET_ID_START; - return ((_a = this._widgets.get(id)) === null || _a === void 0 ? void 0 : _a.getResponse()) || ''; - } - async execute(optWidgetId) { - var _a; - const id = optWidgetId || _WIDGET_ID_START; - void ((_a = this._widgets.get(id)) === null || _a === void 0 ? void 0 : _a.execute()); - return ''; - } - } - class MockWidget { - constructor(containerOrId, appName, params) { - this.params = params; - this.timerId = null; - this.deleted = false; - this.responseToken = null; - this.clickHandler = () => { - this.execute(); - }; - const container = typeof containerOrId === 'string' - ? document.getElementById(containerOrId) - : containerOrId; - _assert$4(container, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */, { appName }); - this.container = container; - this.isVisible = this.params.size !== 'invisible'; - if (this.isVisible) { - this.execute(); - } - else { - this.container.addEventListener('click', this.clickHandler); - } - } - getResponse() { - this.checkIfDeleted(); - return this.responseToken; - } - delete() { - this.checkIfDeleted(); - this.deleted = true; - if (this.timerId) { - clearTimeout(this.timerId); - this.timerId = null; - } - this.container.removeEventListener('click', this.clickHandler); - } - execute() { - this.checkIfDeleted(); - if (this.timerId) { - return; - } - this.timerId = window.setTimeout(() => { - this.responseToken = generateRandomAlphaNumericString(50); - const { callback, 'expired-callback': expiredCallback } = this.params; - if (callback) { - try { - callback(this.responseToken); - } - catch (e) { } - } - this.timerId = window.setTimeout(() => { - this.timerId = null; - this.responseToken = null; - if (expiredCallback) { - try { - expiredCallback(); - } - catch (e) { } - } - if (this.isVisible) { - this.execute(); - } - }, _EXPIRATION_TIME_MS); - }, _SOLVE_TIME_MS); - } - checkIfDeleted() { - if (this.deleted) { - throw new Error('reCAPTCHA mock was already deleted!'); - } - } - } - function generateRandomAlphaNumericString(len) { - const chars = []; - const allowedChars = '1234567890abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'; - for (let i = 0; i < len; i++) { - chars.push(allowedChars.charAt(Math.floor(Math.random() * allowedChars.length))); - } - return chars.join(''); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // ReCaptcha will load using the same callback, so the callback function needs - // to be kept around - const _JSLOAD_CALLBACK = _generateCallbackName('rcb'); - const NETWORK_TIMEOUT_DELAY = new Delay(30000, 60000); - const RECAPTCHA_BASE = 'https://www.google.com/recaptcha/api.js?'; - /** - * Loader for the GReCaptcha library. There should only ever be one of this. - */ - class ReCaptchaLoaderImpl { - constructor() { - var _a; - this.hostLanguage = ''; - this.counter = 0; - /** - * Check for `render()` method. `window.grecaptcha` will exist if the Enterprise - * version of the ReCAPTCHA script was loaded by someone else (e.g. App Check) but - * `window.grecaptcha.render()` will not. Another load will add it. - */ - this.librarySeparatelyLoaded = !!((_a = _window().grecaptcha) === null || _a === void 0 ? void 0 : _a.render); - } - load(auth, hl = '') { - _assert$4(isHostLanguageValid(hl), auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - if (this.shouldResolveImmediately(hl) && isV2(_window().grecaptcha)) { - return Promise.resolve(_window().grecaptcha); - } - return new Promise((resolve, reject) => { - const networkTimeout = _window().setTimeout(() => { - reject(_createError(auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */)); - }, NETWORK_TIMEOUT_DELAY.get()); - _window()[_JSLOAD_CALLBACK] = () => { - _window().clearTimeout(networkTimeout); - delete _window()[_JSLOAD_CALLBACK]; - const recaptcha = _window().grecaptcha; - if (!recaptcha || !isV2(recaptcha)) { - reject(_createError(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */)); - return; - } - // Wrap the greptcha render function so that we know if the developer has - // called it separately - const render = recaptcha.render; - recaptcha.render = (container, params) => { - const widgetId = render(container, params); - this.counter++; - return widgetId; - }; - this.hostLanguage = hl; - resolve(recaptcha); - }; - const url = `${RECAPTCHA_BASE}?${querystring({ - onload: _JSLOAD_CALLBACK, - render: 'explicit', - hl - })}`; - _loadJS(url).catch(() => { - clearTimeout(networkTimeout); - reject(_createError(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */)); - }); - }); - } - clearedOneInstance() { - this.counter--; - } - shouldResolveImmediately(hl) { - var _a; - // We can resolve immediately if: - // • grecaptcha is already defined AND ( - // 1. the requested language codes are the same OR - // 2. there exists already a ReCaptcha on the page - // 3. the library was already loaded by the app - // In cases (2) and (3), we _can't_ reload as it would break the recaptchas - // that are already in the page - return (!!((_a = _window().grecaptcha) === null || _a === void 0 ? void 0 : _a.render) && - (hl === this.hostLanguage || - this.counter > 0 || - this.librarySeparatelyLoaded)); - } - } - function isHostLanguageValid(hl) { - return hl.length <= 6 && /^\s*[a-zA-Z0-9\-]*\s*$/.test(hl); - } - class MockReCaptchaLoaderImpl { - async load(auth) { - return new MockReCaptcha(auth); - } - clearedOneInstance() { } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const RECAPTCHA_VERIFIER_TYPE = 'recaptcha'; - const DEFAULT_PARAMS = { - theme: 'light', - type: 'image' - }; - /** - * An {@link https://www.google.com/recaptcha/ | reCAPTCHA}-based application verifier. - * - * @public - */ - class RecaptchaVerifier$1 { - /** - * - * @param containerOrId - The reCAPTCHA container parameter. - * - * @remarks - * This has different meaning depending on whether the reCAPTCHA is hidden or visible. For a - * visible reCAPTCHA the container must be empty. If a string is used, it has to correspond to - * an element ID. The corresponding element must also must be in the DOM at the time of - * initialization. - * - * @param parameters - The optional reCAPTCHA parameters. - * - * @remarks - * Check the reCAPTCHA docs for a comprehensive list. All parameters are accepted except for - * the sitekey. Firebase Auth backend provisions a reCAPTCHA for each project and will - * configure this upon rendering. For an invisible reCAPTCHA, a size key must have the value - * 'invisible'. - * - * @param authExtern - The corresponding Firebase {@link Auth} instance. - */ - constructor(containerOrId, parameters = Object.assign({}, DEFAULT_PARAMS), authExtern) { - this.parameters = parameters; - /** - * The application verifier type. - * - * @remarks - * For a reCAPTCHA verifier, this is 'recaptcha'. - */ - this.type = RECAPTCHA_VERIFIER_TYPE; - this.destroyed = false; - this.widgetId = null; - this.tokenChangeListeners = new Set(); - this.renderPromise = null; - this.recaptcha = null; - this.auth = _castAuth(authExtern); - this.isInvisible = this.parameters.size === 'invisible'; - _assert$4(typeof document !== 'undefined', this.auth, "operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */); - const container = typeof containerOrId === 'string' - ? document.getElementById(containerOrId) - : containerOrId; - _assert$4(container, this.auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - this.container = container; - this.parameters.callback = this.makeTokenCallback(this.parameters.callback); - this._recaptchaLoader = this.auth.settings.appVerificationDisabledForTesting - ? new MockReCaptchaLoaderImpl() - : new ReCaptchaLoaderImpl(); - this.validateStartingState(); - // TODO: Figure out if sdk version is needed - } - /** - * Waits for the user to solve the reCAPTCHA and resolves with the reCAPTCHA token. - * - * @returns A Promise for the reCAPTCHA token. - */ - async verify() { - this.assertNotDestroyed(); - const id = await this.render(); - const recaptcha = this.getAssertedRecaptcha(); - const response = recaptcha.getResponse(id); - if (response) { - return response; - } - return new Promise(resolve => { - const tokenChange = (token) => { - if (!token) { - return; // Ignore token expirations. - } - this.tokenChangeListeners.delete(tokenChange); - resolve(token); - }; - this.tokenChangeListeners.add(tokenChange); - if (this.isInvisible) { - recaptcha.execute(id); - } - }); - } - /** - * Renders the reCAPTCHA widget on the page. - * - * @returns A Promise that resolves with the reCAPTCHA widget ID. - */ - render() { - try { - this.assertNotDestroyed(); - } - catch (e) { - // This method returns a promise. Since it's not async (we want to return the - // _same_ promise if rendering is still occurring), the API surface should - // reject with the error rather than just throw - return Promise.reject(e); - } - if (this.renderPromise) { - return this.renderPromise; - } - this.renderPromise = this.makeRenderPromise().catch(e => { - this.renderPromise = null; - throw e; - }); - return this.renderPromise; - } - /** @internal */ - _reset() { - this.assertNotDestroyed(); - if (this.widgetId !== null) { - this.getAssertedRecaptcha().reset(this.widgetId); - } - } - /** - * Clears the reCAPTCHA widget from the page and destroys the instance. - */ - clear() { - this.assertNotDestroyed(); - this.destroyed = true; - this._recaptchaLoader.clearedOneInstance(); - if (!this.isInvisible) { - this.container.childNodes.forEach(node => { - this.container.removeChild(node); - }); - } - } - validateStartingState() { - _assert$4(!this.parameters.sitekey, this.auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - _assert$4(this.isInvisible || !this.container.hasChildNodes(), this.auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - _assert$4(typeof document !== 'undefined', this.auth, "operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */); - } - makeTokenCallback(existing) { - return token => { - this.tokenChangeListeners.forEach(listener => listener(token)); - if (typeof existing === 'function') { - existing(token); - } - else if (typeof existing === 'string') { - const globalFunc = _window()[existing]; - if (typeof globalFunc === 'function') { - globalFunc(token); - } - } - }; - } - assertNotDestroyed() { - _assert$4(!this.destroyed, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - async makeRenderPromise() { - await this.init(); - if (!this.widgetId) { - let container = this.container; - if (!this.isInvisible) { - const guaranteedEmpty = document.createElement('div'); - container.appendChild(guaranteedEmpty); - container = guaranteedEmpty; - } - this.widgetId = this.getAssertedRecaptcha().render(container, this.parameters); - } - return this.widgetId; - } - async init() { - _assert$4(_isHttpOrHttps$1() && !_isWorker$1(), this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - await domReady(); - this.recaptcha = await this._recaptchaLoader.load(this.auth, this.auth.languageCode || undefined); - const siteKey = await getRecaptchaParams(this.auth); - _assert$4(siteKey, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - this.parameters.sitekey = siteKey; - } - getAssertedRecaptcha() { - _assert$4(this.recaptcha, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return this.recaptcha; - } - } - function domReady() { - let resolver = null; - return new Promise(resolve => { - if (document.readyState === 'complete') { - resolve(); - return; - } - // Document not ready, wait for load before resolving. - // Save resolver, so we can remove listener in case it was externally - // cancelled. - resolver = () => resolve(); - window.addEventListener('load', resolver); - }).catch(e => { - if (resolver) { - window.removeEventListener('load', resolver); - } - throw e; - }); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class ConfirmationResultImpl { - constructor(verificationId, onConfirmation) { - this.verificationId = verificationId; - this.onConfirmation = onConfirmation; - } - confirm(verificationCode) { - const authCredential = PhoneAuthCredential._fromVerification(this.verificationId, verificationCode); - return this.onConfirmation(authCredential); - } - } - /** - * Asynchronously signs in using a phone number. - * - * @remarks - * This method sends a code via SMS to the given - * phone number, and returns a {@link ConfirmationResult}. After the user - * provides the code sent to their phone, call {@link ConfirmationResult.confirm} - * with the code to sign the user in. - * - * For abuse prevention, this method also requires a {@link ApplicationVerifier}. - * This SDK includes a reCAPTCHA-based implementation, {@link RecaptchaVerifier}. - * This function can work on other platforms that do not support the - * {@link RecaptchaVerifier} (like React Native), but you need to use a - * third-party {@link ApplicationVerifier} implementation. - * - * @example - * ```javascript - * // 'recaptcha-container' is the ID of an element in the DOM. - * const applicationVerifier = new firebase.auth.RecaptchaVerifier('recaptcha-container'); - * const confirmationResult = await signInWithPhoneNumber(auth, phoneNumber, applicationVerifier); - * // Obtain a verificationCode from the user. - * const credential = await confirmationResult.confirm(verificationCode); - * ``` - * - * @param auth - The {@link Auth} instance. - * @param phoneNumber - The user's phone number in E.164 format (e.g. +16505550101). - * @param appVerifier - The {@link ApplicationVerifier}. - * - * @public - */ - async function signInWithPhoneNumber(auth, phoneNumber, appVerifier) { - const authInternal = _castAuth(auth); - const verificationId = await _verifyPhoneNumber(authInternal, phoneNumber, getModularInstance(appVerifier)); - return new ConfirmationResultImpl(verificationId, cred => signInWithCredential(authInternal, cred)); - } - /** - * Links the user account with the given phone number. - * - * @param user - The user. - * @param phoneNumber - The user's phone number in E.164 format (e.g. +16505550101). - * @param appVerifier - The {@link ApplicationVerifier}. - * - * @public - */ - async function linkWithPhoneNumber(user, phoneNumber, appVerifier) { - const userInternal = getModularInstance(user); - await _assertLinkedStatus(false, userInternal, "phone" /* ProviderId.PHONE */); - const verificationId = await _verifyPhoneNumber(userInternal.auth, phoneNumber, getModularInstance(appVerifier)); - return new ConfirmationResultImpl(verificationId, cred => linkWithCredential(userInternal, cred)); - } - /** - * Re-authenticates a user using a fresh phone credential. - * - * @remarks Use before operations such as {@link updatePassword} that require tokens from recent sign-in attempts. - * - * @param user - The user. - * @param phoneNumber - The user's phone number in E.164 format (e.g. +16505550101). - * @param appVerifier - The {@link ApplicationVerifier}. - * - * @public - */ - async function reauthenticateWithPhoneNumber(user, phoneNumber, appVerifier) { - const userInternal = getModularInstance(user); - const verificationId = await _verifyPhoneNumber(userInternal.auth, phoneNumber, getModularInstance(appVerifier)); - return new ConfirmationResultImpl(verificationId, cred => reauthenticateWithCredential(userInternal, cred)); - } - /** - * Returns a verification ID to be used in conjunction with the SMS code that is sent. - * - */ - async function _verifyPhoneNumber(auth, options, verifier) { - var _a; - const recaptchaToken = await verifier.verify(); - try { - _assert$4(typeof recaptchaToken === 'string', auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - _assert$4(verifier.type === RECAPTCHA_VERIFIER_TYPE, auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - let phoneInfoOptions; - if (typeof options === 'string') { - phoneInfoOptions = { - phoneNumber: options - }; - } - else { - phoneInfoOptions = options; - } - if ('session' in phoneInfoOptions) { - const session = phoneInfoOptions.session; - if ('phoneNumber' in phoneInfoOptions) { - _assert$4(session.type === "enroll" /* MultiFactorSessionType.ENROLL */, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const response = await startEnrollPhoneMfa(auth, { - idToken: session.credential, - phoneEnrollmentInfo: { - phoneNumber: phoneInfoOptions.phoneNumber, - recaptchaToken - } - }); - return response.phoneSessionInfo.sessionInfo; - } - else { - _assert$4(session.type === "signin" /* MultiFactorSessionType.SIGN_IN */, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - const mfaEnrollmentId = ((_a = phoneInfoOptions.multiFactorHint) === null || _a === void 0 ? void 0 : _a.uid) || - phoneInfoOptions.multiFactorUid; - _assert$4(mfaEnrollmentId, auth, "missing-multi-factor-info" /* AuthErrorCode.MISSING_MFA_INFO */); - const response = await startSignInPhoneMfa(auth, { - mfaPendingCredential: session.credential, - mfaEnrollmentId, - phoneSignInInfo: { - recaptchaToken - } - }); - return response.phoneResponseInfo.sessionInfo; - } - } - else { - const { sessionInfo } = await sendPhoneVerificationCode(auth, { - phoneNumber: phoneInfoOptions.phoneNumber, - recaptchaToken - }); - return sessionInfo; - } - } - finally { - verifier._reset(); - } - } - /** - * Updates the user's phone number. - * - * @example - * ``` - * // 'recaptcha-container' is the ID of an element in the DOM. - * const applicationVerifier = new RecaptchaVerifier('recaptcha-container'); - * const provider = new PhoneAuthProvider(auth); - * const verificationId = await provider.verifyPhoneNumber('+16505550101', applicationVerifier); - * // Obtain the verificationCode from the user. - * const phoneCredential = PhoneAuthProvider.credential(verificationId, verificationCode); - * await updatePhoneNumber(user, phoneCredential); - * ``` - * - * @param user - The user. - * @param credential - A credential authenticating the new phone number. - * - * @public - */ - async function updatePhoneNumber(user, credential) { - await _link$1(getModularInstance(user), credential); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provider for generating an {@link PhoneAuthCredential}. - * - * @example - * ```javascript - * // 'recaptcha-container' is the ID of an element in the DOM. - * const applicationVerifier = new RecaptchaVerifier('recaptcha-container'); - * const provider = new PhoneAuthProvider(auth); - * const verificationId = await provider.verifyPhoneNumber('+16505550101', applicationVerifier); - * // Obtain the verificationCode from the user. - * const phoneCredential = PhoneAuthProvider.credential(verificationId, verificationCode); - * const userCredential = await signInWithCredential(auth, phoneCredential); - * ``` - * - * @public - */ - class PhoneAuthProvider$1 { - /** - * @param auth - The Firebase {@link Auth} instance in which sign-ins should occur. - * - */ - constructor(auth) { - /** Always set to {@link ProviderId}.PHONE. */ - this.providerId = PhoneAuthProvider$1.PROVIDER_ID; - this.auth = _castAuth(auth); - } - /** - * - * Starts a phone number authentication flow by sending a verification code to the given phone - * number. - * - * @example - * ```javascript - * const provider = new PhoneAuthProvider(auth); - * const verificationId = await provider.verifyPhoneNumber(phoneNumber, applicationVerifier); - * // Obtain verificationCode from the user. - * const authCredential = PhoneAuthProvider.credential(verificationId, verificationCode); - * const userCredential = await signInWithCredential(auth, authCredential); - * ``` - * - * @example - * An alternative flow is provided using the `signInWithPhoneNumber` method. - * ```javascript - * const confirmationResult = signInWithPhoneNumber(auth, phoneNumber, applicationVerifier); - * // Obtain verificationCode from the user. - * const userCredential = confirmationResult.confirm(verificationCode); - * ``` - * - * @param phoneInfoOptions - The user's {@link PhoneInfoOptions}. The phone number should be in - * E.164 format (e.g. +16505550101). - * @param applicationVerifier - For abuse prevention, this method also requires a - * {@link ApplicationVerifier}. This SDK includes a reCAPTCHA-based implementation, - * {@link RecaptchaVerifier}. - * - * @returns A Promise for a verification ID that can be passed to - * {@link PhoneAuthProvider.credential} to identify this flow.. - */ - verifyPhoneNumber(phoneOptions, applicationVerifier) { - return _verifyPhoneNumber(this.auth, phoneOptions, getModularInstance(applicationVerifier)); - } - /** - * Creates a phone auth credential, given the verification ID from - * {@link PhoneAuthProvider.verifyPhoneNumber} and the code that was sent to the user's - * mobile device. - * - * @example - * ```javascript - * const provider = new PhoneAuthProvider(auth); - * const verificationId = provider.verifyPhoneNumber(phoneNumber, applicationVerifier); - * // Obtain verificationCode from the user. - * const authCredential = PhoneAuthProvider.credential(verificationId, verificationCode); - * const userCredential = signInWithCredential(auth, authCredential); - * ``` - * - * @example - * An alternative flow is provided using the `signInWithPhoneNumber` method. - * ```javascript - * const confirmationResult = await signInWithPhoneNumber(auth, phoneNumber, applicationVerifier); - * // Obtain verificationCode from the user. - * const userCredential = await confirmationResult.confirm(verificationCode); - * ``` - * - * @param verificationId - The verification ID returned from {@link PhoneAuthProvider.verifyPhoneNumber}. - * @param verificationCode - The verification code sent to the user's mobile device. - * - * @returns The auth provider credential. - */ - static credential(verificationId, verificationCode) { - return PhoneAuthCredential._fromVerification(verificationId, verificationCode); - } - /** - * Generates an {@link AuthCredential} from a {@link UserCredential}. - * @param userCredential - The user credential. - */ - static credentialFromResult(userCredential) { - const credential = userCredential; - return PhoneAuthProvider$1.credentialFromTaggedObject(credential); - } - /** - * Returns an {@link AuthCredential} when passed an error. - * - * @remarks - * - * This method works for errors like - * `auth/account-exists-with-different-credentials`. This is useful for - * recovering when attempting to set a user's phone number but the number - * in question is already tied to another account. For example, the following - * code tries to update the current user's phone number, and if that - * fails, links the user with the account associated with that number: - * - * ```js - * const provider = new PhoneAuthProvider(auth); - * const verificationId = await provider.verifyPhoneNumber(number, verifier); - * try { - * const code = ''; // Prompt the user for the verification code - * await updatePhoneNumber( - * auth.currentUser, - * PhoneAuthProvider.credential(verificationId, code)); - * } catch (e) { - * if ((e as FirebaseError)?.code === 'auth/account-exists-with-different-credential') { - * const cred = PhoneAuthProvider.credentialFromError(e); - * await linkWithCredential(auth.currentUser, cred); - * } - * } - * - * // At this point, auth.currentUser.phoneNumber === number. - * ``` - * - * @param error - The error to generate a credential from. - */ - static credentialFromError(error) { - return PhoneAuthProvider$1.credentialFromTaggedObject((error.customData || {})); - } - static credentialFromTaggedObject({ _tokenResponse: tokenResponse }) { - if (!tokenResponse) { - return null; - } - const { phoneNumber, temporaryProof } = tokenResponse; - if (phoneNumber && temporaryProof) { - return PhoneAuthCredential._fromTokenResponse(phoneNumber, temporaryProof); - } - return null; - } - } - /** Always set to {@link ProviderId}.PHONE. */ - PhoneAuthProvider$1.PROVIDER_ID = "phone" /* ProviderId.PHONE */; - /** Always set to {@link SignInMethod}.PHONE. */ - PhoneAuthProvider$1.PHONE_SIGN_IN_METHOD = "phone" /* SignInMethod.PHONE */; - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Chooses a popup/redirect resolver to use. This prefers the override (which - * is directly passed in), and falls back to the property set on the auth - * object. If neither are available, this function errors w/ an argument error. - */ - function _withDefaultResolver(auth, resolverOverride) { - if (resolverOverride) { - return _getInstance(resolverOverride); - } - _assert$4(auth._popupRedirectResolver, auth, "argument-error" /* AuthErrorCode.ARGUMENT_ERROR */); - return auth._popupRedirectResolver; - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class IdpCredential extends AuthCredential { - constructor(params) { - super("custom" /* ProviderId.CUSTOM */, "custom" /* ProviderId.CUSTOM */); - this.params = params; - } - _getIdTokenResponse(auth) { - return signInWithIdp(auth, this._buildIdpRequest()); - } - _linkToIdToken(auth, idToken) { - return signInWithIdp(auth, this._buildIdpRequest(idToken)); - } - _getReauthenticationResolver(auth) { - return signInWithIdp(auth, this._buildIdpRequest()); - } - _buildIdpRequest(idToken) { - const request = { - requestUri: this.params.requestUri, - sessionId: this.params.sessionId, - postBody: this.params.postBody, - tenantId: this.params.tenantId, - pendingToken: this.params.pendingToken, - returnSecureToken: true, - returnIdpCredential: true - }; - if (idToken) { - request.idToken = idToken; - } - return request; - } - } - function _signIn(params) { - return _signInWithCredential(params.auth, new IdpCredential(params), params.bypassAuthState); - } - function _reauth(params) { - const { auth, user } = params; - _assert$4(user, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return _reauthenticate(user, new IdpCredential(params), params.bypassAuthState); - } - async function _link(params) { - const { auth, user } = params; - _assert$4(user, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return _link$1(user, new IdpCredential(params), params.bypassAuthState); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Popup event manager. Handles the popup's entire lifecycle; listens to auth - * events - */ - class AbstractPopupRedirectOperation { - constructor(auth, filter, resolver, user, bypassAuthState = false) { - this.auth = auth; - this.resolver = resolver; - this.user = user; - this.bypassAuthState = bypassAuthState; - this.pendingPromise = null; - this.eventManager = null; - this.filter = Array.isArray(filter) ? filter : [filter]; - } - execute() { - return new Promise(async (resolve, reject) => { - this.pendingPromise = { resolve, reject }; - try { - this.eventManager = await this.resolver._initialize(this.auth); - await this.onExecution(); - this.eventManager.registerConsumer(this); - } - catch (e) { - this.reject(e); - } - }); - } - async onAuthEvent(event) { - const { urlResponse, sessionId, postBody, tenantId, error, type } = event; - if (error) { - this.reject(error); - return; - } - const params = { - auth: this.auth, - requestUri: urlResponse, - sessionId: sessionId, - tenantId: tenantId || undefined, - postBody: postBody || undefined, - user: this.user, - bypassAuthState: this.bypassAuthState - }; - try { - this.resolve(await this.getIdpTask(type)(params)); - } - catch (e) { - this.reject(e); - } - } - onError(error) { - this.reject(error); - } - getIdpTask(type) { - switch (type) { - case "signInViaPopup" /* AuthEventType.SIGN_IN_VIA_POPUP */: - case "signInViaRedirect" /* AuthEventType.SIGN_IN_VIA_REDIRECT */: - return _signIn; - case "linkViaPopup" /* AuthEventType.LINK_VIA_POPUP */: - case "linkViaRedirect" /* AuthEventType.LINK_VIA_REDIRECT */: - return _link; - case "reauthViaPopup" /* AuthEventType.REAUTH_VIA_POPUP */: - case "reauthViaRedirect" /* AuthEventType.REAUTH_VIA_REDIRECT */: - return _reauth; - default: - _fail(this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - } - } - resolve(cred) { - debugAssert(this.pendingPromise, 'Pending promise was never set'); - this.pendingPromise.resolve(cred); - this.unregisterAndCleanUp(); - } - reject(error) { - debugAssert(this.pendingPromise, 'Pending promise was never set'); - this.pendingPromise.reject(error); - this.unregisterAndCleanUp(); - } - unregisterAndCleanUp() { - if (this.eventManager) { - this.eventManager.unregisterConsumer(this); - } - this.pendingPromise = null; - this.cleanUp(); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const _POLL_WINDOW_CLOSE_TIMEOUT = new Delay(2000, 10000); - /** - * Authenticates a Firebase client using a popup-based OAuth authentication flow. - * - * @remarks - * If succeeds, returns the signed in user along with the provider's credential. If sign in was - * unsuccessful, returns an error object containing additional information about the error. - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new FacebookAuthProvider(); - * const result = await signInWithPopup(auth, provider); - * - * // The signed-in user info. - * const user = result.user; - * // This gives you a Facebook Access Token. - * const credential = provider.credentialFromResult(auth, result); - * const token = credential.accessToken; - * ``` - * - * @param auth - The {@link Auth} instance. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * - * @public - */ - async function signInWithPopup(auth, provider, resolver) { - const authInternal = _castAuth(auth); - _assertInstanceOf(auth, provider, FederatedAuthProvider); - const resolverInternal = _withDefaultResolver(authInternal, resolver); - const action = new PopupOperation(authInternal, "signInViaPopup" /* AuthEventType.SIGN_IN_VIA_POPUP */, provider, resolverInternal); - return action.executeNotNull(); - } - /** - * Reauthenticates the current user with the specified {@link OAuthProvider} using a pop-up based - * OAuth flow. - * - * @remarks - * If the reauthentication is successful, the returned result will contain the user and the - * provider's credential. - * - * @example - * ```javascript - * // Sign in using a popup. - * const provider = new FacebookAuthProvider(); - * const result = await signInWithPopup(auth, provider); - * // Reauthenticate using a popup. - * await reauthenticateWithPopup(result.user, provider); - * ``` - * - * @param user - The user. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * @public - */ - async function reauthenticateWithPopup(user, provider, resolver) { - const userInternal = getModularInstance(user); - _assertInstanceOf(userInternal.auth, provider, FederatedAuthProvider); - const resolverInternal = _withDefaultResolver(userInternal.auth, resolver); - const action = new PopupOperation(userInternal.auth, "reauthViaPopup" /* AuthEventType.REAUTH_VIA_POPUP */, provider, resolverInternal, userInternal); - return action.executeNotNull(); - } - /** - * Links the authenticated provider to the user account using a pop-up based OAuth flow. - * - * @remarks - * If the linking is successful, the returned result will contain the user and the provider's credential. - * - * - * @example - * ```javascript - * // Sign in using some other provider. - * const result = await signInWithEmailAndPassword(auth, email, password); - * // Link using a popup. - * const provider = new FacebookAuthProvider(); - * await linkWithPopup(result.user, provider); - * ``` - * - * @param user - The user. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * @public - */ - async function linkWithPopup(user, provider, resolver) { - const userInternal = getModularInstance(user); - _assertInstanceOf(userInternal.auth, provider, FederatedAuthProvider); - const resolverInternal = _withDefaultResolver(userInternal.auth, resolver); - const action = new PopupOperation(userInternal.auth, "linkViaPopup" /* AuthEventType.LINK_VIA_POPUP */, provider, resolverInternal, userInternal); - return action.executeNotNull(); - } - /** - * Popup event manager. Handles the popup's entire lifecycle; listens to auth - * events - * - */ - class PopupOperation extends AbstractPopupRedirectOperation { - constructor(auth, filter, provider, resolver, user) { - super(auth, filter, resolver, user); - this.provider = provider; - this.authWindow = null; - this.pollId = null; - if (PopupOperation.currentPopupAction) { - PopupOperation.currentPopupAction.cancel(); - } - PopupOperation.currentPopupAction = this; - } - async executeNotNull() { - const result = await this.execute(); - _assert$4(result, this.auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return result; - } - async onExecution() { - debugAssert(this.filter.length === 1, 'Popup operations only handle one event'); - const eventId = _generateEventId(); - this.authWindow = await this.resolver._openPopup(this.auth, this.provider, this.filter[0], // There's always one, see constructor - eventId); - this.authWindow.associatedEvent = eventId; - // Check for web storage support and origin validation _after_ the popup is - // loaded. These operations are slow (~1 second or so) Rather than - // waiting on them before opening the window, optimistically open the popup - // and check for storage support at the same time. If storage support is - // not available, this will cause the whole thing to reject properly. It - // will also close the popup, but since the promise has already rejected, - // the popup closed by user poll will reject into the void. - this.resolver._originValidation(this.auth).catch(e => { - this.reject(e); - }); - this.resolver._isIframeWebStorageSupported(this.auth, isSupported => { - if (!isSupported) { - this.reject(_createError(this.auth, "web-storage-unsupported" /* AuthErrorCode.WEB_STORAGE_UNSUPPORTED */)); - } - }); - // Handle user closure. Notice this does *not* use await - this.pollUserCancellation(); - } - get eventId() { - var _a; - return ((_a = this.authWindow) === null || _a === void 0 ? void 0 : _a.associatedEvent) || null; - } - cancel() { - this.reject(_createError(this.auth, "cancelled-popup-request" /* AuthErrorCode.EXPIRED_POPUP_REQUEST */)); - } - cleanUp() { - if (this.authWindow) { - this.authWindow.close(); - } - if (this.pollId) { - window.clearTimeout(this.pollId); - } - this.authWindow = null; - this.pollId = null; - PopupOperation.currentPopupAction = null; - } - pollUserCancellation() { - const poll = () => { - var _a, _b; - if ((_b = (_a = this.authWindow) === null || _a === void 0 ? void 0 : _a.window) === null || _b === void 0 ? void 0 : _b.closed) { - // Make sure that there is sufficient time for whatever action to - // complete. The window could have closed but the sign in network - // call could still be in flight. This is specifically true for - // Firefox or if the opener is in an iframe, in which case the oauth - // helper closes the popup. - this.pollId = window.setTimeout(() => { - this.pollId = null; - this.reject(_createError(this.auth, "popup-closed-by-user" /* AuthErrorCode.POPUP_CLOSED_BY_USER */)); - }, 8000 /* _Timeout.AUTH_EVENT */); - return; - } - this.pollId = window.setTimeout(poll, _POLL_WINDOW_CLOSE_TIMEOUT.get()); - }; - poll(); - } - } - // Only one popup is ever shown at once. The lifecycle of the current popup - // can be managed / cancelled by the constructor. - PopupOperation.currentPopupAction = null; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const PENDING_REDIRECT_KEY = 'pendingRedirect'; - // We only get one redirect outcome for any one auth, so just store it - // in here. - const redirectOutcomeMap = new Map(); - class RedirectAction extends AbstractPopupRedirectOperation { - constructor(auth, resolver, bypassAuthState = false) { - super(auth, [ - "signInViaRedirect" /* AuthEventType.SIGN_IN_VIA_REDIRECT */, - "linkViaRedirect" /* AuthEventType.LINK_VIA_REDIRECT */, - "reauthViaRedirect" /* AuthEventType.REAUTH_VIA_REDIRECT */, - "unknown" /* AuthEventType.UNKNOWN */ - ], resolver, undefined, bypassAuthState); - this.eventId = null; - } - /** - * Override the execute function; if we already have a redirect result, then - * just return it. - */ - async execute() { - let readyOutcome = redirectOutcomeMap.get(this.auth._key()); - if (!readyOutcome) { - try { - const hasPendingRedirect = await _getAndClearPendingRedirectStatus(this.resolver, this.auth); - const result = hasPendingRedirect ? await super.execute() : null; - readyOutcome = () => Promise.resolve(result); - } - catch (e) { - readyOutcome = () => Promise.reject(e); - } - redirectOutcomeMap.set(this.auth._key(), readyOutcome); - } - // If we're not bypassing auth state, the ready outcome should be set to - // null. - if (!this.bypassAuthState) { - redirectOutcomeMap.set(this.auth._key(), () => Promise.resolve(null)); - } - return readyOutcome(); - } - async onAuthEvent(event) { - if (event.type === "signInViaRedirect" /* AuthEventType.SIGN_IN_VIA_REDIRECT */) { - return super.onAuthEvent(event); - } - else if (event.type === "unknown" /* AuthEventType.UNKNOWN */) { - // This is a sentinel value indicating there's no pending redirect - this.resolve(null); - return; - } - if (event.eventId) { - const user = await this.auth._redirectUserForId(event.eventId); - if (user) { - this.user = user; - return super.onAuthEvent(event); - } - else { - this.resolve(null); - } - } - } - async onExecution() { } - cleanUp() { } - } - async function _getAndClearPendingRedirectStatus(resolver, auth) { - const key = pendingRedirectKey(auth); - const persistence = resolverPersistence(resolver); - if (!(await persistence._isAvailable())) { - return false; - } - const hasPendingRedirect = (await persistence._get(key)) === 'true'; - await persistence._remove(key); - return hasPendingRedirect; - } - async function _setPendingRedirectStatus(resolver, auth) { - return resolverPersistence(resolver)._set(pendingRedirectKey(auth), 'true'); - } - function _clearRedirectOutcomes() { - redirectOutcomeMap.clear(); - } - function _overrideRedirectResult(auth, result) { - redirectOutcomeMap.set(auth._key(), result); - } - function resolverPersistence(resolver) { - return _getInstance(resolver._redirectPersistence); - } - function pendingRedirectKey(auth) { - return _persistenceKeyName(PENDING_REDIRECT_KEY, auth.config.apiKey, auth.name); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Authenticates a Firebase client using a full-page redirect flow. - * - * @remarks - * To handle the results and errors for this operation, refer to {@link getRedirectResult}. - * Follow the {@link https://firebase.google.com/docs/auth/web/redirect-best-practices - * | best practices} when using {@link signInWithRedirect}. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new FacebookAuthProvider(); - * // You can add additional scopes to the provider: - * provider.addScope('user_birthday'); - * // Start a sign in process for an unauthenticated user. - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Facebook Access Token. - * const credential = provider.credentialFromResult(auth, result); - * const token = credential.accessToken; - * } - * // As this API can be used for sign-in, linking and reauthentication, - * // check the operationType to determine what triggered this redirect - * // operation. - * const operationType = result.operationType; - * ``` - * - * @param auth - The {@link Auth} instance. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * @public - */ - function signInWithRedirect(auth, provider, resolver) { - return _signInWithRedirect(auth, provider, resolver); - } - async function _signInWithRedirect(auth, provider, resolver) { - const authInternal = _castAuth(auth); - _assertInstanceOf(auth, provider, FederatedAuthProvider); - // Wait for auth initialization to complete, this will process pending redirects and clear the - // PENDING_REDIRECT_KEY in persistence. This should be completed before starting a new - // redirect and creating a PENDING_REDIRECT_KEY entry. - await authInternal._initializationPromise; - const resolverInternal = _withDefaultResolver(authInternal, resolver); - await _setPendingRedirectStatus(resolverInternal, authInternal); - return resolverInternal._openRedirect(authInternal, provider, "signInViaRedirect" /* AuthEventType.SIGN_IN_VIA_REDIRECT */); - } - /** - * Reauthenticates the current user with the specified {@link OAuthProvider} using a full-page redirect flow. - * @remarks - * To handle the results and errors for this operation, refer to {@link getRedirectResult}. - * Follow the {@link https://firebase.google.com/docs/auth/web/redirect-best-practices - * | best practices} when using {@link reauthenticateWithRedirect}. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new FacebookAuthProvider(); - * const result = await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * // Reauthenticate using a redirect. - * await reauthenticateWithRedirect(result.user, provider); - * // This will again trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * ``` - * - * @param user - The user. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * @public - */ - function reauthenticateWithRedirect(user, provider, resolver) { - return _reauthenticateWithRedirect(user, provider, resolver); - } - async function _reauthenticateWithRedirect(user, provider, resolver) { - const userInternal = getModularInstance(user); - _assertInstanceOf(userInternal.auth, provider, FederatedAuthProvider); - // Wait for auth initialization to complete, this will process pending redirects and clear the - // PENDING_REDIRECT_KEY in persistence. This should be completed before starting a new - // redirect and creating a PENDING_REDIRECT_KEY entry. - await userInternal.auth._initializationPromise; - // Allow the resolver to error before persisting the redirect user - const resolverInternal = _withDefaultResolver(userInternal.auth, resolver); - await _setPendingRedirectStatus(resolverInternal, userInternal.auth); - const eventId = await prepareUserForRedirect(userInternal); - return resolverInternal._openRedirect(userInternal.auth, provider, "reauthViaRedirect" /* AuthEventType.REAUTH_VIA_REDIRECT */, eventId); - } - /** - * Links the {@link OAuthProvider} to the user account using a full-page redirect flow. - * @remarks - * To handle the results and errors for this operation, refer to {@link getRedirectResult}. - * Follow the {@link https://firebase.google.com/docs/auth/web/redirect-best-practices - * | best practices} when using {@link linkWithRedirect}. - * - * @example - * ```javascript - * // Sign in using some other provider. - * const result = await signInWithEmailAndPassword(auth, email, password); - * // Link using a redirect. - * const provider = new FacebookAuthProvider(); - * await linkWithRedirect(result.user, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * ``` - * - * @param user - The user. - * @param provider - The provider to authenticate. The provider has to be an {@link OAuthProvider}. - * Non-OAuth providers like {@link EmailAuthProvider} will throw an error. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * - * @public - */ - function linkWithRedirect(user, provider, resolver) { - return _linkWithRedirect(user, provider, resolver); - } - async function _linkWithRedirect(user, provider, resolver) { - const userInternal = getModularInstance(user); - _assertInstanceOf(userInternal.auth, provider, FederatedAuthProvider); - // Wait for auth initialization to complete, this will process pending redirects and clear the - // PENDING_REDIRECT_KEY in persistence. This should be completed before starting a new - // redirect and creating a PENDING_REDIRECT_KEY entry. - await userInternal.auth._initializationPromise; - // Allow the resolver to error before persisting the redirect user - const resolverInternal = _withDefaultResolver(userInternal.auth, resolver); - await _assertLinkedStatus(false, userInternal, provider.providerId); - await _setPendingRedirectStatus(resolverInternal, userInternal.auth); - const eventId = await prepareUserForRedirect(userInternal); - return resolverInternal._openRedirect(userInternal.auth, provider, "linkViaRedirect" /* AuthEventType.LINK_VIA_REDIRECT */, eventId); - } - /** - * Returns a {@link UserCredential} from the redirect-based sign-in flow. - * - * @remarks - * If sign-in succeeded, returns the signed in user. If sign-in was unsuccessful, fails with an - * error. If no redirect operation was called, returns `null`. - * - * @example - * ```javascript - * // Sign in using a redirect. - * const provider = new FacebookAuthProvider(); - * // You can add additional scopes to the provider: - * provider.addScope('user_birthday'); - * // Start a sign in process for an unauthenticated user. - * await signInWithRedirect(auth, provider); - * // This will trigger a full page redirect away from your app - * - * // After returning from the redirect when your app initializes you can obtain the result - * const result = await getRedirectResult(auth); - * if (result) { - * // This is the signed-in user - * const user = result.user; - * // This gives you a Facebook Access Token. - * const credential = provider.credentialFromResult(auth, result); - * const token = credential.accessToken; - * } - * // As this API can be used for sign-in, linking and reauthentication, - * // check the operationType to determine what triggered this redirect - * // operation. - * const operationType = result.operationType; - * ``` - * - * @param auth - The {@link Auth} instance. - * @param resolver - An instance of {@link PopupRedirectResolver}, optional - * if already supplied to {@link initializeAuth} or provided by {@link getAuth}. - * - * @public - */ - async function getRedirectResult(auth, resolver) { - await _castAuth(auth)._initializationPromise; - return _getRedirectResult(auth, resolver, false); - } - async function _getRedirectResult(auth, resolverExtern, bypassAuthState = false) { - const authInternal = _castAuth(auth); - const resolver = _withDefaultResolver(authInternal, resolverExtern); - const action = new RedirectAction(authInternal, resolver, bypassAuthState); - const result = await action.execute(); - if (result && !bypassAuthState) { - delete result.user._redirectEventId; - await authInternal._persistUserIfCurrent(result.user); - await authInternal._setRedirectUser(null, resolverExtern); - } - return result; - } - async function prepareUserForRedirect(user) { - const eventId = _generateEventId(`${user.uid}:::`); - user._redirectEventId = eventId; - await user.auth._setRedirectUser(user); - await user.auth._persistUserIfCurrent(user); - return eventId; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // The amount of time to store the UIDs of seen events; this is - // set to 10 min by default - const EVENT_DUPLICATION_CACHE_DURATION_MS = 10 * 60 * 1000; - class AuthEventManager { - constructor(auth) { - this.auth = auth; - this.cachedEventUids = new Set(); - this.consumers = new Set(); - this.queuedRedirectEvent = null; - this.hasHandledPotentialRedirect = false; - this.lastProcessedEventTime = Date.now(); - } - registerConsumer(authEventConsumer) { - this.consumers.add(authEventConsumer); - if (this.queuedRedirectEvent && - this.isEventForConsumer(this.queuedRedirectEvent, authEventConsumer)) { - this.sendToConsumer(this.queuedRedirectEvent, authEventConsumer); - this.saveEventToCache(this.queuedRedirectEvent); - this.queuedRedirectEvent = null; - } - } - unregisterConsumer(authEventConsumer) { - this.consumers.delete(authEventConsumer); - } - onEvent(event) { - // Check if the event has already been handled - if (this.hasEventBeenHandled(event)) { - return false; - } - let handled = false; - this.consumers.forEach(consumer => { - if (this.isEventForConsumer(event, consumer)) { - handled = true; - this.sendToConsumer(event, consumer); - this.saveEventToCache(event); - } - }); - if (this.hasHandledPotentialRedirect || !isRedirectEvent(event)) { - // If we've already seen a redirect before, or this is a popup event, - // bail now - return handled; - } - this.hasHandledPotentialRedirect = true; - // If the redirect wasn't handled, hang on to it - if (!handled) { - this.queuedRedirectEvent = event; - handled = true; - } - return handled; - } - sendToConsumer(event, consumer) { - var _a; - if (event.error && !isNullRedirectEvent(event)) { - const code = ((_a = event.error.code) === null || _a === void 0 ? void 0 : _a.split('auth/')[1]) || - "internal-error" /* AuthErrorCode.INTERNAL_ERROR */; - consumer.onError(_createError(this.auth, code)); - } - else { - consumer.onAuthEvent(event); - } - } - isEventForConsumer(event, consumer) { - const eventIdMatches = consumer.eventId === null || - (!!event.eventId && event.eventId === consumer.eventId); - return consumer.filter.includes(event.type) && eventIdMatches; - } - hasEventBeenHandled(event) { - if (Date.now() - this.lastProcessedEventTime >= - EVENT_DUPLICATION_CACHE_DURATION_MS) { - this.cachedEventUids.clear(); - } - return this.cachedEventUids.has(eventUid(event)); - } - saveEventToCache(event) { - this.cachedEventUids.add(eventUid(event)); - this.lastProcessedEventTime = Date.now(); - } - } - function eventUid(e) { - return [e.type, e.eventId, e.sessionId, e.tenantId].filter(v => v).join('-'); - } - function isNullRedirectEvent({ type, error }) { - return (type === "unknown" /* AuthEventType.UNKNOWN */ && - (error === null || error === void 0 ? void 0 : error.code) === `auth/${"no-auth-event" /* AuthErrorCode.NO_AUTH_EVENT */}`); - } - function isRedirectEvent(event) { - switch (event.type) { - case "signInViaRedirect" /* AuthEventType.SIGN_IN_VIA_REDIRECT */: - case "linkViaRedirect" /* AuthEventType.LINK_VIA_REDIRECT */: - case "reauthViaRedirect" /* AuthEventType.REAUTH_VIA_REDIRECT */: - return true; - case "unknown" /* AuthEventType.UNKNOWN */: - return isNullRedirectEvent(event); - default: - return false; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - async function _getProjectConfig(auth, request = {}) { - return _performApiRequest(auth, "GET" /* HttpMethod.GET */, "/v1/projects" /* Endpoint.GET_PROJECT_CONFIG */, request); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const IP_ADDRESS_REGEX = /^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$/; - const HTTP_REGEX = /^https?/; - async function _validateOrigin$1(auth) { - // Skip origin validation if we are in an emulated environment - if (auth.config.emulator) { - return; - } - const { authorizedDomains } = await _getProjectConfig(auth); - for (const domain of authorizedDomains) { - try { - if (matchDomain(domain)) { - return; - } - } - catch (_a) { - // Do nothing if there's a URL error; just continue searching - } - } - // In the old SDK, this error also provides helpful messages. - _fail(auth, "unauthorized-domain" /* AuthErrorCode.INVALID_ORIGIN */); - } - function matchDomain(expected) { - const currentUrl = _getCurrentUrl(); - const { protocol, hostname } = new URL(currentUrl); - if (expected.startsWith('chrome-extension://')) { - const ceUrl = new URL(expected); - if (ceUrl.hostname === '' && hostname === '') { - // For some reason we're not parsing chrome URLs properly - return (protocol === 'chrome-extension:' && - expected.replace('chrome-extension://', '') === - currentUrl.replace('chrome-extension://', '')); - } - return protocol === 'chrome-extension:' && ceUrl.hostname === hostname; - } - if (!HTTP_REGEX.test(protocol)) { - return false; - } - if (IP_ADDRESS_REGEX.test(expected)) { - // The domain has to be exactly equal to the pattern, as an IP domain will - // only contain the IP, no extra character. - return hostname === expected; - } - // Dots in pattern should be escaped. - const escapedDomainPattern = expected.replace(/\./g, '\\.'); - // Non ip address domains. - // domain.com = *.domain.com OR domain.com - const re = new RegExp('^(.+\\.' + escapedDomainPattern + '|' + escapedDomainPattern + ')$', 'i'); - return re.test(hostname); - } - - /** - * @license - * Copyright 2020 Google LLC. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const NETWORK_TIMEOUT = new Delay(30000, 60000); - /** - * Reset unlaoded GApi modules. If gapi.load fails due to a network error, - * it will stop working after a retrial. This is a hack to fix this issue. - */ - function resetUnloadedGapiModules() { - // Clear last failed gapi.load state to force next gapi.load to first - // load the failed gapi.iframes module. - // Get gapix.beacon context. - const beacon = _window().___jsl; - // Get current hint. - if (beacon === null || beacon === void 0 ? void 0 : beacon.H) { - // Get gapi hint. - for (const hint of Object.keys(beacon.H)) { - // Requested modules. - beacon.H[hint].r = beacon.H[hint].r || []; - // Loaded modules. - beacon.H[hint].L = beacon.H[hint].L || []; - // Set requested modules to a copy of the loaded modules. - beacon.H[hint].r = [...beacon.H[hint].L]; - // Clear pending callbacks. - if (beacon.CP) { - for (let i = 0; i < beacon.CP.length; i++) { - // Remove all failed pending callbacks. - beacon.CP[i] = null; - } - } - } - } - } - function loadGapi(auth) { - return new Promise((resolve, reject) => { - var _a, _b, _c; - // Function to run when gapi.load is ready. - function loadGapiIframe() { - // The developer may have tried to previously run gapi.load and failed. - // Run this to fix that. - resetUnloadedGapiModules(); - gapi.load('gapi.iframes', { - callback: () => { - resolve(gapi.iframes.getContext()); - }, - ontimeout: () => { - // The above reset may be sufficient, but having this reset after - // failure ensures that if the developer calls gapi.load after the - // connection is re-established and before another attempt to embed - // the iframe, it would work and would not be broken because of our - // failed attempt. - // Timeout when gapi.iframes.Iframe not loaded. - resetUnloadedGapiModules(); - reject(_createError(auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */)); - }, - timeout: NETWORK_TIMEOUT.get() - }); - } - if ((_b = (_a = _window().gapi) === null || _a === void 0 ? void 0 : _a.iframes) === null || _b === void 0 ? void 0 : _b.Iframe) { - // If gapi.iframes.Iframe available, resolve. - resolve(gapi.iframes.getContext()); - } - else if (!!((_c = _window().gapi) === null || _c === void 0 ? void 0 : _c.load)) { - // Gapi loader ready, load gapi.iframes. - loadGapiIframe(); - } - else { - // Create a new iframe callback when this is called so as not to overwrite - // any previous defined callback. This happens if this method is called - // multiple times in parallel and could result in the later callback - // overwriting the previous one. This would end up with a iframe - // timeout. - const cbName = _generateCallbackName('iframefcb'); - // GApi loader not available, dynamically load platform.js. - _window()[cbName] = () => { - // GApi loader should be ready. - if (!!gapi.load) { - loadGapiIframe(); - } - else { - // Gapi loader failed, throw error. - reject(_createError(auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */)); - } - }; - // Load GApi loader. - return _loadJS(`https://apis.google.com/js/api.js?onload=${cbName}`) - .catch(e => reject(e)); - } - }).catch(error => { - // Reset cached promise to allow for retrial. - cachedGApiLoader = null; - throw error; - }); - } - let cachedGApiLoader = null; - function _loadGapi(auth) { - cachedGApiLoader = cachedGApiLoader || loadGapi(auth); - return cachedGApiLoader; - } - - /** - * @license - * Copyright 2020 Google LLC. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const PING_TIMEOUT = new Delay(5000, 15000); - const IFRAME_PATH = '__/auth/iframe'; - const EMULATED_IFRAME_PATH = 'emulator/auth/iframe'; - const IFRAME_ATTRIBUTES = { - style: { - position: 'absolute', - top: '-100px', - width: '1px', - height: '1px' - }, - 'aria-hidden': 'true', - tabindex: '-1' - }; - // Map from apiHost to endpoint ID for passing into iframe. In current SDK, apiHost can be set to - // anything (not from a list of endpoints with IDs as in legacy), so this is the closest we can get. - const EID_FROM_APIHOST = new Map([ - ["identitytoolkit.googleapis.com" /* DefaultConfig.API_HOST */, 'p'], - ['staging-identitytoolkit.sandbox.googleapis.com', 's'], - ['test-identitytoolkit.sandbox.googleapis.com', 't'] // test - ]); - function getIframeUrl(auth) { - const config = auth.config; - _assert$4(config.authDomain, auth, "auth-domain-config-required" /* AuthErrorCode.MISSING_AUTH_DOMAIN */); - const url = config.emulator - ? _emulatorUrl(config, EMULATED_IFRAME_PATH) - : `https://${auth.config.authDomain}/${IFRAME_PATH}`; - const params = { - apiKey: config.apiKey, - appName: auth.name, - v: SDK_VERSION$1 - }; - const eid = EID_FROM_APIHOST.get(auth.config.apiHost); - if (eid) { - params.eid = eid; - } - const frameworks = auth._getFrameworks(); - if (frameworks.length) { - params.fw = frameworks.join(','); - } - return `${url}?${querystring(params).slice(1)}`; - } - async function _openIframe(auth) { - const context = await _loadGapi(auth); - const gapi = _window().gapi; - _assert$4(gapi, auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - return context.open({ - where: document.body, - url: getIframeUrl(auth), - messageHandlersFilter: gapi.iframes.CROSS_ORIGIN_IFRAMES_FILTER, - attributes: IFRAME_ATTRIBUTES, - dontclear: true - }, (iframe) => new Promise(async (resolve, reject) => { - await iframe.restyle({ - // Prevent iframe from closing on mouse out. - setHideOnLeave: false - }); - const networkError = _createError(auth, "network-request-failed" /* AuthErrorCode.NETWORK_REQUEST_FAILED */); - // Confirm iframe is correctly loaded. - // To fallback on failure, set a timeout. - const networkErrorTimer = _window().setTimeout(() => { - reject(networkError); - }, PING_TIMEOUT.get()); - // Clear timer and resolve pending iframe ready promise. - function clearTimerAndResolve() { - _window().clearTimeout(networkErrorTimer); - resolve(iframe); - } - // This returns an IThenable. However the reject part does not call - // when the iframe is not loaded. - iframe.ping(clearTimerAndResolve).then(clearTimerAndResolve, () => { - reject(networkError); - }); - })); - } - - /** - * @license - * Copyright 2020 Google LLC. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const BASE_POPUP_OPTIONS = { - location: 'yes', - resizable: 'yes', - statusbar: 'yes', - toolbar: 'no' - }; - const DEFAULT_WIDTH = 500; - const DEFAULT_HEIGHT = 600; - const TARGET_BLANK = '_blank'; - const FIREFOX_EMPTY_URL = 'http://localhost'; - class AuthPopup { - constructor(window) { - this.window = window; - this.associatedEvent = null; - } - close() { - if (this.window) { - try { - this.window.close(); - } - catch (e) { } - } - } - } - function _open(auth, url, name, width = DEFAULT_WIDTH, height = DEFAULT_HEIGHT) { - const top = Math.max((window.screen.availHeight - height) / 2, 0).toString(); - const left = Math.max((window.screen.availWidth - width) / 2, 0).toString(); - let target = ''; - const options = Object.assign(Object.assign({}, BASE_POPUP_OPTIONS), { width: width.toString(), height: height.toString(), top, - left }); - // Chrome iOS 7 and 8 is returning an undefined popup win when target is - // specified, even though the popup is not necessarily blocked. - const ua = getUA().toLowerCase(); - if (name) { - target = _isChromeIOS(ua) ? TARGET_BLANK : name; - } - if (_isFirefox(ua)) { - // Firefox complains when invalid URLs are popped out. Hacky way to bypass. - url = url || FIREFOX_EMPTY_URL; - // Firefox disables by default scrolling on popup windows, which can create - // issues when the user has many Google accounts, for instance. - options.scrollbars = 'yes'; - } - const optionsString = Object.entries(options).reduce((accum, [key, value]) => `${accum}${key}=${value},`, ''); - if (_isIOSStandalone(ua) && target !== '_self') { - openAsNewWindowIOS(url || '', target); - return new AuthPopup(null); - } - // about:blank getting sanitized causing browsers like IE/Edge to display - // brief error message before redirecting to handler. - const newWin = window.open(url || '', target, optionsString); - _assert$4(newWin, auth, "popup-blocked" /* AuthErrorCode.POPUP_BLOCKED */); - // Flaky on IE edge, encapsulate with a try and catch. - try { - newWin.focus(); - } - catch (e) { } - return new AuthPopup(newWin); - } - function openAsNewWindowIOS(url, target) { - const el = document.createElement('a'); - el.href = url; - el.target = target; - const click = document.createEvent('MouseEvent'); - click.initMouseEvent('click', true, true, window, 1, 0, 0, 0, 0, false, false, false, false, 1, null); - el.dispatchEvent(click); - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * URL for Authentication widget which will initiate the OAuth handshake - * - * @internal - */ - const WIDGET_PATH = '__/auth/handler'; - /** - * URL for emulated environment - * - * @internal - */ - const EMULATOR_WIDGET_PATH = 'emulator/auth/handler'; - /** - * Fragment name for the App Check token that gets passed to the widget - * - * @internal - */ - const FIREBASE_APP_CHECK_FRAGMENT_ID = encodeURIComponent('fac'); - async function _getRedirectUrl(auth, provider, authType, redirectUrl, eventId, additionalParams) { - _assert$4(auth.config.authDomain, auth, "auth-domain-config-required" /* AuthErrorCode.MISSING_AUTH_DOMAIN */); - _assert$4(auth.config.apiKey, auth, "invalid-api-key" /* AuthErrorCode.INVALID_API_KEY */); - const params = { - apiKey: auth.config.apiKey, - appName: auth.name, - authType, - redirectUrl, - v: SDK_VERSION$1, - eventId - }; - if (provider instanceof FederatedAuthProvider) { - provider.setDefaultLanguage(auth.languageCode); - params.providerId = provider.providerId || ''; - if (!isEmpty(provider.getCustomParameters())) { - params.customParameters = JSON.stringify(provider.getCustomParameters()); - } - // TODO set additionalParams from the provider as well? - for (const [key, value] of Object.entries(additionalParams || {})) { - params[key] = value; - } - } - if (provider instanceof BaseOAuthProvider) { - const scopes = provider.getScopes().filter(scope => scope !== ''); - if (scopes.length > 0) { - params.scopes = scopes.join(','); - } - } - if (auth.tenantId) { - params.tid = auth.tenantId; - } - // TODO: maybe set eid as endipointId - // TODO: maybe set fw as Frameworks.join(",") - const paramsDict = params; - for (const key of Object.keys(paramsDict)) { - if (paramsDict[key] === undefined) { - delete paramsDict[key]; - } - } - // Sets the App Check token to pass to the widget - const appCheckToken = await auth._getAppCheckToken(); - const appCheckTokenFragment = appCheckToken - ? `#${FIREBASE_APP_CHECK_FRAGMENT_ID}=${encodeURIComponent(appCheckToken)}` - : ''; - // Start at index 1 to skip the leading '&' in the query string - return `${getHandlerBase(auth)}?${querystring(paramsDict).slice(1)}${appCheckTokenFragment}`; - } - function getHandlerBase({ config }) { - if (!config.emulator) { - return `https://${config.authDomain}/${WIDGET_PATH}`; - } - return _emulatorUrl(config, EMULATOR_WIDGET_PATH); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The special web storage event - * - */ - const WEB_STORAGE_SUPPORT_KEY = 'webStorageSupport'; - class BrowserPopupRedirectResolver { - constructor() { - this.eventManagers = {}; - this.iframes = {}; - this.originValidationPromises = {}; - this._redirectPersistence = browserSessionPersistence; - this._completeRedirectFn = _getRedirectResult; - this._overrideRedirectResult = _overrideRedirectResult; - } - // Wrapping in async even though we don't await anywhere in order - // to make sure errors are raised as promise rejections - async _openPopup(auth, provider, authType, eventId) { - var _a; - debugAssert((_a = this.eventManagers[auth._key()]) === null || _a === void 0 ? void 0 : _a.manager, '_initialize() not called before _openPopup()'); - const url = await _getRedirectUrl(auth, provider, authType, _getCurrentUrl(), eventId); - return _open(auth, url, _generateEventId()); - } - async _openRedirect(auth, provider, authType, eventId) { - await this._originValidation(auth); - const url = await _getRedirectUrl(auth, provider, authType, _getCurrentUrl(), eventId); - _setWindowLocation(url); - return new Promise(() => { }); - } - _initialize(auth) { - const key = auth._key(); - if (this.eventManagers[key]) { - const { manager, promise } = this.eventManagers[key]; - if (manager) { - return Promise.resolve(manager); - } - else { - debugAssert(promise, 'If manager is not set, promise should be'); - return promise; - } - } - const promise = this.initAndGetManager(auth); - this.eventManagers[key] = { promise }; - // If the promise is rejected, the key should be removed so that the - // operation can be retried later. - promise.catch(() => { - delete this.eventManagers[key]; - }); - return promise; - } - async initAndGetManager(auth) { - const iframe = await _openIframe(auth); - const manager = new AuthEventManager(auth); - iframe.register('authEvent', (iframeEvent) => { - _assert$4(iframeEvent === null || iframeEvent === void 0 ? void 0 : iframeEvent.authEvent, auth, "invalid-auth-event" /* AuthErrorCode.INVALID_AUTH_EVENT */); - // TODO: Consider splitting redirect and popup events earlier on - const handled = manager.onEvent(iframeEvent.authEvent); - return { status: handled ? "ACK" /* GapiOutcome.ACK */ : "ERROR" /* GapiOutcome.ERROR */ }; - }, gapi.iframes.CROSS_ORIGIN_IFRAMES_FILTER); - this.eventManagers[auth._key()] = { manager }; - this.iframes[auth._key()] = iframe; - return manager; - } - _isIframeWebStorageSupported(auth, cb) { - const iframe = this.iframes[auth._key()]; - iframe.send(WEB_STORAGE_SUPPORT_KEY, { type: WEB_STORAGE_SUPPORT_KEY }, result => { - var _a; - const isSupported = (_a = result === null || result === void 0 ? void 0 : result[0]) === null || _a === void 0 ? void 0 : _a[WEB_STORAGE_SUPPORT_KEY]; - if (isSupported !== undefined) { - cb(!!isSupported); - } - _fail(auth, "internal-error" /* AuthErrorCode.INTERNAL_ERROR */); - }, gapi.iframes.CROSS_ORIGIN_IFRAMES_FILTER); - } - _originValidation(auth) { - const key = auth._key(); - if (!this.originValidationPromises[key]) { - this.originValidationPromises[key] = _validateOrigin$1(auth); - } - return this.originValidationPromises[key]; - } - get _shouldInitProactively() { - // Mobile browsers and Safari need to optimistically initialize - return _isMobileBrowser() || _isSafari() || _isIOS(); - } - } - /** - * An implementation of {@link PopupRedirectResolver} suitable for browser - * based applications. - * - * @public - */ - const browserPopupRedirectResolver = BrowserPopupRedirectResolver; - - class MultiFactorAssertionImpl { - constructor(factorId) { - this.factorId = factorId; - } - _process(auth, session, displayName) { - switch (session.type) { - case "enroll" /* MultiFactorSessionType.ENROLL */: - return this._finalizeEnroll(auth, session.credential, displayName); - case "signin" /* MultiFactorSessionType.SIGN_IN */: - return this._finalizeSignIn(auth, session.credential); - default: - return debugFail('unexpected MultiFactorSessionType'); - } - } - } - - /** - * {@inheritdoc PhoneMultiFactorAssertion} - * - * @public - */ - class PhoneMultiFactorAssertionImpl extends MultiFactorAssertionImpl { - constructor(credential) { - super("phone" /* FactorId.PHONE */); - this.credential = credential; - } - /** @internal */ - static _fromCredential(credential) { - return new PhoneMultiFactorAssertionImpl(credential); - } - /** @internal */ - _finalizeEnroll(auth, idToken, displayName) { - return finalizeEnrollPhoneMfa(auth, { - idToken, - displayName, - phoneVerificationInfo: this.credential._makeVerificationRequest() - }); - } - /** @internal */ - _finalizeSignIn(auth, mfaPendingCredential) { - return finalizeSignInPhoneMfa(auth, { - mfaPendingCredential, - phoneVerificationInfo: this.credential._makeVerificationRequest() - }); - } - } - /** - * Provider for generating a {@link PhoneMultiFactorAssertion}. - * - * @public - */ - class PhoneMultiFactorGenerator { - constructor() { } - /** - * Provides a {@link PhoneMultiFactorAssertion} to confirm ownership of the phone second factor. - * - * @param phoneAuthCredential - A credential provided by {@link PhoneAuthProvider.credential}. - * @returns A {@link PhoneMultiFactorAssertion} which can be used with - * {@link MultiFactorResolver.resolveSignIn} - */ - static assertion(credential) { - return PhoneMultiFactorAssertionImpl._fromCredential(credential); - } - } - /** - * The identifier of the phone second factor: `phone`. - */ - PhoneMultiFactorGenerator.FACTOR_ID = 'phone'; - - var name$2 = "@firebase/auth"; - var version$2 = "0.23.2"; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class AuthInterop { - constructor(auth) { - this.auth = auth; - this.internalListeners = new Map(); - } - getUid() { - var _a; - this.assertAuthConfigured(); - return ((_a = this.auth.currentUser) === null || _a === void 0 ? void 0 : _a.uid) || null; - } - async getToken(forceRefresh) { - this.assertAuthConfigured(); - await this.auth._initializationPromise; - if (!this.auth.currentUser) { - return null; - } - const accessToken = await this.auth.currentUser.getIdToken(forceRefresh); - return { accessToken }; - } - addAuthTokenListener(listener) { - this.assertAuthConfigured(); - if (this.internalListeners.has(listener)) { - return; - } - const unsubscribe = this.auth.onIdTokenChanged(user => { - listener((user === null || user === void 0 ? void 0 : user.stsTokenManager.accessToken) || null); - }); - this.internalListeners.set(listener, unsubscribe); - this.updateProactiveRefresh(); - } - removeAuthTokenListener(listener) { - this.assertAuthConfigured(); - const unsubscribe = this.internalListeners.get(listener); - if (!unsubscribe) { - return; - } - this.internalListeners.delete(listener); - unsubscribe(); - this.updateProactiveRefresh(); - } - assertAuthConfigured() { - _assert$4(this.auth._initializationPromise, "dependent-sdk-initialized-before-auth" /* AuthErrorCode.DEPENDENT_SDK_INIT_BEFORE_AUTH */); - } - updateProactiveRefresh() { - if (this.internalListeners.size > 0) { - this.auth._startProactiveRefresh(); - } - else { - this.auth._stopProactiveRefresh(); - } - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function getVersionForPlatform(clientPlatform) { - switch (clientPlatform) { - case "Node" /* ClientPlatform.NODE */: - return 'node'; - case "ReactNative" /* ClientPlatform.REACT_NATIVE */: - return 'rn'; - case "Worker" /* ClientPlatform.WORKER */: - return 'webworker'; - case "Cordova" /* ClientPlatform.CORDOVA */: - return 'cordova'; - default: - return undefined; - } - } - /** @internal */ - function registerAuth(clientPlatform) { - _registerComponent(new Component("auth" /* _ComponentName.AUTH */, (container, { options: deps }) => { - const app = container.getProvider('app').getImmediate(); - const heartbeatServiceProvider = container.getProvider('heartbeat'); - const appCheckServiceProvider = container.getProvider('app-check-internal'); - const { apiKey, authDomain } = app.options; - _assert$4(apiKey && !apiKey.includes(':'), "invalid-api-key" /* AuthErrorCode.INVALID_API_KEY */, { appName: app.name }); - const config = { - apiKey, - authDomain, - clientPlatform, - apiHost: "identitytoolkit.googleapis.com" /* DefaultConfig.API_HOST */, - tokenApiHost: "securetoken.googleapis.com" /* DefaultConfig.TOKEN_API_HOST */, - apiScheme: "https" /* DefaultConfig.API_SCHEME */, - sdkClientVersion: _getClientVersion(clientPlatform) - }; - const authInstance = new AuthImpl(app, heartbeatServiceProvider, appCheckServiceProvider, config); - _initializeAuthInstance(authInstance, deps); - return authInstance; - }, "PUBLIC" /* ComponentType.PUBLIC */) - /** - * Auth can only be initialized by explicitly calling getAuth() or initializeAuth() - * For why we do this, See go/firebase-next-auth-init - */ - .setInstantiationMode("EXPLICIT" /* InstantiationMode.EXPLICIT */) - /** - * Because all firebase products that depend on auth depend on auth-internal directly, - * we need to initialize auth-internal after auth is initialized to make it available to other firebase products. - */ - .setInstanceCreatedCallback((container, _instanceIdentifier, _instance) => { - const authInternalProvider = container.getProvider("auth-internal" /* _ComponentName.AUTH_INTERNAL */); - authInternalProvider.initialize(); - })); - _registerComponent(new Component("auth-internal" /* _ComponentName.AUTH_INTERNAL */, container => { - const auth = _castAuth(container.getProvider("auth" /* _ComponentName.AUTH */).getImmediate()); - return (auth => new AuthInterop(auth))(auth); - }, "PRIVATE" /* ComponentType.PRIVATE */).setInstantiationMode("EXPLICIT" /* InstantiationMode.EXPLICIT */)); - registerVersion(name$2, version$2, getVersionForPlatform(clientPlatform)); - // BUILD_TARGET will be replaced by values like esm5, esm2017, cjs5, etc during the compilation - registerVersion(name$2, version$2, 'esm2017'); - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const DEFAULT_ID_TOKEN_MAX_AGE = 5 * 60; - getExperimentalSetting('authIdTokenMaxAge') || DEFAULT_ID_TOKEN_MAX_AGE; - registerAuth("Browser" /* ClientPlatform.BROWSER */); - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function _cordovaWindow() { - return window; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * How long to wait after the app comes back into focus before concluding that - * the user closed the sign in tab. - */ - const REDIRECT_TIMEOUT_MS = 2000; - /** - * Generates the URL for the OAuth handler. - */ - async function _generateHandlerUrl(auth, event, provider) { - var _a; - // Get the cordova plugins - const { BuildInfo } = _cordovaWindow(); - debugAssert(event.sessionId, 'AuthEvent did not contain a session ID'); - const sessionDigest = await computeSha256(event.sessionId); - const additionalParams = {}; - if (_isIOS()) { - // iOS app identifier - additionalParams['ibi'] = BuildInfo.packageName; - } - else if (_isAndroid()) { - // Android app identifier - additionalParams['apn'] = BuildInfo.packageName; - } - else { - _fail(auth, "operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */); - } - // Add the display name if available - if (BuildInfo.displayName) { - additionalParams['appDisplayName'] = BuildInfo.displayName; - } - // Attached the hashed session ID - additionalParams['sessionId'] = sessionDigest; - return _getRedirectUrl(auth, provider, event.type, undefined, (_a = event.eventId) !== null && _a !== void 0 ? _a : undefined, additionalParams); - } - /** - * Validates that this app is valid for this project configuration - */ - async function _validateOrigin(auth) { - const { BuildInfo } = _cordovaWindow(); - const request = {}; - if (_isIOS()) { - request.iosBundleId = BuildInfo.packageName; - } - else if (_isAndroid()) { - request.androidPackageName = BuildInfo.packageName; - } - else { - _fail(auth, "operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */); - } - // Will fail automatically if package name is not authorized - await _getProjectConfig(auth, request); - } - function _performRedirect(handlerUrl) { - // Get the cordova plugins - const { cordova } = _cordovaWindow(); - return new Promise(resolve => { - cordova.plugins.browsertab.isAvailable(browserTabIsAvailable => { - let iabRef = null; - if (browserTabIsAvailable) { - cordova.plugins.browsertab.openUrl(handlerUrl); - } - else { - // TODO: Return the inappbrowser ref that's returned from the open call - iabRef = cordova.InAppBrowser.open(handlerUrl, _isIOS7Or8() ? '_blank' : '_system', 'location=yes'); - } - resolve(iabRef); - }); - }); - } - /** - * This function waits for app activity to be seen before resolving. It does - * this by attaching listeners to various dom events. Once the app is determined - * to be visible, this promise resolves. AFTER that resolution, the listeners - * are detached and any browser tabs left open will be closed. - */ - async function _waitForAppResume(auth, eventListener, iabRef) { - // Get the cordova plugins - const { cordova } = _cordovaWindow(); - let cleanup = () => { }; - try { - await new Promise((resolve, reject) => { - let onCloseTimer = null; - // DEFINE ALL THE CALLBACKS ===== - function authEventSeen() { - var _a; - // Auth event was detected. Resolve this promise and close the extra - // window if it's still open. - resolve(); - const closeBrowserTab = (_a = cordova.plugins.browsertab) === null || _a === void 0 ? void 0 : _a.close; - if (typeof closeBrowserTab === 'function') { - closeBrowserTab(); - } - // Close inappbrowser emebedded webview in iOS7 and 8 case if still - // open. - if (typeof (iabRef === null || iabRef === void 0 ? void 0 : iabRef.close) === 'function') { - iabRef.close(); - } - } - function resumed() { - if (onCloseTimer) { - // This code already ran; do not rerun. - return; - } - onCloseTimer = window.setTimeout(() => { - // Wait two seeconds after resume then reject. - reject(_createError(auth, "redirect-cancelled-by-user" /* AuthErrorCode.REDIRECT_CANCELLED_BY_USER */)); - }, REDIRECT_TIMEOUT_MS); - } - function visibilityChanged() { - if ((document === null || document === void 0 ? void 0 : document.visibilityState) === 'visible') { - resumed(); - } - } - // ATTACH ALL THE LISTENERS ===== - // Listen for the auth event - eventListener.addPassiveListener(authEventSeen); - // Listen for resume and visibility events - document.addEventListener('resume', resumed, false); - if (_isAndroid()) { - document.addEventListener('visibilitychange', visibilityChanged, false); - } - // SETUP THE CLEANUP FUNCTION ===== - cleanup = () => { - eventListener.removePassiveListener(authEventSeen); - document.removeEventListener('resume', resumed, false); - document.removeEventListener('visibilitychange', visibilityChanged, false); - if (onCloseTimer) { - window.clearTimeout(onCloseTimer); - } - }; - }); - } - finally { - cleanup(); - } - } - /** - * Checks the configuration of the Cordova environment. This has no side effect - * if the configuration is correct; otherwise it throws an error with the - * missing plugin. - */ - function _checkCordovaConfiguration(auth) { - var _a, _b, _c, _d, _e, _f, _g, _h, _j, _k; - const win = _cordovaWindow(); - // Check all dependencies installed. - // https://github.com/nordnet/cordova-universal-links-plugin - // Note that cordova-universal-links-plugin has been abandoned. - // A fork with latest fixes is available at: - // https://www.npmjs.com/package/cordova-universal-links-plugin-fix - _assert$4(typeof ((_a = win === null || win === void 0 ? void 0 : win.universalLinks) === null || _a === void 0 ? void 0 : _a.subscribe) === 'function', auth, "invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */, { - missingPlugin: 'cordova-universal-links-plugin-fix' - }); - // https://www.npmjs.com/package/cordova-plugin-buildinfo - _assert$4(typeof ((_b = win === null || win === void 0 ? void 0 : win.BuildInfo) === null || _b === void 0 ? void 0 : _b.packageName) !== 'undefined', auth, "invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */, { - missingPlugin: 'cordova-plugin-buildInfo' - }); - // https://github.com/google/cordova-plugin-browsertab - _assert$4(typeof ((_e = (_d = (_c = win === null || win === void 0 ? void 0 : win.cordova) === null || _c === void 0 ? void 0 : _c.plugins) === null || _d === void 0 ? void 0 : _d.browsertab) === null || _e === void 0 ? void 0 : _e.openUrl) === 'function', auth, "invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */, { - missingPlugin: 'cordova-plugin-browsertab' - }); - _assert$4(typeof ((_h = (_g = (_f = win === null || win === void 0 ? void 0 : win.cordova) === null || _f === void 0 ? void 0 : _f.plugins) === null || _g === void 0 ? void 0 : _g.browsertab) === null || _h === void 0 ? void 0 : _h.isAvailable) === 'function', auth, "invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */, { - missingPlugin: 'cordova-plugin-browsertab' - }); - // https://cordova.apache.org/docs/en/latest/reference/cordova-plugin-inappbrowser/ - _assert$4(typeof ((_k = (_j = win === null || win === void 0 ? void 0 : win.cordova) === null || _j === void 0 ? void 0 : _j.InAppBrowser) === null || _k === void 0 ? void 0 : _k.open) === 'function', auth, "invalid-cordova-configuration" /* AuthErrorCode.INVALID_CORDOVA_CONFIGURATION */, { - missingPlugin: 'cordova-plugin-inappbrowser' - }); - } - /** - * Computes the SHA-256 of a session ID. The SubtleCrypto interface is only - * available in "secure" contexts, which covers Cordova (which is served on a file - * protocol). - */ - async function computeSha256(sessionId) { - const bytes = stringToArrayBuffer(sessionId); - // TODO: For IE11 crypto has a different name and this operation comes back - // as an object, not a promise. This is the old proposed standard that - // is used by IE11: - // https://www.w3.org/TR/2013/WD-WebCryptoAPI-20130108/#cryptooperation-interface - const buf = await crypto.subtle.digest('SHA-256', bytes); - const arr = Array.from(new Uint8Array(buf)); - return arr.map(num => num.toString(16).padStart(2, '0')).join(''); - } - function stringToArrayBuffer(str) { - // This function is only meant to deal with an ASCII charset and makes - // certain simplifying assumptions. - debugAssert(/[0-9a-zA-Z]+/.test(str), 'Can only convert alpha-numeric strings'); - if (typeof TextEncoder !== 'undefined') { - return new TextEncoder().encode(str); - } - const buff = new ArrayBuffer(str.length); - const view = new Uint8Array(buff); - for (let i = 0; i < str.length; i++) { - view[i] = str.charCodeAt(i); - } - return view; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const SESSION_ID_LENGTH = 20; - /** Custom AuthEventManager that adds passive listeners to events */ - class CordovaAuthEventManager extends AuthEventManager { - constructor() { - super(...arguments); - this.passiveListeners = new Set(); - this.initPromise = new Promise(resolve => { - this.resolveInialized = resolve; - }); - } - addPassiveListener(cb) { - this.passiveListeners.add(cb); - } - removePassiveListener(cb) { - this.passiveListeners.delete(cb); - } - // In a Cordova environment, this manager can live through multiple redirect - // operations - resetRedirect() { - this.queuedRedirectEvent = null; - this.hasHandledPotentialRedirect = false; - } - /** Override the onEvent method */ - onEvent(event) { - this.resolveInialized(); - this.passiveListeners.forEach(cb => cb(event)); - return super.onEvent(event); - } - async initialized() { - await this.initPromise; - } - } - /** - * Generates a (partial) {@link AuthEvent}. - */ - function _generateNewEvent(auth, type, eventId = null) { - return { - type, - eventId, - urlResponse: null, - sessionId: generateSessionId(), - postBody: null, - tenantId: auth.tenantId, - error: _createError(auth, "no-auth-event" /* AuthErrorCode.NO_AUTH_EVENT */) - }; - } - function _savePartialEvent(auth, event) { - return storage()._set(persistenceKey(auth), event); - } - async function _getAndRemoveEvent(auth) { - const event = (await storage()._get(persistenceKey(auth))); - if (event) { - await storage()._remove(persistenceKey(auth)); - } - return event; - } - function _eventFromPartialAndUrl(partialEvent, url) { - var _a, _b; - // Parse the deep link within the dynamic link URL. - const callbackUrl = _getDeepLinkFromCallback(url); - // Confirm it is actually a callback URL. - // Currently the universal link will be of this format: - // https:///__/auth/callback - // This is a fake URL but is not intended to take the user anywhere - // and just redirect to the app. - if (callbackUrl.includes('/__/auth/callback')) { - // Check if there is an error in the URL. - // This mechanism is also used to pass errors back to the app: - // https:///__/auth/callback?firebaseError= - const params = searchParamsOrEmpty(callbackUrl); - // Get the error object corresponding to the stringified error if found. - const errorObject = params['firebaseError'] - ? parseJsonOrNull(decodeURIComponent(params['firebaseError'])) - : null; - const code = (_b = (_a = errorObject === null || errorObject === void 0 ? void 0 : errorObject['code']) === null || _a === void 0 ? void 0 : _a.split('auth/')) === null || _b === void 0 ? void 0 : _b[1]; - const error = code ? _createError(code) : null; - if (error) { - return { - type: partialEvent.type, - eventId: partialEvent.eventId, - tenantId: partialEvent.tenantId, - error, - urlResponse: null, - sessionId: null, - postBody: null - }; - } - else { - return { - type: partialEvent.type, - eventId: partialEvent.eventId, - tenantId: partialEvent.tenantId, - sessionId: partialEvent.sessionId, - urlResponse: callbackUrl, - postBody: null - }; - } - } - return null; - } - function generateSessionId() { - const chars = []; - const allowedChars = '1234567890abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'; - for (let i = 0; i < SESSION_ID_LENGTH; i++) { - const idx = Math.floor(Math.random() * allowedChars.length); - chars.push(allowedChars.charAt(idx)); - } - return chars.join(''); - } - function storage() { - return _getInstance(browserLocalPersistence); - } - function persistenceKey(auth) { - return _persistenceKeyName("authEvent" /* KeyName.AUTH_EVENT */, auth.config.apiKey, auth.name); - } - function parseJsonOrNull(json) { - try { - return JSON.parse(json); - } - catch (e) { - return null; - } - } - // Exported for testing - function _getDeepLinkFromCallback(url) { - const params = searchParamsOrEmpty(url); - const link = params['link'] ? decodeURIComponent(params['link']) : undefined; - // Double link case (automatic redirect) - const doubleDeepLink = searchParamsOrEmpty(link)['link']; - // iOS custom scheme links. - const iOSDeepLink = params['deep_link_id'] - ? decodeURIComponent(params['deep_link_id']) - : undefined; - const iOSDoubleDeepLink = searchParamsOrEmpty(iOSDeepLink)['link']; - return iOSDoubleDeepLink || iOSDeepLink || doubleDeepLink || link || url; - } - /** - * Optimistically tries to get search params from a string, or else returns an - * empty search params object. - */ - function searchParamsOrEmpty(url) { - if (!(url === null || url === void 0 ? void 0 : url.includes('?'))) { - return {}; - } - const [_, ...rest] = url.split('?'); - return querystringDecode(rest.join('?')); - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * How long to wait for the initial auth event before concluding no - * redirect pending - */ - const INITIAL_EVENT_TIMEOUT_MS = 500; - class CordovaPopupRedirectResolver { - constructor() { - this._redirectPersistence = browserSessionPersistence; - this._shouldInitProactively = true; // This is lightweight for Cordova - this.eventManagers = new Map(); - this.originValidationPromises = {}; - this._completeRedirectFn = _getRedirectResult; - this._overrideRedirectResult = _overrideRedirectResult; - } - async _initialize(auth) { - const key = auth._key(); - let manager = this.eventManagers.get(key); - if (!manager) { - manager = new CordovaAuthEventManager(auth); - this.eventManagers.set(key, manager); - this.attachCallbackListeners(auth, manager); - } - return manager; - } - _openPopup(auth) { - _fail(auth, "operation-not-supported-in-this-environment" /* AuthErrorCode.OPERATION_NOT_SUPPORTED */); - } - async _openRedirect(auth, provider, authType, eventId) { - _checkCordovaConfiguration(auth); - const manager = await this._initialize(auth); - await manager.initialized(); - // Reset the persisted redirect states. This does not matter on Web where - // the redirect always blows away application state entirely. On Cordova, - // the app maintains control flow through the redirect. - manager.resetRedirect(); - _clearRedirectOutcomes(); - await this._originValidation(auth); - const event = _generateNewEvent(auth, authType, eventId); - await _savePartialEvent(auth, event); - const url = await _generateHandlerUrl(auth, event, provider); - const iabRef = await _performRedirect(url); - return _waitForAppResume(auth, manager, iabRef); - } - _isIframeWebStorageSupported(_auth, _cb) { - throw new Error('Method not implemented.'); - } - _originValidation(auth) { - const key = auth._key(); - if (!this.originValidationPromises[key]) { - this.originValidationPromises[key] = _validateOrigin(auth); - } - return this.originValidationPromises[key]; - } - attachCallbackListeners(auth, manager) { - // Get the global plugins - const { universalLinks, handleOpenURL, BuildInfo } = _cordovaWindow(); - const noEventTimeout = setTimeout(async () => { - // We didn't see that initial event. Clear any pending object and - // dispatch no event - await _getAndRemoveEvent(auth); - manager.onEvent(generateNoEvent()); - }, INITIAL_EVENT_TIMEOUT_MS); - const universalLinksCb = async (eventData) => { - // We have an event so we can clear the no event timeout - clearTimeout(noEventTimeout); - const partialEvent = await _getAndRemoveEvent(auth); - let finalEvent = null; - if (partialEvent && (eventData === null || eventData === void 0 ? void 0 : eventData['url'])) { - finalEvent = _eventFromPartialAndUrl(partialEvent, eventData['url']); - } - // If finalEvent is never filled, trigger with no event - manager.onEvent(finalEvent || generateNoEvent()); - }; - // Universal links subscriber doesn't exist for iOS, so we need to check - if (typeof universalLinks !== 'undefined' && - typeof universalLinks.subscribe === 'function') { - universalLinks.subscribe(null, universalLinksCb); - } - // iOS 7 or 8 custom URL schemes. - // This is also the current default behavior for iOS 9+. - // For this to work, cordova-plugin-customurlscheme needs to be installed. - // https://github.com/EddyVerbruggen/Custom-URL-scheme - // Do not overwrite the existing developer's URL handler. - const existingHandleOpenURL = handleOpenURL; - const packagePrefix = `${BuildInfo.packageName.toLowerCase()}://`; - _cordovaWindow().handleOpenURL = async (url) => { - if (url.toLowerCase().startsWith(packagePrefix)) { - // We want this intentionally to float - // eslint-disable-next-line @typescript-eslint/no-floating-promises - universalLinksCb({ url }); - } - // Call the developer's handler if it is present. - if (typeof existingHandleOpenURL === 'function') { - try { - existingHandleOpenURL(url); - } - catch (e) { - // This is a developer error. Don't stop the flow of the SDK. - console.error(e); - } - } - }; - } - } - /** - * An implementation of {@link PopupRedirectResolver} suitable for Cordova - * based applications. - * - * @public - */ - const cordovaPopupRedirectResolver = CordovaPopupRedirectResolver; - function generateNoEvent() { - return { - type: "unknown" /* AuthEventType.UNKNOWN */, - eventId: null, - sessionId: null, - urlResponse: null, - postBody: null, - tenantId: null, - error: _createError("no-auth-event" /* AuthErrorCode.NO_AUTH_EVENT */) - }; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // This function should only be called by frameworks (e.g. FirebaseUI-web) to log their usage. - // It is not intended for direct use by developer apps. NO jsdoc here to intentionally leave it out - // of autogenerated documentation pages to reduce accidental misuse. - function addFrameworkForLogging(auth, framework) { - _castAuth(auth)._logFramework(framework); - } - - var name$1 = "@firebase/auth-compat"; - var version$1 = "0.4.2"; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const CORDOVA_ONDEVICEREADY_TIMEOUT_MS = 1000; - function _getCurrentScheme() { - var _a; - return ((_a = self === null || self === void 0 ? void 0 : self.location) === null || _a === void 0 ? void 0 : _a.protocol) || null; - } - /** - * @return {boolean} Whether the current environment is http or https. - */ - function _isHttpOrHttps() { - return _getCurrentScheme() === 'http:' || _getCurrentScheme() === 'https:'; - } - /** - * @param {?string=} ua The user agent. - * @return {boolean} Whether the app is rendered in a mobile iOS or Android - * Cordova environment. - */ - function _isAndroidOrIosCordovaScheme(ua = getUA()) { - return !!((_getCurrentScheme() === 'file:' || - _getCurrentScheme() === 'ionic:' || - _getCurrentScheme() === 'capacitor:') && - ua.toLowerCase().match(/iphone|ipad|ipod|android/)); - } - /** - * @return {boolean} Whether the environment is a native environment, where - * CORS checks do not apply. - */ - function _isNativeEnvironment() { - return isReactNative() || isNode(); - } - /** - * Checks whether the user agent is IE11. - * @return {boolean} True if it is IE11. - */ - function _isIe11() { - return isIE() && (document === null || document === void 0 ? void 0 : document.documentMode) === 11; - } - /** - * Checks whether the user agent is Edge. - * @param {string} userAgent The browser user agent string. - * @return {boolean} True if it is Edge. - */ - function _isEdge(ua = getUA()) { - return /Edge\/\d+/.test(ua); - } - /** - * @param {?string=} opt_userAgent The navigator user agent. - * @return {boolean} Whether local storage is not synchronized between an iframe - * and a popup of the same domain. - */ - function _isLocalStorageNotSynchronized(ua = getUA()) { - return _isIe11() || _isEdge(ua); - } - /** @return {boolean} Whether web storage is supported. */ - function _isWebStorageSupported() { - try { - const storage = self.localStorage; - const key = _generateEventId(); - if (storage) { - // setItem will throw an exception if we cannot access WebStorage (e.g., - // Safari in private mode). - storage['setItem'](key, '1'); - storage['removeItem'](key); - // For browsers where iframe web storage does not synchronize with a popup - // of the same domain, indexedDB is used for persistent storage. These - // browsers include IE11 and Edge. - // Make sure it is supported (IE11 and Edge private mode does not support - // that). - if (_isLocalStorageNotSynchronized()) { - // In such browsers, if indexedDB is not supported, an iframe cannot be - // notified of the popup sign in result. - return isIndexedDBAvailable(); - } - return true; - } - } - catch (e) { - // localStorage is not available from a worker. Test availability of - // indexedDB. - return _isWorker() && isIndexedDBAvailable(); - } - return false; - } - /** - * @param {?Object=} global The optional global scope. - * @return {boolean} Whether current environment is a worker. - */ - function _isWorker() { - // WorkerGlobalScope only defined in worker environment. - return (typeof global !== 'undefined' && - 'WorkerGlobalScope' in global && - 'importScripts' in global); - } - function _isPopupRedirectSupported() { - return ((_isHttpOrHttps() || - isBrowserExtension() || - _isAndroidOrIosCordovaScheme()) && - // React Native with remote debugging reports its location.protocol as - // http. - !_isNativeEnvironment() && - // Local storage has to be supported for browser popup and redirect - // operations to work. - _isWebStorageSupported() && - // DOM, popups and redirects are not supported within a worker. - !_isWorker()); - } - /** Quick check that indicates the platform *may* be Cordova */ - function _isLikelyCordova() { - return _isAndroidOrIosCordovaScheme() && typeof document !== 'undefined'; - } - async function _isCordova() { - if (!_isLikelyCordova()) { - return false; - } - return new Promise(resolve => { - const timeoutId = setTimeout(() => { - // We've waited long enough; the telltale Cordova event didn't happen - resolve(false); - }, CORDOVA_ONDEVICEREADY_TIMEOUT_MS); - document.addEventListener('deviceready', () => { - clearTimeout(timeoutId); - resolve(true); - }); - }); - } - function _getSelfWindow() { - return typeof window !== 'undefined' ? window : null; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const Persistence = { - LOCAL: 'local', - NONE: 'none', - SESSION: 'session' - }; - const _assert$3 = _assert$4; - const PERSISTENCE_KEY = 'persistence'; - /** - * Validates that an argument is a valid persistence value. If an invalid type - * is specified, an error is thrown synchronously. - */ - function _validatePersistenceArgument(auth, persistence) { - _assert$3(Object.values(Persistence).includes(persistence), auth, "invalid-persistence-type" /* exp.AuthErrorCode.INVALID_PERSISTENCE */); - // Validate if the specified type is supported in the current environment. - if (isReactNative()) { - // This is only supported in a browser. - _assert$3(persistence !== Persistence.SESSION, auth, "unsupported-persistence-type" /* exp.AuthErrorCode.UNSUPPORTED_PERSISTENCE */); - return; - } - if (isNode()) { - // Only none is supported in Node.js. - _assert$3(persistence === Persistence.NONE, auth, "unsupported-persistence-type" /* exp.AuthErrorCode.UNSUPPORTED_PERSISTENCE */); - return; - } - if (_isWorker()) { - // In a worker environment, either LOCAL or NONE are supported. - // If indexedDB not supported and LOCAL provided, throw an error - _assert$3(persistence === Persistence.NONE || - (persistence === Persistence.LOCAL && isIndexedDBAvailable()), auth, "unsupported-persistence-type" /* exp.AuthErrorCode.UNSUPPORTED_PERSISTENCE */); - return; - } - // This is restricted by what the browser supports. - _assert$3(persistence === Persistence.NONE || _isWebStorageSupported(), auth, "unsupported-persistence-type" /* exp.AuthErrorCode.UNSUPPORTED_PERSISTENCE */); - } - async function _savePersistenceForRedirect(auth) { - await auth._initializationPromise; - const session = getSessionStorageIfAvailable(); - const key = _persistenceKeyName(PERSISTENCE_KEY, auth.config.apiKey, auth.name); - if (session) { - session.setItem(key, auth._getPersistence()); - } - } - function _getPersistencesFromRedirect(apiKey, appName) { - const session = getSessionStorageIfAvailable(); - if (!session) { - return []; - } - const key = _persistenceKeyName(PERSISTENCE_KEY, apiKey, appName); - const persistence = session.getItem(key); - switch (persistence) { - case Persistence.NONE: - return [inMemoryPersistence]; - case Persistence.LOCAL: - return [indexedDBLocalPersistence, browserSessionPersistence]; - case Persistence.SESSION: - return [browserSessionPersistence]; - default: - return []; - } - } - /** Returns session storage, or null if the property access errors */ - function getSessionStorageIfAvailable() { - var _a; - try { - return ((_a = _getSelfWindow()) === null || _a === void 0 ? void 0 : _a.sessionStorage) || null; - } - catch (e) { - return null; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const _assert$2 = _assert$4; - /** Platform-agnostic popup-redirect resolver */ - class CompatPopupRedirectResolver { - constructor() { - // Create both resolvers for dynamic resolution later - this.browserResolver = _getInstance(browserPopupRedirectResolver); - this.cordovaResolver = _getInstance(cordovaPopupRedirectResolver); - // The actual resolver in use: either browserResolver or cordovaResolver. - this.underlyingResolver = null; - this._redirectPersistence = browserSessionPersistence; - this._completeRedirectFn = _getRedirectResult; - this._overrideRedirectResult = _overrideRedirectResult; - } - async _initialize(auth) { - await this.selectUnderlyingResolver(); - return this.assertedUnderlyingResolver._initialize(auth); - } - async _openPopup(auth, provider, authType, eventId) { - await this.selectUnderlyingResolver(); - return this.assertedUnderlyingResolver._openPopup(auth, provider, authType, eventId); - } - async _openRedirect(auth, provider, authType, eventId) { - await this.selectUnderlyingResolver(); - return this.assertedUnderlyingResolver._openRedirect(auth, provider, authType, eventId); - } - _isIframeWebStorageSupported(auth, cb) { - this.assertedUnderlyingResolver._isIframeWebStorageSupported(auth, cb); - } - _originValidation(auth) { - return this.assertedUnderlyingResolver._originValidation(auth); - } - get _shouldInitProactively() { - return _isLikelyCordova() || this.browserResolver._shouldInitProactively; - } - get assertedUnderlyingResolver() { - _assert$2(this.underlyingResolver, "internal-error" /* exp.AuthErrorCode.INTERNAL_ERROR */); - return this.underlyingResolver; - } - async selectUnderlyingResolver() { - if (this.underlyingResolver) { - return; - } - // We haven't yet determined whether or not we're in Cordova; go ahead - // and determine that state now. - const isCordova = await _isCordova(); - this.underlyingResolver = isCordova - ? this.cordovaResolver - : this.browserResolver; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function unwrap(object) { - return object.unwrap(); - } - function wrapped(object) { - return object.wrapped(); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function credentialFromResponse(userCredential) { - return credentialFromObject(userCredential); - } - function attachExtraErrorFields(auth, e) { - var _a; - // The response contains all fields from the server which may or may not - // actually match the underlying type - const response = (_a = e.customData) === null || _a === void 0 ? void 0 : _a._tokenResponse; - if ((e === null || e === void 0 ? void 0 : e.code) === 'auth/multi-factor-auth-required') { - const mfaErr = e; - mfaErr.resolver = new MultiFactorResolver(auth, getMultiFactorResolver(auth, e)); - } - else if (response) { - const credential = credentialFromObject(e); - const credErr = e; - if (credential) { - credErr.credential = credential; - credErr.tenantId = response.tenantId || undefined; - credErr.email = response.email || undefined; - credErr.phoneNumber = response.phoneNumber || undefined; - } - } - } - function credentialFromObject(object) { - const { _tokenResponse } = (object instanceof FirebaseError ? object.customData : object); - if (!_tokenResponse) { - return null; - } - // Handle phone Auth credential responses, as they have a different format - // from other backend responses (i.e. no providerId). This is also only the - // case for user credentials (does not work for errors). - if (!(object instanceof FirebaseError)) { - if ('temporaryProof' in _tokenResponse && 'phoneNumber' in _tokenResponse) { - return PhoneAuthProvider$1.credentialFromResult(object); - } - } - const providerId = _tokenResponse.providerId; - // Email and password is not supported as there is no situation where the - // server would return the password to the client. - if (!providerId || providerId === ProviderId.PASSWORD) { - return null; - } - let provider; - switch (providerId) { - case ProviderId.GOOGLE: - provider = GoogleAuthProvider; - break; - case ProviderId.FACEBOOK: - provider = FacebookAuthProvider; - break; - case ProviderId.GITHUB: - provider = GithubAuthProvider; - break; - case ProviderId.TWITTER: - provider = TwitterAuthProvider; - break; - default: - const { oauthIdToken, oauthAccessToken, oauthTokenSecret, pendingToken, nonce } = _tokenResponse; - if (!oauthAccessToken && - !oauthTokenSecret && - !oauthIdToken && - !pendingToken) { - return null; - } - // TODO(avolkovi): uncomment this and get it working with SAML & OIDC - if (pendingToken) { - if (providerId.startsWith('saml.')) { - return SAMLAuthCredential._create(providerId, pendingToken); - } - else { - // OIDC and non-default providers excluding Twitter. - return OAuthCredential._fromParams({ - providerId, - signInMethod: providerId, - pendingToken, - idToken: oauthIdToken, - accessToken: oauthAccessToken - }); - } - } - return new OAuthProvider(providerId).credential({ - idToken: oauthIdToken, - accessToken: oauthAccessToken, - rawNonce: nonce - }); - } - return object instanceof FirebaseError - ? provider.credentialFromError(object) - : provider.credentialFromResult(object); - } - function convertCredential(auth, credentialPromise) { - return credentialPromise - .catch(e => { - if (e instanceof FirebaseError) { - attachExtraErrorFields(auth, e); - } - throw e; - }) - .then(credential => { - const operationType = credential.operationType; - const user = credential.user; - return { - operationType, - credential: credentialFromResponse(credential), - additionalUserInfo: getAdditionalUserInfo(credential), - user: User.getOrCreate(user) - }; - }); - } - async function convertConfirmationResult(auth, confirmationResultPromise) { - const confirmationResultExp = await confirmationResultPromise; - return { - verificationId: confirmationResultExp.verificationId, - confirm: (verificationCode) => convertCredential(auth, confirmationResultExp.confirm(verificationCode)) - }; - } - class MultiFactorResolver { - constructor(auth, resolver) { - this.resolver = resolver; - this.auth = wrapped(auth); - } - get session() { - return this.resolver.session; - } - get hints() { - return this.resolver.hints; - } - resolveSignIn(assertion) { - return convertCredential(unwrap(this.auth), this.resolver.resolveSignIn(assertion)); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class User { - constructor(_delegate) { - this._delegate = _delegate; - this.multiFactor = multiFactor(_delegate); - } - static getOrCreate(user) { - if (!User.USER_MAP.has(user)) { - User.USER_MAP.set(user, new User(user)); - } - return User.USER_MAP.get(user); - } - delete() { - return this._delegate.delete(); - } - reload() { - return this._delegate.reload(); - } - toJSON() { - return this._delegate.toJSON(); - } - getIdTokenResult(forceRefresh) { - return this._delegate.getIdTokenResult(forceRefresh); - } - getIdToken(forceRefresh) { - return this._delegate.getIdToken(forceRefresh); - } - linkAndRetrieveDataWithCredential(credential) { - return this.linkWithCredential(credential); - } - async linkWithCredential(credential) { - return convertCredential(this.auth, linkWithCredential(this._delegate, credential)); - } - async linkWithPhoneNumber(phoneNumber, applicationVerifier) { - return convertConfirmationResult(this.auth, linkWithPhoneNumber(this._delegate, phoneNumber, applicationVerifier)); - } - async linkWithPopup(provider) { - return convertCredential(this.auth, linkWithPopup(this._delegate, provider, CompatPopupRedirectResolver)); - } - async linkWithRedirect(provider) { - await _savePersistenceForRedirect(_castAuth(this.auth)); - return linkWithRedirect(this._delegate, provider, CompatPopupRedirectResolver); - } - reauthenticateAndRetrieveDataWithCredential(credential) { - return this.reauthenticateWithCredential(credential); - } - async reauthenticateWithCredential(credential) { - return convertCredential(this.auth, reauthenticateWithCredential(this._delegate, credential)); - } - reauthenticateWithPhoneNumber(phoneNumber, applicationVerifier) { - return convertConfirmationResult(this.auth, reauthenticateWithPhoneNumber(this._delegate, phoneNumber, applicationVerifier)); - } - reauthenticateWithPopup(provider) { - return convertCredential(this.auth, reauthenticateWithPopup(this._delegate, provider, CompatPopupRedirectResolver)); - } - async reauthenticateWithRedirect(provider) { - await _savePersistenceForRedirect(_castAuth(this.auth)); - return reauthenticateWithRedirect(this._delegate, provider, CompatPopupRedirectResolver); - } - sendEmailVerification(actionCodeSettings) { - return sendEmailVerification(this._delegate, actionCodeSettings); - } - async unlink(providerId) { - await unlink(this._delegate, providerId); - return this; - } - updateEmail(newEmail) { - return updateEmail(this._delegate, newEmail); - } - updatePassword(newPassword) { - return updatePassword(this._delegate, newPassword); - } - updatePhoneNumber(phoneCredential) { - return updatePhoneNumber(this._delegate, phoneCredential); - } - updateProfile(profile) { - return updateProfile(this._delegate, profile); - } - verifyBeforeUpdateEmail(newEmail, actionCodeSettings) { - return verifyBeforeUpdateEmail(this._delegate, newEmail, actionCodeSettings); - } - get emailVerified() { - return this._delegate.emailVerified; - } - get isAnonymous() { - return this._delegate.isAnonymous; - } - get metadata() { - return this._delegate.metadata; - } - get phoneNumber() { - return this._delegate.phoneNumber; - } - get providerData() { - return this._delegate.providerData; - } - get refreshToken() { - return this._delegate.refreshToken; - } - get tenantId() { - return this._delegate.tenantId; - } - get displayName() { - return this._delegate.displayName; - } - get email() { - return this._delegate.email; - } - get photoURL() { - return this._delegate.photoURL; - } - get providerId() { - return this._delegate.providerId; - } - get uid() { - return this._delegate.uid; - } - get auth() { - return this._delegate.auth; - } - } - // Maintain a map so that there's always a 1:1 mapping between new User and - // legacy compat users - User.USER_MAP = new WeakMap(); - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const _assert$1 = _assert$4; - class Auth { - constructor(app, provider) { - this.app = app; - if (provider.isInitialized()) { - this._delegate = provider.getImmediate(); - this.linkUnderlyingAuth(); - return; - } - const { apiKey } = app.options; - // TODO: platform needs to be determined using heuristics - _assert$1(apiKey, "invalid-api-key" /* exp.AuthErrorCode.INVALID_API_KEY */, { - appName: app.name - }); - // TODO: platform needs to be determined using heuristics - _assert$1(apiKey, "invalid-api-key" /* exp.AuthErrorCode.INVALID_API_KEY */, { - appName: app.name - }); - // Only use a popup/redirect resolver in browser environments - const resolver = typeof window !== 'undefined' ? CompatPopupRedirectResolver : undefined; - this._delegate = provider.initialize({ - options: { - persistence: buildPersistenceHierarchy(apiKey, app.name), - popupRedirectResolver: resolver - } - }); - this._delegate._updateErrorMap(debugErrorMap); - this.linkUnderlyingAuth(); - } - get emulatorConfig() { - return this._delegate.emulatorConfig; - } - get currentUser() { - if (!this._delegate.currentUser) { - return null; - } - return User.getOrCreate(this._delegate.currentUser); - } - get languageCode() { - return this._delegate.languageCode; - } - set languageCode(languageCode) { - this._delegate.languageCode = languageCode; - } - get settings() { - return this._delegate.settings; - } - get tenantId() { - return this._delegate.tenantId; - } - set tenantId(tid) { - this._delegate.tenantId = tid; - } - useDeviceLanguage() { - this._delegate.useDeviceLanguage(); - } - signOut() { - return this._delegate.signOut(); - } - useEmulator(url, options) { - connectAuthEmulator(this._delegate, url, options); - } - applyActionCode(code) { - return applyActionCode(this._delegate, code); - } - checkActionCode(code) { - return checkActionCode(this._delegate, code); - } - confirmPasswordReset(code, newPassword) { - return confirmPasswordReset(this._delegate, code, newPassword); - } - async createUserWithEmailAndPassword(email, password) { - return convertCredential(this._delegate, createUserWithEmailAndPassword(this._delegate, email, password)); - } - fetchProvidersForEmail(email) { - return this.fetchSignInMethodsForEmail(email); - } - fetchSignInMethodsForEmail(email) { - return fetchSignInMethodsForEmail(this._delegate, email); - } - isSignInWithEmailLink(emailLink) { - return isSignInWithEmailLink(this._delegate, emailLink); - } - async getRedirectResult() { - _assert$1(_isPopupRedirectSupported(), this._delegate, "operation-not-supported-in-this-environment" /* exp.AuthErrorCode.OPERATION_NOT_SUPPORTED */); - const credential = await getRedirectResult(this._delegate, CompatPopupRedirectResolver); - if (!credential) { - return { - credential: null, - user: null - }; - } - return convertCredential(this._delegate, Promise.resolve(credential)); - } - // This function should only be called by frameworks (e.g. FirebaseUI-web) to log their usage. - // It is not intended for direct use by developer apps. NO jsdoc here to intentionally leave it - // out of autogenerated documentation pages to reduce accidental misuse. - addFrameworkForLogging(framework) { - addFrameworkForLogging(this._delegate, framework); - } - onAuthStateChanged(nextOrObserver, errorFn, completed) { - const { next, error, complete } = wrapObservers(nextOrObserver, errorFn, completed); - return this._delegate.onAuthStateChanged(next, error, complete); - } - onIdTokenChanged(nextOrObserver, errorFn, completed) { - const { next, error, complete } = wrapObservers(nextOrObserver, errorFn, completed); - return this._delegate.onIdTokenChanged(next, error, complete); - } - sendSignInLinkToEmail(email, actionCodeSettings) { - return sendSignInLinkToEmail(this._delegate, email, actionCodeSettings); - } - sendPasswordResetEmail(email, actionCodeSettings) { - return sendPasswordResetEmail(this._delegate, email, actionCodeSettings || undefined); - } - async setPersistence(persistence) { - _validatePersistenceArgument(this._delegate, persistence); - let converted; - switch (persistence) { - case Persistence.SESSION: - converted = browserSessionPersistence; - break; - case Persistence.LOCAL: - // Not using isIndexedDBAvailable() since it only checks if indexedDB is defined. - const isIndexedDBFullySupported = await _getInstance(indexedDBLocalPersistence) - ._isAvailable(); - converted = isIndexedDBFullySupported - ? indexedDBLocalPersistence - : browserLocalPersistence; - break; - case Persistence.NONE: - converted = inMemoryPersistence; - break; - default: - return _fail("argument-error" /* exp.AuthErrorCode.ARGUMENT_ERROR */, { - appName: this._delegate.name - }); - } - return this._delegate.setPersistence(converted); - } - signInAndRetrieveDataWithCredential(credential) { - return this.signInWithCredential(credential); - } - signInAnonymously() { - return convertCredential(this._delegate, signInAnonymously(this._delegate)); - } - signInWithCredential(credential) { - return convertCredential(this._delegate, signInWithCredential(this._delegate, credential)); - } - signInWithCustomToken(token) { - return convertCredential(this._delegate, signInWithCustomToken(this._delegate, token)); - } - signInWithEmailAndPassword(email, password) { - return convertCredential(this._delegate, signInWithEmailAndPassword(this._delegate, email, password)); - } - signInWithEmailLink(email, emailLink) { - return convertCredential(this._delegate, signInWithEmailLink(this._delegate, email, emailLink)); - } - signInWithPhoneNumber(phoneNumber, applicationVerifier) { - return convertConfirmationResult(this._delegate, signInWithPhoneNumber(this._delegate, phoneNumber, applicationVerifier)); - } - async signInWithPopup(provider) { - _assert$1(_isPopupRedirectSupported(), this._delegate, "operation-not-supported-in-this-environment" /* exp.AuthErrorCode.OPERATION_NOT_SUPPORTED */); - return convertCredential(this._delegate, signInWithPopup(this._delegate, provider, CompatPopupRedirectResolver)); - } - async signInWithRedirect(provider) { - _assert$1(_isPopupRedirectSupported(), this._delegate, "operation-not-supported-in-this-environment" /* exp.AuthErrorCode.OPERATION_NOT_SUPPORTED */); - await _savePersistenceForRedirect(this._delegate); - return signInWithRedirect(this._delegate, provider, CompatPopupRedirectResolver); - } - updateCurrentUser(user) { - // remove ts-ignore once overloads are defined for exp functions to accept compat objects - // @ts-ignore - return this._delegate.updateCurrentUser(user); - } - verifyPasswordResetCode(code) { - return verifyPasswordResetCode(this._delegate, code); - } - unwrap() { - return this._delegate; - } - _delete() { - return this._delegate._delete(); - } - linkUnderlyingAuth() { - this._delegate.wrapped = () => this; - } - } - Auth.Persistence = Persistence; - function wrapObservers(nextOrObserver, error, complete) { - let next = nextOrObserver; - if (typeof nextOrObserver !== 'function') { - ({ next, error, complete } = nextOrObserver); - } - // We know 'next' is now a function - const oldNext = next; - const newNext = (user) => oldNext(user && User.getOrCreate(user)); - return { - next: newNext, - error: error, - complete - }; - } - function buildPersistenceHierarchy(apiKey, appName) { - // Note this is slightly different behavior: in this case, the stored - // persistence is checked *first* rather than last. This is because we want - // to prefer stored persistence type in the hierarchy. This is an empty - // array if window is not available or there is no pending redirect - const persistences = _getPersistencesFromRedirect(apiKey, appName); - // If "self" is available, add indexedDB - if (typeof self !== 'undefined' && - !persistences.includes(indexedDBLocalPersistence)) { - persistences.push(indexedDBLocalPersistence); - } - // If "window" is available, add HTML Storage persistences - if (typeof window !== 'undefined') { - for (const persistence of [ - browserLocalPersistence, - browserSessionPersistence - ]) { - if (!persistences.includes(persistence)) { - persistences.push(persistence); - } - } - } - // Add in-memory as a final fallback - if (!persistences.includes(inMemoryPersistence)) { - persistences.push(inMemoryPersistence); - } - return persistences; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class PhoneAuthProvider { - constructor() { - this.providerId = 'phone'; - // TODO: remove ts-ignore when moving types from auth-types to auth-compat - // @ts-ignore - this._delegate = new PhoneAuthProvider$1(unwrap(firebase.auth())); - } - static credential(verificationId, verificationCode) { - return PhoneAuthProvider$1.credential(verificationId, verificationCode); - } - verifyPhoneNumber(phoneInfoOptions, applicationVerifier) { - return this._delegate.verifyPhoneNumber( - // The implementation matches but the types are subtly incompatible - // eslint-disable-next-line @typescript-eslint/no-explicit-any - phoneInfoOptions, applicationVerifier); - } - unwrap() { - return this._delegate; - } - } - PhoneAuthProvider.PHONE_SIGN_IN_METHOD = PhoneAuthProvider$1.PHONE_SIGN_IN_METHOD; - PhoneAuthProvider.PROVIDER_ID = PhoneAuthProvider$1.PROVIDER_ID; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const _assert = _assert$4; - class RecaptchaVerifier { - constructor(container, parameters, app = firebase.app()) { - var _a; - // API key is required for web client RPC calls. - _assert((_a = app.options) === null || _a === void 0 ? void 0 : _a.apiKey, "invalid-api-key" /* exp.AuthErrorCode.INVALID_API_KEY */, { - appName: app.name - }); - this._delegate = new RecaptchaVerifier$1(container, - // eslint-disable-next-line @typescript-eslint/no-explicit-any - parameters, - // TODO: remove ts-ignore when moving types from auth-types to auth-compat - // @ts-ignore - app.auth()); - this.type = this._delegate.type; - } - clear() { - this._delegate.clear(); - } - render() { - return this._delegate.render(); - } - verify() { - return this._delegate.verify(); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const AUTH_TYPE = 'auth-compat'; - // Create auth components to register with firebase. - // Provides Auth public APIs. - function registerAuthCompat(instance) { - instance.INTERNAL.registerComponent(new Component(AUTH_TYPE, container => { - // getImmediate for FirebaseApp will always succeed - const app = container.getProvider('app-compat').getImmediate(); - const authProvider = container.getProvider('auth'); - return new Auth(app, authProvider); - }, "PUBLIC" /* ComponentType.PUBLIC */) - .setServiceProps({ - ActionCodeInfo: { - Operation: { - EMAIL_SIGNIN: ActionCodeOperation.EMAIL_SIGNIN, - PASSWORD_RESET: ActionCodeOperation.PASSWORD_RESET, - RECOVER_EMAIL: ActionCodeOperation.RECOVER_EMAIL, - REVERT_SECOND_FACTOR_ADDITION: ActionCodeOperation.REVERT_SECOND_FACTOR_ADDITION, - VERIFY_AND_CHANGE_EMAIL: ActionCodeOperation.VERIFY_AND_CHANGE_EMAIL, - VERIFY_EMAIL: ActionCodeOperation.VERIFY_EMAIL - } - }, - EmailAuthProvider: EmailAuthProvider, - FacebookAuthProvider: FacebookAuthProvider, - GithubAuthProvider: GithubAuthProvider, - GoogleAuthProvider: GoogleAuthProvider, - OAuthProvider: OAuthProvider, - SAMLAuthProvider: SAMLAuthProvider, - PhoneAuthProvider: PhoneAuthProvider, - PhoneMultiFactorGenerator: PhoneMultiFactorGenerator, - RecaptchaVerifier: RecaptchaVerifier, - TwitterAuthProvider: TwitterAuthProvider, - Auth, - AuthCredential: AuthCredential, - Error: FirebaseError - }) - .setInstantiationMode("LAZY" /* InstantiationMode.LAZY */) - .setMultipleInstances(false)); - instance.registerVersion(name$1, version$1); - } - registerAuthCompat(firebase); - - /* src/components/misccomponents/LoadingCircle.svelte generated by Svelte v3.59.1 */ - - const file$T = "src/components/misccomponents/LoadingCircle.svelte"; - - function create_fragment$T(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "spinner inline-block align-middle mx-1 svelte-69u30n"); - add_location(div, file$T, 34, 0, 546); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$T.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$T($$self, $$props) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LoadingCircle', slots, []); - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - return []; - } - - class LoadingCircle extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$T, create_fragment$T, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LoadingCircle", - options, - id: create_fragment$T.name - }); - } - } - - /* src/components/misccomponents/TextField.svelte generated by Svelte v3.59.1 */ - const file$S = "src/components/misccomponents/TextField.svelte"; - - // (126:0) {#if required && !value} - function create_if_block_1$t(ctx) { - let p; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "This field is required"; - attr_dev(p, "class", "text-red-500 text-xs italic"); - add_location(p, file$S, 126, 2, 3203); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$t.name, - type: "if", - source: "(126:0) {#if required && !value}", - ctx - }); - - return block; - } - - // (130:0) {#if errorMsg && value} - function create_if_block$G(ctx) { - let p; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(/*errorMsg*/ ctx[2]); - attr_dev(p, "class", "text-red-500 text-xs italic"); - add_location(p, file$S, 130, 2, 3302); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*errorMsg*/ 4) set_data_dev(t, /*errorMsg*/ ctx[2]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$G.name, - type: "if", - source: "(130:0) {#if errorMsg && value}", - ctx - }); - - return block; - } - - function create_fragment$S(ctx) { - let label_1; - let t0; - let t1; - let input; - let t2; - let t3; - let if_block1_anchor; - let mounted; - let dispose; - let if_block0 = /*required*/ ctx[5] && !/*value*/ ctx[0] && create_if_block_1$t(ctx); - let if_block1 = /*errorMsg*/ ctx[2] && /*value*/ ctx[0] && create_if_block$G(ctx); - - const block = { - c: function create() { - label_1 = element("label"); - t0 = text(/*label*/ ctx[1]); - t1 = space(); - input = element("input"); - t2 = space(); - if (if_block0) if_block0.c(); - t3 = space(); - if (if_block1) if_block1.c(); - if_block1_anchor = empty(); - attr_dev(label_1, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mb-2"); - add_location(label_1, file$S, 108, 0, 2670); - attr_dev(input, "class", "appearance-none block w-full text-gray-700 border border-gray-300 rounded py-3 px-4 leading-tight focus:outline-none focus:bg-white focus:border-gray-500 svelte-12emz5j"); - attr_dev(input, "placeholder", /*placeholder*/ ctx[6]); - attr_dev(input, "autocomplete", /*autocomplete*/ ctx[4]); - input.value = /*value*/ ctx[0]; - attr_dev(input, "type", /*type*/ ctx[3]); - toggle_class(input, "border-red-300", /*required*/ ctx[5] && !/*value*/ ctx[0] || /*errorMsg*/ ctx[2]); - toggle_class(input, "focus:border-red-500", /*required*/ ctx[5] && !/*value*/ ctx[0] || /*errorMsg*/ ctx[2]); - add_location(input, file$S, 112, 0, 2774); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, label_1, anchor); - append_dev(label_1, t0); - insert_dev(target, t1, anchor); - insert_dev(target, input, anchor); - insert_dev(target, t2, anchor); - if (if_block0) if_block0.m(target, anchor); - insert_dev(target, t3, anchor); - if (if_block1) if_block1.m(target, anchor); - insert_dev(target, if_block1_anchor, anchor); - - if (!mounted) { - dispose = [ - listen_dev(input, "input", /*handleInput*/ ctx[8], false, false, false, false), - listen_dev(input, "keydown", /*enterKey*/ ctx[7], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (dirty & /*label*/ 2) set_data_dev(t0, /*label*/ ctx[1]); - - if (dirty & /*placeholder*/ 64) { - attr_dev(input, "placeholder", /*placeholder*/ ctx[6]); - } - - if (dirty & /*autocomplete*/ 16) { - attr_dev(input, "autocomplete", /*autocomplete*/ ctx[4]); - } - - if (dirty & /*value*/ 1 && input.value !== /*value*/ ctx[0]) { - prop_dev(input, "value", /*value*/ ctx[0]); - } - - if (dirty & /*type*/ 8) { - attr_dev(input, "type", /*type*/ ctx[3]); - } - - if (dirty & /*required, value, errorMsg*/ 37) { - toggle_class(input, "border-red-300", /*required*/ ctx[5] && !/*value*/ ctx[0] || /*errorMsg*/ ctx[2]); - } - - if (dirty & /*required, value, errorMsg*/ 37) { - toggle_class(input, "focus:border-red-500", /*required*/ ctx[5] && !/*value*/ ctx[0] || /*errorMsg*/ ctx[2]); - } - - if (/*required*/ ctx[5] && !/*value*/ ctx[0]) { - if (if_block0) ; else { - if_block0 = create_if_block_1$t(ctx); - if_block0.c(); - if_block0.m(t3.parentNode, t3); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (/*errorMsg*/ ctx[2] && /*value*/ ctx[0]) { - if (if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1 = create_if_block$G(ctx); - if_block1.c(); - if_block1.m(if_block1_anchor.parentNode, if_block1_anchor); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(label_1); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(input); - if (detaching) detach_dev(t2); - if (if_block0) if_block0.d(detaching); - if (detaching) detach_dev(t3); - if (if_block1) if_block1.d(detaching); - if (detaching) detach_dev(if_block1_anchor); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$S.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$S($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('TextField', slots, []); - const dispatch = createEventDispatcher(); - let { label } = $$props; - let { value = "" } = $$props; - let { errorMsg = "" } = $$props; - let { type = "text" } = $$props; - let { autocomplete = "" } = $$props; - let { required = true } = $$props; - let { placeholder = "" } = $$props; - const enterKey = key => key.code === "Enter" && dispatch("enterKey"); - - const handleInput = e => { - // in here, you can switch on type and implement - // whatever behaviour you need - $$invalidate(0, value = type.match(/^(number|range)$/) - ? +e.target.value - : e.target.value); - }; - - $$self.$$.on_mount.push(function () { - if (label === undefined && !('label' in $$props || $$self.$$.bound[$$self.$$.props['label']])) { - console.warn(" was created without expected prop 'label'"); - } - }); - - const writable_props = [ - 'label', - 'value', - 'errorMsg', - 'type', - 'autocomplete', - 'required', - 'placeholder' - ]; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('label' in $$props) $$invalidate(1, label = $$props.label); - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('errorMsg' in $$props) $$invalidate(2, errorMsg = $$props.errorMsg); - if ('type' in $$props) $$invalidate(3, type = $$props.type); - if ('autocomplete' in $$props) $$invalidate(4, autocomplete = $$props.autocomplete); - if ('required' in $$props) $$invalidate(5, required = $$props.required); - if ('placeholder' in $$props) $$invalidate(6, placeholder = $$props.placeholder); - }; - - $$self.$capture_state = () => ({ - createEventDispatcher, - dispatch, - label, - value, - errorMsg, - type, - autocomplete, - required, - placeholder, - enterKey, - handleInput - }); - - $$self.$inject_state = $$props => { - if ('label' in $$props) $$invalidate(1, label = $$props.label); - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('errorMsg' in $$props) $$invalidate(2, errorMsg = $$props.errorMsg); - if ('type' in $$props) $$invalidate(3, type = $$props.type); - if ('autocomplete' in $$props) $$invalidate(4, autocomplete = $$props.autocomplete); - if ('required' in $$props) $$invalidate(5, required = $$props.required); - if ('placeholder' in $$props) $$invalidate(6, placeholder = $$props.placeholder); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - value, - label, - errorMsg, - type, - autocomplete, - required, - placeholder, - enterKey, - handleInput - ]; - } - - class TextField extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$S, create_fragment$S, safe_not_equal, { - label: 1, - value: 0, - errorMsg: 2, - type: 3, - autocomplete: 4, - required: 5, - placeholder: 6 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "TextField", - options, - id: create_fragment$S.name - }); - } - - get label() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set label(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get errorMsg() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set errorMsg(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get type() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set type(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get autocomplete() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set autocomplete(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get required() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set required(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get placeholder() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set placeholder(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/SocialLogin.svelte generated by Svelte v3.59.1 */ - const file$R = "src/components/misccomponents/SocialLogin.svelte"; - - // (75:4) {#if loading} - function create_if_block_1$s(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$s.name, - type: "if", - source: "(75:4) {#if loading}", - ctx - }); - - return block; - } - - // (102:4) {#if loading} - function create_if_block$F(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$F.name, - type: "if", - source: "(102:4) {#if loading}", - ctx - }); - - return block; - } - - function create_fragment$R(ctx) { - let div0; - let button0; - let svg0; - let path0; - let path1; - let path2; - let path3; - let t0; - let t1; - let div1; - let button1; - let svg1; - let path4; - let t2; - let current; - let mounted; - let dispose; - let if_block0 = /*loading*/ ctx[0] && create_if_block_1$s(ctx); - let if_block1 = /*loading*/ ctx[0] && create_if_block$F(ctx); - - const block = { - c: function create() { - div0 = element("div"); - button0 = element("button"); - svg0 = svg_element("svg"); - path0 = svg_element("path"); - path1 = svg_element("path"); - path2 = svg_element("path"); - path3 = svg_element("path"); - t0 = text("\n Sign In Using Google\n "); - if (if_block0) if_block0.c(); - t1 = space(); - div1 = element("div"); - button1 = element("button"); - svg1 = svg_element("svg"); - path4 = svg_element("path"); - t2 = text("\n Sign In Using Facebook\n "); - if (if_block1) if_block1.c(); - attr_dev(path0, "d", "M255.878\n 133.451c0-10.734-.871-18.567-2.756-26.69H130.55v48.448h71.947c-1.45\n 12.04-9.283 30.172-26.69 42.356l-.244 1.622 38.755 30.023\n 2.685.268c24.659-22.774 38.875-56.282 38.875-96.027"); - attr_dev(path0, "fill", "#4285F4"); - add_location(path0, file$R, 49, 6, 1149); - attr_dev(path1, "d", "M130.55 261.1c35.248 0 64.839-11.605\n 86.453-31.622l-41.196-31.913c-11.024 7.688-25.82 13.055-45.257\n 13.055-34.523 0-63.824-22.773-74.269-54.25l-1.531.13-40.298 31.187-.527\n 1.465C35.393 231.798 79.49 261.1 130.55 261.1"); - attr_dev(path1, "fill", "#34A853"); - add_location(path1, file$R, 55, 6, 1410); - attr_dev(path2, "d", "M56.281 156.37c-2.756-8.123-4.351-16.827-4.351-25.82 0-8.994\n 1.595-17.697 4.206-25.82l-.073-1.73L15.26 71.312l-1.335.635C5.077 89.644\n 0 109.517 0 130.55s5.077 40.905 13.925 58.602l42.356-32.782"); - attr_dev(path2, "fill", "#FBBC05"); - add_location(path2, file$R, 61, 6, 1702); - attr_dev(path3, "d", "M130.55 50.479c24.514 0 41.05 10.589 50.479\n 19.438l36.844-35.974C195.245 12.91 165.798 0 130.55 0 79.49 0 35.393\n 29.301 13.925 71.947l42.211 32.783c10.59-31.477 39.891-54.251\n 74.414-54.251"); - attr_dev(path3, "fill", "#EB4335"); - add_location(path3, file$R, 66, 6, 1962); - attr_dev(svg0, "width", "22"); - attr_dev(svg0, "height", "22"); - attr_dev(svg0, "class", "inline-block mr-1"); - attr_dev(svg0, "viewBox", "0 0 256 262"); - attr_dev(svg0, "xmlns", "http://www.w3.org/2000/svg"); - attr_dev(svg0, "preserveAspectRatio", "xMidYMid"); - add_location(svg0, file$R, 42, 4, 964); - attr_dev(button0, "type", "button"); - button0.disabled = /*loading*/ ctx[0]; - attr_dev(button0, "class", "social bg-white hover:bg-red-400 block hover:text-white py-2 px-4 border border-red-700 hover:border-transparent rounded svelte-fjaw1s"); - add_location(button0, file$R, 36, 2, 732); - attr_dev(div0, "class", "mb-2 mx-auto"); - add_location(div0, file$R, 35, 0, 703); - attr_dev(path4, "d", "M158.232 219.912v-94.461h31.707l4.747-36.813h-36.454V65.134c0-10.658\n 2.96-17.922\n 18.245-17.922l19.494-.009V14.278c-3.373-.447-14.944-1.449-28.406-1.449-28.106\n 0-47.348 17.155-47.348\n 48.661v27.149H88.428v36.813h31.788v94.461l38.016-.001z"); - attr_dev(path4, "fill", "#3c5a9a"); - add_location(path4, file$R, 92, 6, 2752); - attr_dev(svg1, "xmlns", "http://www.w3.org/2000/svg"); - attr_dev(svg1, "width", "22"); - attr_dev(svg1, "height", "22"); - attr_dev(svg1, "class", "inline-block"); - attr_dev(svg1, "viewBox", "88.428 12.828 107.543 207.085"); - add_location(svg1, file$R, 86, 4, 2591); - attr_dev(button1, "type", "button"); - button1.disabled = /*loading*/ ctx[0]; - attr_dev(button1, "class", "social bg-white hover:bg-blue-500 block hover:text-white py-2 px-4 border border-blue-700 hover:border-transparent rounded svelte-fjaw1s"); - add_location(button1, file$R, 80, 2, 2354); - attr_dev(div1, "class", "mb-4 mx-auto"); - add_location(div1, file$R, 79, 0, 2325); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div0, anchor); - append_dev(div0, button0); - append_dev(button0, svg0); - append_dev(svg0, path0); - append_dev(svg0, path1); - append_dev(svg0, path2); - append_dev(svg0, path3); - append_dev(button0, t0); - if (if_block0) if_block0.m(button0, null); - insert_dev(target, t1, anchor); - insert_dev(target, div1, anchor); - append_dev(div1, button1); - append_dev(button1, svg1); - append_dev(svg1, path4); - append_dev(button1, t2); - if (if_block1) if_block1.m(button1, null); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(button0, "click", prevent_default(/*loginGmail*/ ctx[1]), false, true, false, false), - listen_dev(button1, "click", prevent_default(/*loginFacebook*/ ctx[2]), false, true, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (/*loading*/ ctx[0]) { - if (if_block0) { - if (dirty & /*loading*/ 1) { - transition_in(if_block0, 1); - } - } else { - if_block0 = create_if_block_1$s(ctx); - if_block0.c(); - transition_in(if_block0, 1); - if_block0.m(button0, null); - } - } else if (if_block0) { - group_outros(); - - transition_out(if_block0, 1, 1, () => { - if_block0 = null; - }); - - check_outros(); - } - - if (!current || dirty & /*loading*/ 1) { - prop_dev(button0, "disabled", /*loading*/ ctx[0]); - } - - if (/*loading*/ ctx[0]) { - if (if_block1) { - if (dirty & /*loading*/ 1) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block$F(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(button1, null); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - - if (!current || dirty & /*loading*/ 1) { - prop_dev(button1, "disabled", /*loading*/ ctx[0]); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block0); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(if_block0); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div0); - if (if_block0) if_block0.d(); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(div1); - if (if_block1) if_block1.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$R.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$R($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('SocialLogin', slots, []); - let loading; - - const login = promise => { - $$invalidate(3, serverError = ""); - $$invalidate(0, loading = true); - return promise.catch(err => $$invalidate(3, serverError = err.message)).finally(() => $$invalidate(0, loading = false)); - }; - - const loginGmail = () => login(firebase.auth().signInWithRedirect(new firebase.auth.GoogleAuthProvider())); - const loginFacebook = () => login(firebase.auth().signInWithRedirect(new firebase.auth.FacebookAuthProvider())); - let { serverError } = $$props; - - $$self.$$.on_mount.push(function () { - if (serverError === undefined && !('serverError' in $$props || $$self.$$.bound[$$self.$$.props['serverError']])) { - console.warn(" was created without expected prop 'serverError'"); - } - }); - - const writable_props = ['serverError']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('serverError' in $$props) $$invalidate(3, serverError = $$props.serverError); - }; - - $$self.$capture_state = () => ({ - firebase, - LoadingCirle: LoadingCircle, - loading, - login, - loginGmail, - loginFacebook, - serverError - }); - - $$self.$inject_state = $$props => { - if ('loading' in $$props) $$invalidate(0, loading = $$props.loading); - if ('serverError' in $$props) $$invalidate(3, serverError = $$props.serverError); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [loading, loginGmail, loginFacebook, serverError]; - } - - class SocialLogin extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$R, create_fragment$R, safe_not_equal, { serverError: 3 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "SocialLogin", - options, - id: create_fragment$R.name - }); - } - - get serverError() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set serverError(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var So$1={166:{"value":"00A6","name":"BROKEN BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BROKEN VERTICAL BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\xA6"},169:{"value":"00A9","name":"COPYRIGHT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\xA9"},174:{"value":"00AE","name":"REGISTERED SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"REGISTERED TRADE MARK SIGN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\xAE"},176:{"value":"00B0","name":"DEGREE SIGN","category":"So","class":"0","bidirectional_category":"ET","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\xB0"},1154:{"value":"0482","name":"CYRILLIC THOUSANDS SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0482"},1421:{"value":"058D","name":"RIGHT-FACING ARMENIAN ETERNITY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u058D"},1422:{"value":"058E","name":"LEFT-FACING ARMENIAN ETERNITY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u058E"},1550:{"value":"060E","name":"ARABIC POETIC VERSE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u060E"},1551:{"value":"060F","name":"ARABIC SIGN MISRA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u060F"},1758:{"value":"06DE","name":"ARABIC START OF RUB EL HIZB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u06DE"},1769:{"value":"06E9","name":"ARABIC PLACE OF SAJDAH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u06E9"},1789:{"value":"06FD","name":"ARABIC SIGN SINDHI AMPERSAND","category":"So","class":"0","bidirectional_category":"AL","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u06FD"},1790:{"value":"06FE","name":"ARABIC SIGN SINDHI POSTPOSITION MEN","category":"So","class":"0","bidirectional_category":"AL","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u06FE"},2038:{"value":"07F6","name":"NKO SYMBOL OO DENNEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u07F6"},2554:{"value":"09FA","name":"BENGALI ISSHAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u09FA"},2928:{"value":"0B70","name":"ORIYA ISSHAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0B70"},3059:{"value":"0BF3","name":"TAMIL DAY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF3"},3060:{"value":"0BF4","name":"TAMIL MONTH SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF4"},3061:{"value":"0BF5","name":"TAMIL YEAR SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF5"},3062:{"value":"0BF6","name":"TAMIL DEBIT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF6"},3063:{"value":"0BF7","name":"TAMIL CREDIT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF7"},3064:{"value":"0BF8","name":"TAMIL AS ABOVE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BF8"},3066:{"value":"0BFA","name":"TAMIL NUMBER SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0BFA"},3199:{"value":"0C7F","name":"TELUGU SIGN TUUMU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0C7F"},3407:{"value":"0D4F","name":"MALAYALAM SIGN PARA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0D4F"},3449:{"value":"0D79","name":"MALAYALAM DATE MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0D79"},3841:{"value":"0F01","name":"TIBETAN MARK GTER YIG MGO TRUNCATED A","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F01"},3842:{"value":"0F02","name":"TIBETAN MARK GTER YIG MGO -UM RNAM BCAD MA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F02"},3843:{"value":"0F03","name":"TIBETAN MARK GTER YIG MGO -UM GTER TSHEG MA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F03"},3859:{"value":"0F13","name":"TIBETAN MARK CARET -DZUD RTAGS ME LONG CAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F13"},3861:{"value":"0F15","name":"TIBETAN LOGOTYPE SIGN CHAD RTAGS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F15"},3862:{"value":"0F16","name":"TIBETAN LOGOTYPE SIGN LHAG RTAGS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F16"},3863:{"value":"0F17","name":"TIBETAN ASTROLOGICAL SIGN SGRA GCAN -CHAR RTAGS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F17"},3866:{"value":"0F1A","name":"TIBETAN SIGN RDEL DKAR GCIG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1A"},3867:{"value":"0F1B","name":"TIBETAN SIGN RDEL DKAR GNYIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1B"},3868:{"value":"0F1C","name":"TIBETAN SIGN RDEL DKAR GSUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1C"},3869:{"value":"0F1D","name":"TIBETAN SIGN RDEL NAG GCIG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1D"},3870:{"value":"0F1E","name":"TIBETAN SIGN RDEL NAG GNYIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1E"},3871:{"value":"0F1F","name":"TIBETAN SIGN RDEL DKAR RDEL NAG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F1F"},3892:{"value":"0F34","name":"TIBETAN MARK BSDUS RTAGS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F34"},3894:{"value":"0F36","name":"TIBETAN MARK CARET -DZUD RTAGS BZHI MIG CAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F36"},3896:{"value":"0F38","name":"TIBETAN MARK CHE MGO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0F38"},4030:{"value":"0FBE","name":"TIBETAN KU RU KHA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FBE"},4031:{"value":"0FBF","name":"TIBETAN KU RU KHA BZHI MIG CAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FBF"},4032:{"value":"0FC0","name":"TIBETAN CANTILLATION SIGN HEAVY BEAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC0"},4033:{"value":"0FC1","name":"TIBETAN CANTILLATION SIGN LIGHT BEAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC1"},4034:{"value":"0FC2","name":"TIBETAN CANTILLATION SIGN CANG TE-U","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC2"},4035:{"value":"0FC3","name":"TIBETAN CANTILLATION SIGN SBUB -CHAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC3"},4036:{"value":"0FC4","name":"TIBETAN SYMBOL DRIL BU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC4"},4037:{"value":"0FC5","name":"TIBETAN SYMBOL RDO RJE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC5"},4039:{"value":"0FC7","name":"TIBETAN SYMBOL RDO RJE RGYA GRAM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC7"},4040:{"value":"0FC8","name":"TIBETAN SYMBOL PHUR PA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC8"},4041:{"value":"0FC9","name":"TIBETAN SYMBOL NOR BU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FC9"},4042:{"value":"0FCA","name":"TIBETAN SYMBOL NOR BU NYIS -KHYIL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FCA"},4043:{"value":"0FCB","name":"TIBETAN SYMBOL NOR BU GSUM -KHYIL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FCB"},4044:{"value":"0FCC","name":"TIBETAN SYMBOL NOR BU BZHI -KHYIL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FCC"},4046:{"value":"0FCE","name":"TIBETAN SIGN RDEL NAG RDEL DKAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FCE"},4047:{"value":"0FCF","name":"TIBETAN SIGN RDEL NAG GSUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FCF"},4053:{"value":"0FD5","name":"RIGHT-FACING SVASTI SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FD5"},4054:{"value":"0FD6","name":"LEFT-FACING SVASTI SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FD6"},4055:{"value":"0FD7","name":"RIGHT-FACING SVASTI SIGN WITH DOTS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FD7"},4056:{"value":"0FD8","name":"LEFT-FACING SVASTI SIGN WITH DOTS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0FD8"},4254:{"value":"109E","name":"MYANMAR SYMBOL SHAN ONE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u109E"},4255:{"value":"109F","name":"MYANMAR SYMBOL SHAN EXCLAMATION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u109F"},5008:{"value":"1390","name":"ETHIOPIC TONAL MARK YIZET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1390"},5009:{"value":"1391","name":"ETHIOPIC TONAL MARK DERET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1391"},5010:{"value":"1392","name":"ETHIOPIC TONAL MARK RIKRIK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1392"},5011:{"value":"1393","name":"ETHIOPIC TONAL MARK SHORT RIKRIK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1393"},5012:{"value":"1394","name":"ETHIOPIC TONAL MARK DIFAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1394"},5013:{"value":"1395","name":"ETHIOPIC TONAL MARK KENAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1395"},5014:{"value":"1396","name":"ETHIOPIC TONAL MARK CHIRET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1396"},5015:{"value":"1397","name":"ETHIOPIC TONAL MARK HIDET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1397"},5016:{"value":"1398","name":"ETHIOPIC TONAL MARK DERET-HIDET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1398"},5017:{"value":"1399","name":"ETHIOPIC TONAL MARK KURT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1399"},5741:{"value":"166D","name":"CANADIAN SYLLABICS CHI SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u166D"},6464:{"value":"1940","name":"LIMBU SIGN LOO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1940"},6622:{"value":"19DE","name":"NEW TAI LUE SIGN LAE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19DE"},6623:{"value":"19DF","name":"NEW TAI LUE SIGN LAEV","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19DF"},6624:{"value":"19E0","name":"KHMER SYMBOL PATHAMASAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E0"},6625:{"value":"19E1","name":"KHMER SYMBOL MUOY KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E1"},6626:{"value":"19E2","name":"KHMER SYMBOL PII KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E2"},6627:{"value":"19E3","name":"KHMER SYMBOL BEI KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E3"},6628:{"value":"19E4","name":"KHMER SYMBOL BUON KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E4"},6629:{"value":"19E5","name":"KHMER SYMBOL PRAM KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E5"},6630:{"value":"19E6","name":"KHMER SYMBOL PRAM-MUOY KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E6"},6631:{"value":"19E7","name":"KHMER SYMBOL PRAM-PII KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E7"},6632:{"value":"19E8","name":"KHMER SYMBOL PRAM-BEI KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E8"},6633:{"value":"19E9","name":"KHMER SYMBOL PRAM-BUON KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19E9"},6634:{"value":"19EA","name":"KHMER SYMBOL DAP KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19EA"},6635:{"value":"19EB","name":"KHMER SYMBOL DAP-MUOY KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19EB"},6636:{"value":"19EC","name":"KHMER SYMBOL DAP-PII KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19EC"},6637:{"value":"19ED","name":"KHMER SYMBOL DAP-BEI KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19ED"},6638:{"value":"19EE","name":"KHMER SYMBOL DAP-BUON KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19EE"},6639:{"value":"19EF","name":"KHMER SYMBOL DAP-PRAM KOET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19EF"},6640:{"value":"19F0","name":"KHMER SYMBOL TUTEYASAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F0"},6641:{"value":"19F1","name":"KHMER SYMBOL MUOY ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F1"},6642:{"value":"19F2","name":"KHMER SYMBOL PII ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F2"},6643:{"value":"19F3","name":"KHMER SYMBOL BEI ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F3"},6644:{"value":"19F4","name":"KHMER SYMBOL BUON ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F4"},6645:{"value":"19F5","name":"KHMER SYMBOL PRAM ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F5"},6646:{"value":"19F6","name":"KHMER SYMBOL PRAM-MUOY ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F6"},6647:{"value":"19F7","name":"KHMER SYMBOL PRAM-PII ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F7"},6648:{"value":"19F8","name":"KHMER SYMBOL PRAM-BEI ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F8"},6649:{"value":"19F9","name":"KHMER SYMBOL PRAM-BUON ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19F9"},6650:{"value":"19FA","name":"KHMER SYMBOL DAP ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FA"},6651:{"value":"19FB","name":"KHMER SYMBOL DAP-MUOY ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FB"},6652:{"value":"19FC","name":"KHMER SYMBOL DAP-PII ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FC"},6653:{"value":"19FD","name":"KHMER SYMBOL DAP-BEI ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FD"},6654:{"value":"19FE","name":"KHMER SYMBOL DAP-BUON ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FE"},6655:{"value":"19FF","name":"KHMER SYMBOL DAP-PRAM ROC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u19FF"},7009:{"value":"1B61","name":"BALINESE MUSICAL SYMBOL DONG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B61"},7010:{"value":"1B62","name":"BALINESE MUSICAL SYMBOL DENG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B62"},7011:{"value":"1B63","name":"BALINESE MUSICAL SYMBOL DUNG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B63"},7012:{"value":"1B64","name":"BALINESE MUSICAL SYMBOL DANG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B64"},7013:{"value":"1B65","name":"BALINESE MUSICAL SYMBOL DANG SURANG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B65"},7014:{"value":"1B66","name":"BALINESE MUSICAL SYMBOL DING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B66"},7015:{"value":"1B67","name":"BALINESE MUSICAL SYMBOL DAENG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B67"},7016:{"value":"1B68","name":"BALINESE MUSICAL SYMBOL DEUNG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B68"},7017:{"value":"1B69","name":"BALINESE MUSICAL SYMBOL DAING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B69"},7018:{"value":"1B6A","name":"BALINESE MUSICAL SYMBOL DANG GEDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B6A"},7028:{"value":"1B74","name":"BALINESE MUSICAL SYMBOL RIGHT-HAND OPEN DUG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B74"},7029:{"value":"1B75","name":"BALINESE MUSICAL SYMBOL RIGHT-HAND OPEN DAG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B75"},7030:{"value":"1B76","name":"BALINESE MUSICAL SYMBOL RIGHT-HAND CLOSED TUK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B76"},7031:{"value":"1B77","name":"BALINESE MUSICAL SYMBOL RIGHT-HAND CLOSED TAK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B77"},7032:{"value":"1B78","name":"BALINESE MUSICAL SYMBOL LEFT-HAND OPEN PANG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B78"},7033:{"value":"1B79","name":"BALINESE MUSICAL SYMBOL LEFT-HAND OPEN PUNG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B79"},7034:{"value":"1B7A","name":"BALINESE MUSICAL SYMBOL LEFT-HAND CLOSED PLAK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B7A"},7035:{"value":"1B7B","name":"BALINESE MUSICAL SYMBOL LEFT-HAND CLOSED PLUK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B7B"},7036:{"value":"1B7C","name":"BALINESE MUSICAL SYMBOL LEFT-HAND OPEN PING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1B7C"},8448:{"value":"2100","name":"ACCOUNT OF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0061 002F 0063","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2100"},8449:{"value":"2101","name":"ADDRESSED TO THE SUBJECT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0061 002F 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2101"},8451:{"value":"2103","name":"DEGREE CELSIUS","category":"So","class":"0","bidirectional_category":"ON","mapping":" 00B0 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DEGREES CENTIGRADE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2103"},8452:{"value":"2104","name":"CENTRE LINE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"C L SYMBOL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2104"},8453:{"value":"2105","name":"CARE OF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0063 002F 006F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2105"},8454:{"value":"2106","name":"CADA UNA","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0063 002F 0075","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2106"},8456:{"value":"2108","name":"SCRUPLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2108"},8457:{"value":"2109","name":"DEGREE FAHRENHEIT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 00B0 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DEGREES FAHRENHEIT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2109"},8468:{"value":"2114","name":"L B BAR SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2114"},8470:{"value":"2116","name":"NUMERO SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 004E 006F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"NUMERO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2116"},8471:{"value":"2117","name":"SOUND RECORDING COPYRIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2117"},8478:{"value":"211E","name":"PRESCRIPTION TAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u211E"},8479:{"value":"211F","name":"RESPONSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u211F"},8480:{"value":"2120","name":"SERVICE MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0053 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2120"},8481:{"value":"2121","name":"TELEPHONE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0054 0045 004C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"T E L SYMBOL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2121"},8482:{"value":"2122","name":"TRADE MARK SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0054 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"TRADEMARK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2122"},8483:{"value":"2123","name":"VERSICLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2123"},8485:{"value":"2125","name":"OUNCE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OUNCE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2125"},8487:{"value":"2127","name":"INVERTED OHM SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"MHO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2127"},8489:{"value":"2129","name":"TURNED GREEK SMALL LETTER IOTA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2129"},8494:{"value":"212E","name":"ESTIMATED SYMBOL","category":"So","class":"0","bidirectional_category":"ET","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u212E"},8506:{"value":"213A","name":"ROTATED CAPITAL Q","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u213A"},8507:{"value":"213B","name":"FACSIMILE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0046 0041 0058","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u213B"},8522:{"value":"214A","name":"PROPERTY LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u214A"},8524:{"value":"214C","name":"PER SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u214C"},8525:{"value":"214D","name":"AKTIESELSKAB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u214D"},8527:{"value":"214F","name":"SYMBOL FOR SAMARITAN SOURCE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u214F"},8586:{"value":"218A","name":"TURNED DIGIT TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u218A"},8587:{"value":"218B","name":"TURNED DIGIT THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u218B"},8597:{"value":"2195","name":"UP DOWN ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2195"},8598:{"value":"2196","name":"NORTH WEST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UPPER LEFT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2196"},8599:{"value":"2197","name":"NORTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UPPER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2197"},8600:{"value":"2198","name":"SOUTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LOWER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2198"},8601:{"value":"2199","name":"SOUTH WEST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LOWER LEFT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2199"},8604:{"value":"219C","name":"LEFTWARDS WAVE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT WAVE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u219C"},8605:{"value":"219D","name":"RIGHTWARDS WAVE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT WAVE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u219D"},8606:{"value":"219E","name":"LEFTWARDS TWO HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT TWO HEADED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u219E"},8607:{"value":"219F","name":"UPWARDS TWO HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP TWO HEADED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u219F"},8609:{"value":"21A1","name":"DOWNWARDS TWO HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN TWO HEADED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A1"},8610:{"value":"21A2","name":"LEFTWARDS ARROW WITH TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW WITH TAIL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A2"},8612:{"value":"21A4","name":"LEFTWARDS ARROW FROM BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW FROM BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A4"},8613:{"value":"21A5","name":"UPWARDS ARROW FROM BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP ARROW FROM BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A5"},8615:{"value":"21A7","name":"DOWNWARDS ARROW FROM BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ARROW FROM BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A7"},8616:{"value":"21A8","name":"UP DOWN ARROW WITH BASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A8"},8617:{"value":"21A9","name":"LEFTWARDS ARROW WITH HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW WITH HOOK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21A9"},8618:{"value":"21AA","name":"RIGHTWARDS ARROW WITH HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT ARROW WITH HOOK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21AA"},8619:{"value":"21AB","name":"LEFTWARDS ARROW WITH LOOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW WITH LOOP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21AB"},8620:{"value":"21AC","name":"RIGHTWARDS ARROW WITH LOOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT ARROW WITH LOOP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21AC"},8621:{"value":"21AD","name":"LEFT RIGHT WAVE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21AD"},8623:{"value":"21AF","name":"DOWNWARDS ZIGZAG ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ZIGZAG ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21AF"},8624:{"value":"21B0","name":"UPWARDS ARROW WITH TIP LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP ARROW WITH TIP LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B0"},8625:{"value":"21B1","name":"UPWARDS ARROW WITH TIP RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP ARROW WITH TIP RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B1"},8626:{"value":"21B2","name":"DOWNWARDS ARROW WITH TIP LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ARROW WITH TIP LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B2"},8627:{"value":"21B3","name":"DOWNWARDS ARROW WITH TIP RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ARROW WITH TIP RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B3"},8628:{"value":"21B4","name":"RIGHTWARDS ARROW WITH CORNER DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT ARROW WITH CORNER DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B4"},8629:{"value":"21B5","name":"DOWNWARDS ARROW WITH CORNER LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ARROW WITH CORNER LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B5"},8630:{"value":"21B6","name":"ANTICLOCKWISE TOP SEMICIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B6"},8631:{"value":"21B7","name":"CLOCKWISE TOP SEMICIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B7"},8632:{"value":"21B8","name":"NORTH WEST ARROW TO LONG BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UPPER LEFT ARROW TO LONG BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B8"},8633:{"value":"21B9","name":"LEFTWARDS ARROW TO BAR OVER RIGHTWARDS ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW TO BAR OVER RIGHT ARROW TO BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21B9"},8634:{"value":"21BA","name":"ANTICLOCKWISE OPEN CIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BA"},8635:{"value":"21BB","name":"CLOCKWISE OPEN CIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BB"},8636:{"value":"21BC","name":"LEFTWARDS HARPOON WITH BARB UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT HARPOON WITH BARB UP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BC"},8637:{"value":"21BD","name":"LEFTWARDS HARPOON WITH BARB DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT HARPOON WITH BARB DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BD"},8638:{"value":"21BE","name":"UPWARDS HARPOON WITH BARB RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP HARPOON WITH BARB RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BE"},8639:{"value":"21BF","name":"UPWARDS HARPOON WITH BARB LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP HARPOON WITH BARB LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21BF"},8640:{"value":"21C0","name":"RIGHTWARDS HARPOON WITH BARB UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT HARPOON WITH BARB UP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C0"},8641:{"value":"21C1","name":"RIGHTWARDS HARPOON WITH BARB DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT HARPOON WITH BARB DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C1"},8642:{"value":"21C2","name":"DOWNWARDS HARPOON WITH BARB RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN HARPOON WITH BARB RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C2"},8643:{"value":"21C3","name":"DOWNWARDS HARPOON WITH BARB LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN HARPOON WITH BARB LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C3"},8644:{"value":"21C4","name":"RIGHTWARDS ARROW OVER LEFTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT ARROW OVER LEFT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C4"},8645:{"value":"21C5","name":"UPWARDS ARROW LEFTWARDS OF DOWNWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP ARROW LEFT OF DOWN ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C5"},8646:{"value":"21C6","name":"LEFTWARDS ARROW OVER RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW OVER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C6"},8647:{"value":"21C7","name":"LEFTWARDS PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT PAIRED ARROWS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C7"},8648:{"value":"21C8","name":"UPWARDS PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP PAIRED ARROWS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C8"},8649:{"value":"21C9","name":"RIGHTWARDS PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT PAIRED ARROWS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21C9"},8650:{"value":"21CA","name":"DOWNWARDS PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN PAIRED ARROWS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21CA"},8651:{"value":"21CB","name":"LEFTWARDS HARPOON OVER RIGHTWARDS HARPOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT HARPOON OVER RIGHT HARPOON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21CB"},8652:{"value":"21CC","name":"RIGHTWARDS HARPOON OVER LEFTWARDS HARPOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT HARPOON OVER LEFT HARPOON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21CC"},8653:{"value":"21CD","name":"LEFTWARDS DOUBLE ARROW WITH STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"21D0 0338","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT DOUBLE ARROW WITH STROKE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21CD"},8656:{"value":"21D0","name":"LEFTWARDS DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D0"},8657:{"value":"21D1","name":"UPWARDS DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D1"},8659:{"value":"21D3","name":"DOWNWARDS DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D3"},8661:{"value":"21D5","name":"UP DOWN DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D5"},8662:{"value":"21D6","name":"NORTH WEST DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UPPER LEFT DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D6"},8663:{"value":"21D7","name":"NORTH EAST DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UPPER RIGHT DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D7"},8664:{"value":"21D8","name":"SOUTH EAST DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LOWER RIGHT DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D8"},8665:{"value":"21D9","name":"SOUTH WEST DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LOWER LEFT DOUBLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21D9"},8666:{"value":"21DA","name":"LEFTWARDS TRIPLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT TRIPLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DA"},8667:{"value":"21DB","name":"RIGHTWARDS TRIPLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT TRIPLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DB"},8668:{"value":"21DC","name":"LEFTWARDS SQUIGGLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT SQUIGGLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DC"},8669:{"value":"21DD","name":"RIGHTWARDS SQUIGGLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT SQUIGGLE ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DD"},8670:{"value":"21DE","name":"UPWARDS ARROW WITH DOUBLE STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP ARROW WITH DOUBLE STROKE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DE"},8671:{"value":"21DF","name":"DOWNWARDS ARROW WITH DOUBLE STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN ARROW WITH DOUBLE STROKE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21DF"},8672:{"value":"21E0","name":"LEFTWARDS DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT DASHED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E0"},8673:{"value":"21E1","name":"UPWARDS DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP DASHED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E1"},8674:{"value":"21E2","name":"RIGHTWARDS DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT DASHED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E2"},8675:{"value":"21E3","name":"DOWNWARDS DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DOWN DASHED ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E3"},8676:{"value":"21E4","name":"LEFTWARDS ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT ARROW TO BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E4"},8677:{"value":"21E5","name":"RIGHTWARDS ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT ARROW TO BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E5"},8678:{"value":"21E6","name":"LEFTWARDS WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE LEFT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E6"},8679:{"value":"21E7","name":"UPWARDS WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE UP ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E7"},8680:{"value":"21E8","name":"RIGHTWARDS WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E8"},8681:{"value":"21E9","name":"DOWNWARDS WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE DOWN ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21E9"},8682:{"value":"21EA","name":"UPWARDS WHITE ARROW FROM BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE UP ARROW FROM BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21EA"},8683:{"value":"21EB","name":"UPWARDS WHITE ARROW ON PEDESTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21EB"},8684:{"value":"21EC","name":"UPWARDS WHITE ARROW ON PEDESTAL WITH HORIZONTAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21EC"},8685:{"value":"21ED","name":"UPWARDS WHITE ARROW ON PEDESTAL WITH VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21ED"},8686:{"value":"21EE","name":"UPWARDS WHITE DOUBLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21EE"},8687:{"value":"21EF","name":"UPWARDS WHITE DOUBLE ARROW ON PEDESTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21EF"},8688:{"value":"21F0","name":"RIGHTWARDS WHITE ARROW FROM WALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21F0"},8689:{"value":"21F1","name":"NORTH WEST ARROW TO CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21F1"},8690:{"value":"21F2","name":"SOUTH EAST ARROW TO CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21F2"},8691:{"value":"21F3","name":"UP DOWN WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u21F3"},8960:{"value":"2300","name":"DIAMETER SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2300"},8961:{"value":"2301","name":"ELECTRIC ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2301"},8962:{"value":"2302","name":"HOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2302"},8963:{"value":"2303","name":"UP ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2303"},8964:{"value":"2304","name":"DOWN ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2304"},8965:{"value":"2305","name":"PROJECTIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2305"},8966:{"value":"2306","name":"PERSPECTIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2306"},8967:{"value":"2307","name":"WAVY LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2307"},8972:{"value":"230C","name":"BOTTOM RIGHT CROP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u230C"},8973:{"value":"230D","name":"BOTTOM LEFT CROP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u230D"},8974:{"value":"230E","name":"TOP RIGHT CROP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u230E"},8975:{"value":"230F","name":"TOP LEFT CROP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u230F"},8976:{"value":"2310","name":"REVERSED NOT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2310"},8977:{"value":"2311","name":"SQUARE LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2311"},8978:{"value":"2312","name":"ARC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2312"},8979:{"value":"2313","name":"SEGMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2313"},8980:{"value":"2314","name":"SECTOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2314"},8981:{"value":"2315","name":"TELEPHONE RECORDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2315"},8982:{"value":"2316","name":"POSITION INDICATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2316"},8983:{"value":"2317","name":"VIEWDATA SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2317"},8984:{"value":"2318","name":"PLACE OF INTEREST SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"COMMAND KEY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2318"},8985:{"value":"2319","name":"TURNED NOT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2319"},8986:{"value":"231A","name":"WATCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231A"},8987:{"value":"231B","name":"HOURGLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231B"},8988:{"value":"231C","name":"TOP LEFT CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231C"},8989:{"value":"231D","name":"TOP RIGHT CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231D"},8990:{"value":"231E","name":"BOTTOM LEFT CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231E"},8991:{"value":"231F","name":"BOTTOM RIGHT CORNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u231F"},8994:{"value":"2322","name":"FROWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2322"},8995:{"value":"2323","name":"SMILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2323"},8996:{"value":"2324","name":"UP ARROWHEAD BETWEEN TWO HORIZONTAL BARS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"ENTER KEY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2324"},8997:{"value":"2325","name":"OPTION KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2325"},8998:{"value":"2326","name":"ERASE TO THE RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DELETE TO THE RIGHT KEY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2326"},8999:{"value":"2327","name":"X IN A RECTANGLE BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CLEAR KEY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2327"},9000:{"value":"2328","name":"KEYBOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2328"},9003:{"value":"232B","name":"ERASE TO THE LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DELETE TO THE LEFT KEY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u232B"},9004:{"value":"232C","name":"BENZENE RING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u232C"},9005:{"value":"232D","name":"CYLINDRICITY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u232D"},9006:{"value":"232E","name":"ALL AROUND-PROFILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u232E"},9007:{"value":"232F","name":"SYMMETRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u232F"},9008:{"value":"2330","name":"TOTAL RUNOUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2330"},9009:{"value":"2331","name":"DIMENSION ORIGIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2331"},9010:{"value":"2332","name":"CONICAL TAPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2332"},9011:{"value":"2333","name":"SLOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2333"},9012:{"value":"2334","name":"COUNTERBORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2334"},9013:{"value":"2335","name":"COUNTERSINK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2335"},9014:{"value":"2336","name":"APL FUNCTIONAL SYMBOL I-BEAM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2336"},9015:{"value":"2337","name":"APL FUNCTIONAL SYMBOL SQUISH QUAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2337"},9016:{"value":"2338","name":"APL FUNCTIONAL SYMBOL QUAD EQUAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2338"},9017:{"value":"2339","name":"APL FUNCTIONAL SYMBOL QUAD DIVIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2339"},9018:{"value":"233A","name":"APL FUNCTIONAL SYMBOL QUAD DIAMOND","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233A"},9019:{"value":"233B","name":"APL FUNCTIONAL SYMBOL QUAD JOT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233B"},9020:{"value":"233C","name":"APL FUNCTIONAL SYMBOL QUAD CIRCLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233C"},9021:{"value":"233D","name":"APL FUNCTIONAL SYMBOL CIRCLE STILE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233D"},9022:{"value":"233E","name":"APL FUNCTIONAL SYMBOL CIRCLE JOT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233E"},9023:{"value":"233F","name":"APL FUNCTIONAL SYMBOL SLASH BAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u233F"},9024:{"value":"2340","name":"APL FUNCTIONAL SYMBOL BACKSLASH BAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2340"},9025:{"value":"2341","name":"APL FUNCTIONAL SYMBOL QUAD SLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2341"},9026:{"value":"2342","name":"APL FUNCTIONAL SYMBOL QUAD BACKSLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2342"},9027:{"value":"2343","name":"APL FUNCTIONAL SYMBOL QUAD LESS-THAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2343"},9028:{"value":"2344","name":"APL FUNCTIONAL SYMBOL QUAD GREATER-THAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2344"},9029:{"value":"2345","name":"APL FUNCTIONAL SYMBOL LEFTWARDS VANE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2345"},9030:{"value":"2346","name":"APL FUNCTIONAL SYMBOL RIGHTWARDS VANE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2346"},9031:{"value":"2347","name":"APL FUNCTIONAL SYMBOL QUAD LEFTWARDS ARROW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2347"},9032:{"value":"2348","name":"APL FUNCTIONAL SYMBOL QUAD RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2348"},9033:{"value":"2349","name":"APL FUNCTIONAL SYMBOL CIRCLE BACKSLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2349"},9034:{"value":"234A","name":"APL FUNCTIONAL SYMBOL DOWN TACK UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234A"},9035:{"value":"234B","name":"APL FUNCTIONAL SYMBOL DELTA STILE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234B"},9036:{"value":"234C","name":"APL FUNCTIONAL SYMBOL QUAD DOWN CARET","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234C"},9037:{"value":"234D","name":"APL FUNCTIONAL SYMBOL QUAD DELTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234D"},9038:{"value":"234E","name":"APL FUNCTIONAL SYMBOL DOWN TACK JOT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234E"},9039:{"value":"234F","name":"APL FUNCTIONAL SYMBOL UPWARDS VANE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u234F"},9040:{"value":"2350","name":"APL FUNCTIONAL SYMBOL QUAD UPWARDS ARROW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2350"},9041:{"value":"2351","name":"APL FUNCTIONAL SYMBOL UP TACK OVERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2351"},9042:{"value":"2352","name":"APL FUNCTIONAL SYMBOL DEL STILE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2352"},9043:{"value":"2353","name":"APL FUNCTIONAL SYMBOL QUAD UP CARET","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2353"},9044:{"value":"2354","name":"APL FUNCTIONAL SYMBOL QUAD DEL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2354"},9045:{"value":"2355","name":"APL FUNCTIONAL SYMBOL UP TACK JOT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2355"},9046:{"value":"2356","name":"APL FUNCTIONAL SYMBOL DOWNWARDS VANE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2356"},9047:{"value":"2357","name":"APL FUNCTIONAL SYMBOL QUAD DOWNWARDS ARROW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2357"},9048:{"value":"2358","name":"APL FUNCTIONAL SYMBOL QUOTE UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2358"},9049:{"value":"2359","name":"APL FUNCTIONAL SYMBOL DELTA UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2359"},9050:{"value":"235A","name":"APL FUNCTIONAL SYMBOL DIAMOND UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235A"},9051:{"value":"235B","name":"APL FUNCTIONAL SYMBOL JOT UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235B"},9052:{"value":"235C","name":"APL FUNCTIONAL SYMBOL CIRCLE UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235C"},9053:{"value":"235D","name":"APL FUNCTIONAL SYMBOL UP SHOE JOT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235D"},9054:{"value":"235E","name":"APL FUNCTIONAL SYMBOL QUOTE QUAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235E"},9055:{"value":"235F","name":"APL FUNCTIONAL SYMBOL CIRCLE STAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u235F"},9056:{"value":"2360","name":"APL FUNCTIONAL SYMBOL QUAD COLON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2360"},9057:{"value":"2361","name":"APL FUNCTIONAL SYMBOL UP TACK DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2361"},9058:{"value":"2362","name":"APL FUNCTIONAL SYMBOL DEL DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2362"},9059:{"value":"2363","name":"APL FUNCTIONAL SYMBOL STAR DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2363"},9060:{"value":"2364","name":"APL FUNCTIONAL SYMBOL JOT DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2364"},9061:{"value":"2365","name":"APL FUNCTIONAL SYMBOL CIRCLE DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2365"},9062:{"value":"2366","name":"APL FUNCTIONAL SYMBOL DOWN SHOE STILE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2366"},9063:{"value":"2367","name":"APL FUNCTIONAL SYMBOL LEFT SHOE STILE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2367"},9064:{"value":"2368","name":"APL FUNCTIONAL SYMBOL TILDE DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2368"},9065:{"value":"2369","name":"APL FUNCTIONAL SYMBOL GREATER-THAN DIAERESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2369"},9066:{"value":"236A","name":"APL FUNCTIONAL SYMBOL COMMA BAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236A"},9067:{"value":"236B","name":"APL FUNCTIONAL SYMBOL DEL TILDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236B"},9068:{"value":"236C","name":"APL FUNCTIONAL SYMBOL ZILDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236C"},9069:{"value":"236D","name":"APL FUNCTIONAL SYMBOL STILE TILDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236D"},9070:{"value":"236E","name":"APL FUNCTIONAL SYMBOL SEMICOLON UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236E"},9071:{"value":"236F","name":"APL FUNCTIONAL SYMBOL QUAD NOT EQUAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u236F"},9072:{"value":"2370","name":"APL FUNCTIONAL SYMBOL QUAD QUESTION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2370"},9073:{"value":"2371","name":"APL FUNCTIONAL SYMBOL DOWN CARET TILDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2371"},9074:{"value":"2372","name":"APL FUNCTIONAL SYMBOL UP CARET TILDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2372"},9075:{"value":"2373","name":"APL FUNCTIONAL SYMBOL IOTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2373"},9076:{"value":"2374","name":"APL FUNCTIONAL SYMBOL RHO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2374"},9077:{"value":"2375","name":"APL FUNCTIONAL SYMBOL OMEGA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2375"},9078:{"value":"2376","name":"APL FUNCTIONAL SYMBOL ALPHA UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2376"},9079:{"value":"2377","name":"APL FUNCTIONAL SYMBOL EPSILON UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2377"},9080:{"value":"2378","name":"APL FUNCTIONAL SYMBOL IOTA UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2378"},9081:{"value":"2379","name":"APL FUNCTIONAL SYMBOL OMEGA UNDERBAR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2379"},9082:{"value":"237A","name":"APL FUNCTIONAL SYMBOL ALPHA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u237A"},9083:{"value":"237B","name":"NOT CHECK MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u237B"},9085:{"value":"237D","name":"SHOULDERED OPEN BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u237D"},9086:{"value":"237E","name":"BELL SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u237E"},9087:{"value":"237F","name":"VERTICAL LINE WITH MIDDLE DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u237F"},9088:{"value":"2380","name":"INSERTION SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2380"},9089:{"value":"2381","name":"CONTINUOUS UNDERLINE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2381"},9090:{"value":"2382","name":"DISCONTINUOUS UNDERLINE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2382"},9091:{"value":"2383","name":"EMPHASIS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2383"},9092:{"value":"2384","name":"COMPOSITION SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2384"},9093:{"value":"2385","name":"WHITE SQUARE WITH CENTRE VERTICAL LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2385"},9094:{"value":"2386","name":"ENTER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2386"},9095:{"value":"2387","name":"ALTERNATIVE KEY SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2387"},9096:{"value":"2388","name":"HELM SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2388"},9097:{"value":"2389","name":"CIRCLED HORIZONTAL BAR WITH NOTCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2389"},9098:{"value":"238A","name":"CIRCLED TRIANGLE DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238A"},9099:{"value":"238B","name":"BROKEN CIRCLE WITH NORTHWEST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238B"},9100:{"value":"238C","name":"UNDO SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238C"},9101:{"value":"238D","name":"MONOSTABLE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238D"},9102:{"value":"238E","name":"HYSTERESIS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238E"},9103:{"value":"238F","name":"OPEN-CIRCUIT-OUTPUT H-TYPE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u238F"},9104:{"value":"2390","name":"OPEN-CIRCUIT-OUTPUT L-TYPE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2390"},9105:{"value":"2391","name":"PASSIVE-PULL-DOWN-OUTPUT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2391"},9106:{"value":"2392","name":"PASSIVE-PULL-UP-OUTPUT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2392"},9107:{"value":"2393","name":"DIRECT CURRENT SYMBOL FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2393"},9108:{"value":"2394","name":"SOFTWARE-FUNCTION SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2394"},9109:{"value":"2395","name":"APL FUNCTIONAL SYMBOL QUAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2395"},9110:{"value":"2396","name":"DECIMAL SEPARATOR KEY SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2396"},9111:{"value":"2397","name":"PREVIOUS PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2397"},9112:{"value":"2398","name":"NEXT PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2398"},9113:{"value":"2399","name":"PRINT SCREEN SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2399"},9114:{"value":"239A","name":"CLEAR SCREEN SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u239A"},9140:{"value":"23B4","name":"TOP SQUARE BRACKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B4"},9141:{"value":"23B5","name":"BOTTOM SQUARE BRACKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B5"},9142:{"value":"23B6","name":"BOTTOM SQUARE BRACKET OVER TOP SQUARE BRACKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B6"},9143:{"value":"23B7","name":"RADICAL SYMBOL BOTTOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B7"},9144:{"value":"23B8","name":"LEFT VERTICAL BOX LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B8"},9145:{"value":"23B9","name":"RIGHT VERTICAL BOX LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23B9"},9146:{"value":"23BA","name":"HORIZONTAL SCAN LINE-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BA"},9147:{"value":"23BB","name":"HORIZONTAL SCAN LINE-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BB"},9148:{"value":"23BC","name":"HORIZONTAL SCAN LINE-7","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BC"},9149:{"value":"23BD","name":"HORIZONTAL SCAN LINE-9","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BD"},9150:{"value":"23BE","name":"DENTISTRY SYMBOL LIGHT VERTICAL AND TOP RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BE"},9151:{"value":"23BF","name":"DENTISTRY SYMBOL LIGHT VERTICAL AND BOTTOM RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23BF"},9152:{"value":"23C0","name":"DENTISTRY SYMBOL LIGHT VERTICAL WITH CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C0"},9153:{"value":"23C1","name":"DENTISTRY SYMBOL LIGHT DOWN AND HORIZONTAL WITH CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C1"},9154:{"value":"23C2","name":"DENTISTRY SYMBOL LIGHT UP AND HORIZONTAL WITH CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C2"},9155:{"value":"23C3","name":"DENTISTRY SYMBOL LIGHT VERTICAL WITH TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C3"},9156:{"value":"23C4","name":"DENTISTRY SYMBOL LIGHT DOWN AND HORIZONTAL WITH TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C4"},9157:{"value":"23C5","name":"DENTISTRY SYMBOL LIGHT UP AND HORIZONTAL WITH TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C5"},9158:{"value":"23C6","name":"DENTISTRY SYMBOL LIGHT VERTICAL AND WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C6"},9159:{"value":"23C7","name":"DENTISTRY SYMBOL LIGHT DOWN AND HORIZONTAL WITH WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C7"},9160:{"value":"23C8","name":"DENTISTRY SYMBOL LIGHT UP AND HORIZONTAL WITH WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C8"},9161:{"value":"23C9","name":"DENTISTRY SYMBOL LIGHT DOWN AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23C9"},9162:{"value":"23CA","name":"DENTISTRY SYMBOL LIGHT UP AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CA"},9163:{"value":"23CB","name":"DENTISTRY SYMBOL LIGHT VERTICAL AND TOP LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CB"},9164:{"value":"23CC","name":"DENTISTRY SYMBOL LIGHT VERTICAL AND BOTTOM LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CC"},9165:{"value":"23CD","name":"SQUARE FOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CD"},9166:{"value":"23CE","name":"RETURN SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CE"},9167:{"value":"23CF","name":"EJECT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23CF"},9168:{"value":"23D0","name":"VERTICAL LINE EXTENSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D0"},9169:{"value":"23D1","name":"METRICAL BREVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D1"},9170:{"value":"23D2","name":"METRICAL LONG OVER SHORT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D2"},9171:{"value":"23D3","name":"METRICAL SHORT OVER LONG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D3"},9172:{"value":"23D4","name":"METRICAL LONG OVER TWO SHORTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D4"},9173:{"value":"23D5","name":"METRICAL TWO SHORTS OVER LONG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D5"},9174:{"value":"23D6","name":"METRICAL TWO SHORTS JOINED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D6"},9175:{"value":"23D7","name":"METRICAL TRISEME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D7"},9176:{"value":"23D8","name":"METRICAL TETRASEME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D8"},9177:{"value":"23D9","name":"METRICAL PENTASEME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23D9"},9178:{"value":"23DA","name":"EARTH GROUND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23DA"},9179:{"value":"23DB","name":"FUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23DB"},9186:{"value":"23E2","name":"WHITE TRAPEZIUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E2"},9187:{"value":"23E3","name":"BENZENE RING WITH CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E3"},9188:{"value":"23E4","name":"STRAIGHTNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E4"},9189:{"value":"23E5","name":"FLATNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E5"},9190:{"value":"23E6","name":"AC CURRENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E6"},9191:{"value":"23E7","name":"ELECTRICAL INTERSECTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E7"},9192:{"value":"23E8","name":"DECIMAL EXPONENT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E8"},9193:{"value":"23E9","name":"BLACK RIGHT-POINTING DOUBLE TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23E9"},9194:{"value":"23EA","name":"BLACK LEFT-POINTING DOUBLE TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23EA"},9195:{"value":"23EB","name":"BLACK UP-POINTING DOUBLE TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23EB"},9196:{"value":"23EC","name":"BLACK DOWN-POINTING DOUBLE TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23EC"},9197:{"value":"23ED","name":"BLACK RIGHT-POINTING DOUBLE TRIANGLE WITH VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23ED"},9198:{"value":"23EE","name":"BLACK LEFT-POINTING DOUBLE TRIANGLE WITH VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23EE"},9199:{"value":"23EF","name":"BLACK RIGHT-POINTING TRIANGLE WITH DOUBLE VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23EF"},9200:{"value":"23F0","name":"ALARM CLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F0"},9201:{"value":"23F1","name":"STOPWATCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F1"},9202:{"value":"23F2","name":"TIMER CLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F2"},9203:{"value":"23F3","name":"HOURGLASS WITH FLOWING SAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F3"},9204:{"value":"23F4","name":"BLACK MEDIUM LEFT-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F4"},9205:{"value":"23F5","name":"BLACK MEDIUM RIGHT-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F5"},9206:{"value":"23F6","name":"BLACK MEDIUM UP-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F6"},9207:{"value":"23F7","name":"BLACK MEDIUM DOWN-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F7"},9208:{"value":"23F8","name":"DOUBLE VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F8"},9209:{"value":"23F9","name":"BLACK SQUARE FOR STOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23F9"},9210:{"value":"23FA","name":"BLACK CIRCLE FOR RECORD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FA"},9211:{"value":"23FB","name":"POWER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FB"},9212:{"value":"23FC","name":"POWER ON-OFF SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FC"},9213:{"value":"23FD","name":"POWER ON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FD"},9214:{"value":"23FE","name":"POWER SLEEP SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FE"},9215:{"value":"23FF","name":"OBSERVER EYE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u23FF"},9216:{"value":"2400","name":"SYMBOL FOR NULL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR NULL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2400"},9217:{"value":"2401","name":"SYMBOL FOR START OF HEADING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR START OF HEADING","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2401"},9218:{"value":"2402","name":"SYMBOL FOR START OF TEXT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR START OF TEXT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2402"},9219:{"value":"2403","name":"SYMBOL FOR END OF TEXT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR END OF TEXT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2403"},9220:{"value":"2404","name":"SYMBOL FOR END OF TRANSMISSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR END OF TRANSMISSION","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2404"},9221:{"value":"2405","name":"SYMBOL FOR ENQUIRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR ENQUIRY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2405"},9222:{"value":"2406","name":"SYMBOL FOR ACKNOWLEDGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR ACKNOWLEDGE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2406"},9223:{"value":"2407","name":"SYMBOL FOR BELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR BELL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2407"},9224:{"value":"2408","name":"SYMBOL FOR BACKSPACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR BACKSPACE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2408"},9225:{"value":"2409","name":"SYMBOL FOR HORIZONTAL TABULATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR HORIZONTAL TABULATION","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2409"},9226:{"value":"240A","name":"SYMBOL FOR LINE FEED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR LINE FEED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240A"},9227:{"value":"240B","name":"SYMBOL FOR VERTICAL TABULATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR VERTICAL TABULATION","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240B"},9228:{"value":"240C","name":"SYMBOL FOR FORM FEED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR FORM FEED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240C"},9229:{"value":"240D","name":"SYMBOL FOR CARRIAGE RETURN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR CARRIAGE RETURN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240D"},9230:{"value":"240E","name":"SYMBOL FOR SHIFT OUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR SHIFT OUT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240E"},9231:{"value":"240F","name":"SYMBOL FOR SHIFT IN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR SHIFT IN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u240F"},9232:{"value":"2410","name":"SYMBOL FOR DATA LINK ESCAPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DATA LINK ESCAPE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2410"},9233:{"value":"2411","name":"SYMBOL FOR DEVICE CONTROL ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DEVICE CONTROL ONE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2411"},9234:{"value":"2412","name":"SYMBOL FOR DEVICE CONTROL TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DEVICE CONTROL TWO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2412"},9235:{"value":"2413","name":"SYMBOL FOR DEVICE CONTROL THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DEVICE CONTROL THREE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2413"},9236:{"value":"2414","name":"SYMBOL FOR DEVICE CONTROL FOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DEVICE CONTROL FOUR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2414"},9237:{"value":"2415","name":"SYMBOL FOR NEGATIVE ACKNOWLEDGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR NEGATIVE ACKNOWLEDGE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2415"},9238:{"value":"2416","name":"SYMBOL FOR SYNCHRONOUS IDLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR SYNCHRONOUS IDLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2416"},9239:{"value":"2417","name":"SYMBOL FOR END OF TRANSMISSION BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR END OF TRANSMISSION BLOCK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2417"},9240:{"value":"2418","name":"SYMBOL FOR CANCEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR CANCEL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2418"},9241:{"value":"2419","name":"SYMBOL FOR END OF MEDIUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR END OF MEDIUM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2419"},9242:{"value":"241A","name":"SYMBOL FOR SUBSTITUTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR SUBSTITUTE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241A"},9243:{"value":"241B","name":"SYMBOL FOR ESCAPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR ESCAPE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241B"},9244:{"value":"241C","name":"SYMBOL FOR FILE SEPARATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR FILE SEPARATOR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241C"},9245:{"value":"241D","name":"SYMBOL FOR GROUP SEPARATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR GROUP SEPARATOR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241D"},9246:{"value":"241E","name":"SYMBOL FOR RECORD SEPARATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR RECORD SEPARATOR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241E"},9247:{"value":"241F","name":"SYMBOL FOR UNIT SEPARATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR UNIT SEPARATOR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u241F"},9248:{"value":"2420","name":"SYMBOL FOR SPACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR SPACE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2420"},9249:{"value":"2421","name":"SYMBOL FOR DELETE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR DELETE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2421"},9250:{"value":"2422","name":"BLANK SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLANK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2422"},9251:{"value":"2423","name":"OPEN BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2423"},9252:{"value":"2424","name":"SYMBOL FOR NEWLINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"GRAPHIC FOR NEWLINE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2424"},9253:{"value":"2425","name":"SYMBOL FOR DELETE FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2425"},9254:{"value":"2426","name":"SYMBOL FOR SUBSTITUTE FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2426"},9280:{"value":"2440","name":"OCR HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2440"},9281:{"value":"2441","name":"OCR CHAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2441"},9282:{"value":"2442","name":"OCR FORK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2442"},9283:{"value":"2443","name":"OCR INVERTED FORK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2443"},9284:{"value":"2444","name":"OCR BELT BUCKLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2444"},9285:{"value":"2445","name":"OCR BOW TIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2445"},9286:{"value":"2446","name":"OCR BRANCH BANK IDENTIFICATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2446"},9287:{"value":"2447","name":"OCR AMOUNT OF CHECK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2447"},9288:{"value":"2448","name":"OCR DASH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2448"},9289:{"value":"2449","name":"OCR CUSTOMER ACCOUNT NUMBER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2449"},9290:{"value":"244A","name":"OCR DOUBLE BACKSLASH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u244A"},9372:{"value":"249C","name":"PARENTHESIZED LATIN SMALL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0061 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u249C"},9373:{"value":"249D","name":"PARENTHESIZED LATIN SMALL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0062 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u249D"},9374:{"value":"249E","name":"PARENTHESIZED LATIN SMALL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0063 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u249E"},9375:{"value":"249F","name":"PARENTHESIZED LATIN SMALL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0064 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u249F"},9376:{"value":"24A0","name":"PARENTHESIZED LATIN SMALL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0065 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A0"},9377:{"value":"24A1","name":"PARENTHESIZED LATIN SMALL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0066 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A1"},9378:{"value":"24A2","name":"PARENTHESIZED LATIN SMALL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0067 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A2"},9379:{"value":"24A3","name":"PARENTHESIZED LATIN SMALL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0068 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A3"},9380:{"value":"24A4","name":"PARENTHESIZED LATIN SMALL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0069 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A4"},9381:{"value":"24A5","name":"PARENTHESIZED LATIN SMALL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006A 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A5"},9382:{"value":"24A6","name":"PARENTHESIZED LATIN SMALL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006B 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A6"},9383:{"value":"24A7","name":"PARENTHESIZED LATIN SMALL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006C 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A7"},9384:{"value":"24A8","name":"PARENTHESIZED LATIN SMALL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006D 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A8"},9385:{"value":"24A9","name":"PARENTHESIZED LATIN SMALL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24A9"},9386:{"value":"24AA","name":"PARENTHESIZED LATIN SMALL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 006F 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AA"},9387:{"value":"24AB","name":"PARENTHESIZED LATIN SMALL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0070 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AB"},9388:{"value":"24AC","name":"PARENTHESIZED LATIN SMALL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0071 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AC"},9389:{"value":"24AD","name":"PARENTHESIZED LATIN SMALL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0072 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AD"},9390:{"value":"24AE","name":"PARENTHESIZED LATIN SMALL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0073 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AE"},9391:{"value":"24AF","name":"PARENTHESIZED LATIN SMALL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0074 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24AF"},9392:{"value":"24B0","name":"PARENTHESIZED LATIN SMALL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0075 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B0"},9393:{"value":"24B1","name":"PARENTHESIZED LATIN SMALL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0076 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B1"},9394:{"value":"24B2","name":"PARENTHESIZED LATIN SMALL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0077 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B2"},9395:{"value":"24B3","name":"PARENTHESIZED LATIN SMALL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0078 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B3"},9396:{"value":"24B4","name":"PARENTHESIZED LATIN SMALL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0079 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B4"},9397:{"value":"24B5","name":"PARENTHESIZED LATIN SMALL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 007A 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u24B5"},9398:{"value":"24B6","name":"CIRCLED LATIN CAPITAL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D0","titlecase_mapping":"","symbol":"\u24B6"},9399:{"value":"24B7","name":"CIRCLED LATIN CAPITAL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":" 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D1","titlecase_mapping":"","symbol":"\u24B7"},9400:{"value":"24B8","name":"CIRCLED LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D2","titlecase_mapping":"","symbol":"\u24B8"},9401:{"value":"24B9","name":"CIRCLED LATIN CAPITAL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":" 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D3","titlecase_mapping":"","symbol":"\u24B9"},9402:{"value":"24BA","name":"CIRCLED LATIN CAPITAL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":" 0045","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D4","titlecase_mapping":"","symbol":"\u24BA"},9403:{"value":"24BB","name":"CIRCLED LATIN CAPITAL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":" 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D5","titlecase_mapping":"","symbol":"\u24BB"},9404:{"value":"24BC","name":"CIRCLED LATIN CAPITAL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D6","titlecase_mapping":"","symbol":"\u24BC"},9405:{"value":"24BD","name":"CIRCLED LATIN CAPITAL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":" 0048","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D7","titlecase_mapping":"","symbol":"\u24BD"},9406:{"value":"24BE","name":"CIRCLED LATIN CAPITAL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":" 0049","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D8","titlecase_mapping":"","symbol":"\u24BE"},9407:{"value":"24BF","name":"CIRCLED LATIN CAPITAL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":" 004A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24D9","titlecase_mapping":"","symbol":"\u24BF"},9408:{"value":"24C0","name":"CIRCLED LATIN CAPITAL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":" 004B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DA","titlecase_mapping":"","symbol":"\u24C0"},9409:{"value":"24C1","name":"CIRCLED LATIN CAPITAL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":" 004C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DB","titlecase_mapping":"","symbol":"\u24C1"},9410:{"value":"24C2","name":"CIRCLED LATIN CAPITAL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DC","titlecase_mapping":"","symbol":"\u24C2"},9411:{"value":"24C3","name":"CIRCLED LATIN CAPITAL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":" 004E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DD","titlecase_mapping":"","symbol":"\u24C3"},9412:{"value":"24C4","name":"CIRCLED LATIN CAPITAL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":" 004F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DE","titlecase_mapping":"","symbol":"\u24C4"},9413:{"value":"24C5","name":"CIRCLED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24DF","titlecase_mapping":"","symbol":"\u24C5"},9414:{"value":"24C6","name":"CIRCLED LATIN CAPITAL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":" 0051","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E0","titlecase_mapping":"","symbol":"\u24C6"},9415:{"value":"24C7","name":"CIRCLED LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0052","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E1","titlecase_mapping":"","symbol":"\u24C7"},9416:{"value":"24C8","name":"CIRCLED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0053","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E2","titlecase_mapping":"","symbol":"\u24C8"},9417:{"value":"24C9","name":"CIRCLED LATIN CAPITAL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":" 0054","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E3","titlecase_mapping":"","symbol":"\u24C9"},9418:{"value":"24CA","name":"CIRCLED LATIN CAPITAL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0055","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E4","titlecase_mapping":"","symbol":"\u24CA"},9419:{"value":"24CB","name":"CIRCLED LATIN CAPITAL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":" 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E5","titlecase_mapping":"","symbol":"\u24CB"},9420:{"value":"24CC","name":"CIRCLED LATIN CAPITAL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":" 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E6","titlecase_mapping":"","symbol":"\u24CC"},9421:{"value":"24CD","name":"CIRCLED LATIN CAPITAL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":" 0058","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E7","titlecase_mapping":"","symbol":"\u24CD"},9422:{"value":"24CE","name":"CIRCLED LATIN CAPITAL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":" 0059","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E8","titlecase_mapping":"","symbol":"\u24CE"},9423:{"value":"24CF","name":"CIRCLED LATIN CAPITAL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":" 005A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"24E9","titlecase_mapping":"","symbol":"\u24CF"},9424:{"value":"24D0","name":"CIRCLED LATIN SMALL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24B6","lowercase_mapping":"","titlecase_mapping":"24B6","symbol":"\u24D0"},9425:{"value":"24D1","name":"CIRCLED LATIN SMALL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":" 0062","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24B7","lowercase_mapping":"","titlecase_mapping":"24B7","symbol":"\u24D1"},9426:{"value":"24D2","name":"CIRCLED LATIN SMALL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24B8","lowercase_mapping":"","titlecase_mapping":"24B8","symbol":"\u24D2"},9427:{"value":"24D3","name":"CIRCLED LATIN SMALL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":" 0064","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24B9","lowercase_mapping":"","titlecase_mapping":"24B9","symbol":"\u24D3"},9428:{"value":"24D4","name":"CIRCLED LATIN SMALL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":" 0065","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BA","lowercase_mapping":"","titlecase_mapping":"24BA","symbol":"\u24D4"},9429:{"value":"24D5","name":"CIRCLED LATIN SMALL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":" 0066","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BB","lowercase_mapping":"","titlecase_mapping":"24BB","symbol":"\u24D5"},9430:{"value":"24D6","name":"CIRCLED LATIN SMALL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":" 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BC","lowercase_mapping":"","titlecase_mapping":"24BC","symbol":"\u24D6"},9431:{"value":"24D7","name":"CIRCLED LATIN SMALL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":" 0068","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BD","lowercase_mapping":"","titlecase_mapping":"24BD","symbol":"\u24D7"},9432:{"value":"24D8","name":"CIRCLED LATIN SMALL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":" 0069","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BE","lowercase_mapping":"","titlecase_mapping":"24BE","symbol":"\u24D8"},9433:{"value":"24D9","name":"CIRCLED LATIN SMALL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":" 006A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24BF","lowercase_mapping":"","titlecase_mapping":"24BF","symbol":"\u24D9"},9434:{"value":"24DA","name":"CIRCLED LATIN SMALL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C0","lowercase_mapping":"","titlecase_mapping":"24C0","symbol":"\u24DA"},9435:{"value":"24DB","name":"CIRCLED LATIN SMALL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":" 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C1","lowercase_mapping":"","titlecase_mapping":"24C1","symbol":"\u24DB"},9436:{"value":"24DC","name":"CIRCLED LATIN SMALL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C2","lowercase_mapping":"","titlecase_mapping":"24C2","symbol":"\u24DC"},9437:{"value":"24DD","name":"CIRCLED LATIN SMALL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C3","lowercase_mapping":"","titlecase_mapping":"24C3","symbol":"\u24DD"},9438:{"value":"24DE","name":"CIRCLED LATIN SMALL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":" 006F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C4","lowercase_mapping":"","titlecase_mapping":"24C4","symbol":"\u24DE"},9439:{"value":"24DF","name":"CIRCLED LATIN SMALL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C5","lowercase_mapping":"","titlecase_mapping":"24C5","symbol":"\u24DF"},9440:{"value":"24E0","name":"CIRCLED LATIN SMALL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":" 0071","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C6","lowercase_mapping":"","titlecase_mapping":"24C6","symbol":"\u24E0"},9441:{"value":"24E1","name":"CIRCLED LATIN SMALL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0072","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C7","lowercase_mapping":"","titlecase_mapping":"24C7","symbol":"\u24E1"},9442:{"value":"24E2","name":"CIRCLED LATIN SMALL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C8","lowercase_mapping":"","titlecase_mapping":"24C8","symbol":"\u24E2"},9443:{"value":"24E3","name":"CIRCLED LATIN SMALL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":" 0074","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24C9","lowercase_mapping":"","titlecase_mapping":"24C9","symbol":"\u24E3"},9444:{"value":"24E4","name":"CIRCLED LATIN SMALL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0075","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CA","lowercase_mapping":"","titlecase_mapping":"24CA","symbol":"\u24E4"},9445:{"value":"24E5","name":"CIRCLED LATIN SMALL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":" 0076","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CB","lowercase_mapping":"","titlecase_mapping":"24CB","symbol":"\u24E5"},9446:{"value":"24E6","name":"CIRCLED LATIN SMALL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":" 0077","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CC","lowercase_mapping":"","titlecase_mapping":"24CC","symbol":"\u24E6"},9447:{"value":"24E7","name":"CIRCLED LATIN SMALL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":" 0078","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CD","lowercase_mapping":"","titlecase_mapping":"24CD","symbol":"\u24E7"},9448:{"value":"24E8","name":"CIRCLED LATIN SMALL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":" 0079","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CE","lowercase_mapping":"","titlecase_mapping":"24CE","symbol":"\u24E8"},9449:{"value":"24E9","name":"CIRCLED LATIN SMALL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":" 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"24CF","lowercase_mapping":"","titlecase_mapping":"24CF","symbol":"\u24E9"},9472:{"value":"2500","name":"BOX DRAWINGS LIGHT HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2500"},9473:{"value":"2501","name":"BOX DRAWINGS HEAVY HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2501"},9474:{"value":"2502","name":"BOX DRAWINGS LIGHT VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2502"},9475:{"value":"2503","name":"BOX DRAWINGS HEAVY VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2503"},9476:{"value":"2504","name":"BOX DRAWINGS LIGHT TRIPLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT TRIPLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2504"},9477:{"value":"2505","name":"BOX DRAWINGS HEAVY TRIPLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY TRIPLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2505"},9478:{"value":"2506","name":"BOX DRAWINGS LIGHT TRIPLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT TRIPLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2506"},9479:{"value":"2507","name":"BOX DRAWINGS HEAVY TRIPLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY TRIPLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2507"},9480:{"value":"2508","name":"BOX DRAWINGS LIGHT QUADRUPLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT QUADRUPLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2508"},9481:{"value":"2509","name":"BOX DRAWINGS HEAVY QUADRUPLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY QUADRUPLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2509"},9482:{"value":"250A","name":"BOX DRAWINGS LIGHT QUADRUPLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT QUADRUPLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250A"},9483:{"value":"250B","name":"BOX DRAWINGS HEAVY QUADRUPLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY QUADRUPLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250B"},9484:{"value":"250C","name":"BOX DRAWINGS LIGHT DOWN AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOWN AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250C"},9485:{"value":"250D","name":"BOX DRAWINGS DOWN LIGHT AND RIGHT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND RIGHT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250D"},9486:{"value":"250E","name":"BOX DRAWINGS DOWN HEAVY AND RIGHT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND RIGHT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250E"},9487:{"value":"250F","name":"BOX DRAWINGS HEAVY DOWN AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOWN AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u250F"},9488:{"value":"2510","name":"BOX DRAWINGS LIGHT DOWN AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOWN AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2510"},9489:{"value":"2511","name":"BOX DRAWINGS DOWN LIGHT AND LEFT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND LEFT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2511"},9490:{"value":"2512","name":"BOX DRAWINGS DOWN HEAVY AND LEFT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND LEFT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2512"},9491:{"value":"2513","name":"BOX DRAWINGS HEAVY DOWN AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOWN AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2513"},9492:{"value":"2514","name":"BOX DRAWINGS LIGHT UP AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT UP AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2514"},9493:{"value":"2515","name":"BOX DRAWINGS UP LIGHT AND RIGHT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND RIGHT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2515"},9494:{"value":"2516","name":"BOX DRAWINGS UP HEAVY AND RIGHT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND RIGHT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2516"},9495:{"value":"2517","name":"BOX DRAWINGS HEAVY UP AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY UP AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2517"},9496:{"value":"2518","name":"BOX DRAWINGS LIGHT UP AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT UP AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2518"},9497:{"value":"2519","name":"BOX DRAWINGS UP LIGHT AND LEFT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND LEFT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2519"},9498:{"value":"251A","name":"BOX DRAWINGS UP HEAVY AND LEFT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND LEFT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251A"},9499:{"value":"251B","name":"BOX DRAWINGS HEAVY UP AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY UP AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251B"},9500:{"value":"251C","name":"BOX DRAWINGS LIGHT VERTICAL AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT VERTICAL AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251C"},9501:{"value":"251D","name":"BOX DRAWINGS VERTICAL LIGHT AND RIGHT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL LIGHT AND RIGHT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251D"},9502:{"value":"251E","name":"BOX DRAWINGS UP HEAVY AND RIGHT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND RIGHT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251E"},9503:{"value":"251F","name":"BOX DRAWINGS DOWN HEAVY AND RIGHT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND RIGHT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u251F"},9504:{"value":"2520","name":"BOX DRAWINGS VERTICAL HEAVY AND RIGHT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL HEAVY AND RIGHT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2520"},9505:{"value":"2521","name":"BOX DRAWINGS DOWN LIGHT AND RIGHT UP HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND RIGHT UP HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2521"},9506:{"value":"2522","name":"BOX DRAWINGS UP LIGHT AND RIGHT DOWN HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND RIGHT DOWN HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2522"},9507:{"value":"2523","name":"BOX DRAWINGS HEAVY VERTICAL AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY VERTICAL AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2523"},9508:{"value":"2524","name":"BOX DRAWINGS LIGHT VERTICAL AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT VERTICAL AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2524"},9509:{"value":"2525","name":"BOX DRAWINGS VERTICAL LIGHT AND LEFT HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL LIGHT AND LEFT HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2525"},9510:{"value":"2526","name":"BOX DRAWINGS UP HEAVY AND LEFT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND LEFT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2526"},9511:{"value":"2527","name":"BOX DRAWINGS DOWN HEAVY AND LEFT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND LEFT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2527"},9512:{"value":"2528","name":"BOX DRAWINGS VERTICAL HEAVY AND LEFT LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL HEAVY AND LEFT LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2528"},9513:{"value":"2529","name":"BOX DRAWINGS DOWN LIGHT AND LEFT UP HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND LEFT UP HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2529"},9514:{"value":"252A","name":"BOX DRAWINGS UP LIGHT AND LEFT DOWN HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND LEFT DOWN HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252A"},9515:{"value":"252B","name":"BOX DRAWINGS HEAVY VERTICAL AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY VERTICAL AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252B"},9516:{"value":"252C","name":"BOX DRAWINGS LIGHT DOWN AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOWN AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252C"},9517:{"value":"252D","name":"BOX DRAWINGS LEFT HEAVY AND RIGHT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT HEAVY AND RIGHT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252D"},9518:{"value":"252E","name":"BOX DRAWINGS RIGHT HEAVY AND LEFT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT HEAVY AND LEFT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252E"},9519:{"value":"252F","name":"BOX DRAWINGS DOWN LIGHT AND HORIZONTAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND HORIZONTAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u252F"},9520:{"value":"2530","name":"BOX DRAWINGS DOWN HEAVY AND HORIZONTAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND HORIZONTAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2530"},9521:{"value":"2531","name":"BOX DRAWINGS RIGHT LIGHT AND LEFT DOWN HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT LIGHT AND LEFT DOWN HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2531"},9522:{"value":"2532","name":"BOX DRAWINGS LEFT LIGHT AND RIGHT DOWN HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT LIGHT AND RIGHT DOWN HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2532"},9523:{"value":"2533","name":"BOX DRAWINGS HEAVY DOWN AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOWN AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2533"},9524:{"value":"2534","name":"BOX DRAWINGS LIGHT UP AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT UP AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2534"},9525:{"value":"2535","name":"BOX DRAWINGS LEFT HEAVY AND RIGHT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT HEAVY AND RIGHT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2535"},9526:{"value":"2536","name":"BOX DRAWINGS RIGHT HEAVY AND LEFT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT HEAVY AND LEFT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2536"},9527:{"value":"2537","name":"BOX DRAWINGS UP LIGHT AND HORIZONTAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND HORIZONTAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2537"},9528:{"value":"2538","name":"BOX DRAWINGS UP HEAVY AND HORIZONTAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND HORIZONTAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2538"},9529:{"value":"2539","name":"BOX DRAWINGS RIGHT LIGHT AND LEFT UP HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT LIGHT AND LEFT UP HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2539"},9530:{"value":"253A","name":"BOX DRAWINGS LEFT LIGHT AND RIGHT UP HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT LIGHT AND RIGHT UP HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253A"},9531:{"value":"253B","name":"BOX DRAWINGS HEAVY UP AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY UP AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253B"},9532:{"value":"253C","name":"BOX DRAWINGS LIGHT VERTICAL AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT VERTICAL AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253C"},9533:{"value":"253D","name":"BOX DRAWINGS LEFT HEAVY AND RIGHT VERTICAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT HEAVY AND RIGHT VERTICAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253D"},9534:{"value":"253E","name":"BOX DRAWINGS RIGHT HEAVY AND LEFT VERTICAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT HEAVY AND LEFT VERTICAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253E"},9535:{"value":"253F","name":"BOX DRAWINGS VERTICAL LIGHT AND HORIZONTAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL LIGHT AND HORIZONTAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u253F"},9536:{"value":"2540","name":"BOX DRAWINGS UP HEAVY AND DOWN HORIZONTAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP HEAVY AND DOWN HORIZONTAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2540"},9537:{"value":"2541","name":"BOX DRAWINGS DOWN HEAVY AND UP HORIZONTAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN HEAVY AND UP HORIZONTAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2541"},9538:{"value":"2542","name":"BOX DRAWINGS VERTICAL HEAVY AND HORIZONTAL LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL HEAVY AND HORIZONTAL LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2542"},9539:{"value":"2543","name":"BOX DRAWINGS LEFT UP HEAVY AND RIGHT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT UP HEAVY AND RIGHT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2543"},9540:{"value":"2544","name":"BOX DRAWINGS RIGHT UP HEAVY AND LEFT DOWN LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT UP HEAVY AND LEFT DOWN LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2544"},9541:{"value":"2545","name":"BOX DRAWINGS LEFT DOWN HEAVY AND RIGHT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT DOWN HEAVY AND RIGHT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2545"},9542:{"value":"2546","name":"BOX DRAWINGS RIGHT DOWN HEAVY AND LEFT UP LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT DOWN HEAVY AND LEFT UP LIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2546"},9543:{"value":"2547","name":"BOX DRAWINGS DOWN LIGHT AND UP HORIZONTAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN LIGHT AND UP HORIZONTAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2547"},9544:{"value":"2548","name":"BOX DRAWINGS UP LIGHT AND DOWN HORIZONTAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP LIGHT AND DOWN HORIZONTAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2548"},9545:{"value":"2549","name":"BOX DRAWINGS RIGHT LIGHT AND LEFT VERTICAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS RIGHT LIGHT AND LEFT VERTICAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2549"},9546:{"value":"254A","name":"BOX DRAWINGS LEFT LIGHT AND RIGHT VERTICAL HEAVY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LEFT LIGHT AND RIGHT VERTICAL HEAVY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254A"},9547:{"value":"254B","name":"BOX DRAWINGS HEAVY VERTICAL AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY VERTICAL AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254B"},9548:{"value":"254C","name":"BOX DRAWINGS LIGHT DOUBLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOUBLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254C"},9549:{"value":"254D","name":"BOX DRAWINGS HEAVY DOUBLE DASH HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOUBLE DASH HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254D"},9550:{"value":"254E","name":"BOX DRAWINGS LIGHT DOUBLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOUBLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254E"},9551:{"value":"254F","name":"BOX DRAWINGS HEAVY DOUBLE DASH VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOUBLE DASH VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u254F"},9552:{"value":"2550","name":"BOX DRAWINGS DOUBLE HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2550"},9553:{"value":"2551","name":"BOX DRAWINGS DOUBLE VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE VERTICAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2551"},9554:{"value":"2552","name":"BOX DRAWINGS DOWN SINGLE AND RIGHT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN SINGLE AND RIGHT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2552"},9555:{"value":"2553","name":"BOX DRAWINGS DOWN DOUBLE AND RIGHT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN DOUBLE AND RIGHT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2553"},9556:{"value":"2554","name":"BOX DRAWINGS DOUBLE DOWN AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE DOWN AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2554"},9557:{"value":"2555","name":"BOX DRAWINGS DOWN SINGLE AND LEFT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN SINGLE AND LEFT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2555"},9558:{"value":"2556","name":"BOX DRAWINGS DOWN DOUBLE AND LEFT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN DOUBLE AND LEFT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2556"},9559:{"value":"2557","name":"BOX DRAWINGS DOUBLE DOWN AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE DOWN AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2557"},9560:{"value":"2558","name":"BOX DRAWINGS UP SINGLE AND RIGHT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP SINGLE AND RIGHT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2558"},9561:{"value":"2559","name":"BOX DRAWINGS UP DOUBLE AND RIGHT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP DOUBLE AND RIGHT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2559"},9562:{"value":"255A","name":"BOX DRAWINGS DOUBLE UP AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE UP AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255A"},9563:{"value":"255B","name":"BOX DRAWINGS UP SINGLE AND LEFT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP SINGLE AND LEFT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255B"},9564:{"value":"255C","name":"BOX DRAWINGS UP DOUBLE AND LEFT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP DOUBLE AND LEFT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255C"},9565:{"value":"255D","name":"BOX DRAWINGS DOUBLE UP AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE UP AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255D"},9566:{"value":"255E","name":"BOX DRAWINGS VERTICAL SINGLE AND RIGHT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL SINGLE AND RIGHT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255E"},9567:{"value":"255F","name":"BOX DRAWINGS VERTICAL DOUBLE AND RIGHT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL DOUBLE AND RIGHT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u255F"},9568:{"value":"2560","name":"BOX DRAWINGS DOUBLE VERTICAL AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE VERTICAL AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2560"},9569:{"value":"2561","name":"BOX DRAWINGS VERTICAL SINGLE AND LEFT DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL SINGLE AND LEFT DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2561"},9570:{"value":"2562","name":"BOX DRAWINGS VERTICAL DOUBLE AND LEFT SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL DOUBLE AND LEFT SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2562"},9571:{"value":"2563","name":"BOX DRAWINGS DOUBLE VERTICAL AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE VERTICAL AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2563"},9572:{"value":"2564","name":"BOX DRAWINGS DOWN SINGLE AND HORIZONTAL DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN SINGLE AND HORIZONTAL DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2564"},9573:{"value":"2565","name":"BOX DRAWINGS DOWN DOUBLE AND HORIZONTAL SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOWN DOUBLE AND HORIZONTAL SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2565"},9574:{"value":"2566","name":"BOX DRAWINGS DOUBLE DOWN AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE DOWN AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2566"},9575:{"value":"2567","name":"BOX DRAWINGS UP SINGLE AND HORIZONTAL DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP SINGLE AND HORIZONTAL DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2567"},9576:{"value":"2568","name":"BOX DRAWINGS UP DOUBLE AND HORIZONTAL SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS UP DOUBLE AND HORIZONTAL SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2568"},9577:{"value":"2569","name":"BOX DRAWINGS DOUBLE UP AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE UP AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2569"},9578:{"value":"256A","name":"BOX DRAWINGS VERTICAL SINGLE AND HORIZONTAL DOUBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL SINGLE AND HORIZONTAL DOUBLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256A"},9579:{"value":"256B","name":"BOX DRAWINGS VERTICAL DOUBLE AND HORIZONTAL SINGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS VERTICAL DOUBLE AND HORIZONTAL SINGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256B"},9580:{"value":"256C","name":"BOX DRAWINGS DOUBLE VERTICAL AND HORIZONTAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS DOUBLE VERTICAL AND HORIZONTAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256C"},9581:{"value":"256D","name":"BOX DRAWINGS LIGHT ARC DOWN AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT ARC DOWN AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256D"},9582:{"value":"256E","name":"BOX DRAWINGS LIGHT ARC DOWN AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT ARC DOWN AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256E"},9583:{"value":"256F","name":"BOX DRAWINGS LIGHT ARC UP AND LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT ARC UP AND LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u256F"},9584:{"value":"2570","name":"BOX DRAWINGS LIGHT ARC UP AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT ARC UP AND RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2570"},9585:{"value":"2571","name":"BOX DRAWINGS LIGHT DIAGONAL UPPER RIGHT TO LOWER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DIAGONAL UPPER RIGHT TO LOWER LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2571"},9586:{"value":"2572","name":"BOX DRAWINGS LIGHT DIAGONAL UPPER LEFT TO LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DIAGONAL UPPER LEFT TO LOWER RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2572"},9587:{"value":"2573","name":"BOX DRAWINGS LIGHT DIAGONAL CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DIAGONAL CROSS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2573"},9588:{"value":"2574","name":"BOX DRAWINGS LIGHT LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2574"},9589:{"value":"2575","name":"BOX DRAWINGS LIGHT UP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT UP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2575"},9590:{"value":"2576","name":"BOX DRAWINGS LIGHT RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2576"},9591:{"value":"2577","name":"BOX DRAWINGS LIGHT DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2577"},9592:{"value":"2578","name":"BOX DRAWINGS HEAVY LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY LEFT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2578"},9593:{"value":"2579","name":"BOX DRAWINGS HEAVY UP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY UP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2579"},9594:{"value":"257A","name":"BOX DRAWINGS HEAVY RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257A"},9595:{"value":"257B","name":"BOX DRAWINGS HEAVY DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257B"},9596:{"value":"257C","name":"BOX DRAWINGS LIGHT LEFT AND HEAVY RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT LEFT AND HEAVY RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257C"},9597:{"value":"257D","name":"BOX DRAWINGS LIGHT UP AND HEAVY DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS LIGHT UP AND HEAVY DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257D"},9598:{"value":"257E","name":"BOX DRAWINGS HEAVY LEFT AND LIGHT RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY LEFT AND LIGHT RIGHT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257E"},9599:{"value":"257F","name":"BOX DRAWINGS HEAVY UP AND LIGHT DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FORMS HEAVY UP AND LIGHT DOWN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u257F"},9600:{"value":"2580","name":"UPPER HALF BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2580"},9601:{"value":"2581","name":"LOWER ONE EIGHTH BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2581"},9602:{"value":"2582","name":"LOWER ONE QUARTER BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2582"},9603:{"value":"2583","name":"LOWER THREE EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2583"},9604:{"value":"2584","name":"LOWER HALF BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2584"},9605:{"value":"2585","name":"LOWER FIVE EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2585"},9606:{"value":"2586","name":"LOWER THREE QUARTERS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LOWER THREE QUARTER BLOCK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2586"},9607:{"value":"2587","name":"LOWER SEVEN EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2587"},9608:{"value":"2588","name":"FULL BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2588"},9609:{"value":"2589","name":"LEFT SEVEN EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2589"},9610:{"value":"258A","name":"LEFT THREE QUARTERS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT THREE QUARTER BLOCK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258A"},9611:{"value":"258B","name":"LEFT FIVE EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258B"},9612:{"value":"258C","name":"LEFT HALF BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258C"},9613:{"value":"258D","name":"LEFT THREE EIGHTHS BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258D"},9614:{"value":"258E","name":"LEFT ONE QUARTER BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258E"},9615:{"value":"258F","name":"LEFT ONE EIGHTH BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u258F"},9616:{"value":"2590","name":"RIGHT HALF BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2590"},9617:{"value":"2591","name":"LIGHT SHADE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2591"},9618:{"value":"2592","name":"MEDIUM SHADE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2592"},9619:{"value":"2593","name":"DARK SHADE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2593"},9620:{"value":"2594","name":"UPPER ONE EIGHTH BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2594"},9621:{"value":"2595","name":"RIGHT ONE EIGHTH BLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2595"},9622:{"value":"2596","name":"QUADRANT LOWER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2596"},9623:{"value":"2597","name":"QUADRANT LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2597"},9624:{"value":"2598","name":"QUADRANT UPPER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2598"},9625:{"value":"2599","name":"QUADRANT UPPER LEFT AND LOWER LEFT AND LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2599"},9626:{"value":"259A","name":"QUADRANT UPPER LEFT AND LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259A"},9627:{"value":"259B","name":"QUADRANT UPPER LEFT AND UPPER RIGHT AND LOWER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259B"},9628:{"value":"259C","name":"QUADRANT UPPER LEFT AND UPPER RIGHT AND LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259C"},9629:{"value":"259D","name":"QUADRANT UPPER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259D"},9630:{"value":"259E","name":"QUADRANT UPPER RIGHT AND LOWER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259E"},9631:{"value":"259F","name":"QUADRANT UPPER RIGHT AND LOWER LEFT AND LOWER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u259F"},9632:{"value":"25A0","name":"BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A0"},9633:{"value":"25A1","name":"WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A1"},9634:{"value":"25A2","name":"WHITE SQUARE WITH ROUNDED CORNERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A2"},9635:{"value":"25A3","name":"WHITE SQUARE CONTAINING BLACK SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A3"},9636:{"value":"25A4","name":"SQUARE WITH HORIZONTAL FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A4"},9637:{"value":"25A5","name":"SQUARE WITH VERTICAL FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A5"},9638:{"value":"25A6","name":"SQUARE WITH ORTHOGONAL CROSSHATCH FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A6"},9639:{"value":"25A7","name":"SQUARE WITH UPPER LEFT TO LOWER RIGHT FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A7"},9640:{"value":"25A8","name":"SQUARE WITH UPPER RIGHT TO LOWER LEFT FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A8"},9641:{"value":"25A9","name":"SQUARE WITH DIAGONAL CROSSHATCH FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25A9"},9642:{"value":"25AA","name":"BLACK SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AA"},9643:{"value":"25AB","name":"WHITE SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AB"},9644:{"value":"25AC","name":"BLACK RECTANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AC"},9645:{"value":"25AD","name":"WHITE RECTANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AD"},9646:{"value":"25AE","name":"BLACK VERTICAL RECTANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AE"},9647:{"value":"25AF","name":"WHITE VERTICAL RECTANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25AF"},9648:{"value":"25B0","name":"BLACK PARALLELOGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B0"},9649:{"value":"25B1","name":"WHITE PARALLELOGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B1"},9650:{"value":"25B2","name":"BLACK UP-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK UP POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B2"},9651:{"value":"25B3","name":"WHITE UP-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE UP POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B3"},9652:{"value":"25B4","name":"BLACK UP-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK UP POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B4"},9653:{"value":"25B5","name":"WHITE UP-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE UP POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B5"},9654:{"value":"25B6","name":"BLACK RIGHT-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK RIGHT POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B6"},9656:{"value":"25B8","name":"BLACK RIGHT-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK RIGHT POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B8"},9657:{"value":"25B9","name":"WHITE RIGHT-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE RIGHT POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25B9"},9658:{"value":"25BA","name":"BLACK RIGHT-POINTING POINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK RIGHT POINTING POINTER","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BA"},9659:{"value":"25BB","name":"WHITE RIGHT-POINTING POINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE RIGHT POINTING POINTER","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BB"},9660:{"value":"25BC","name":"BLACK DOWN-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK DOWN POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BC"},9661:{"value":"25BD","name":"WHITE DOWN-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE DOWN POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BD"},9662:{"value":"25BE","name":"BLACK DOWN-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK DOWN POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BE"},9663:{"value":"25BF","name":"WHITE DOWN-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE DOWN POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25BF"},9664:{"value":"25C0","name":"BLACK LEFT-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK LEFT POINTING TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C0"},9666:{"value":"25C2","name":"BLACK LEFT-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK LEFT POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C2"},9667:{"value":"25C3","name":"WHITE LEFT-POINTING SMALL TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE LEFT POINTING SMALL TRIANGLE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C3"},9668:{"value":"25C4","name":"BLACK LEFT-POINTING POINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK LEFT POINTING POINTER","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C4"},9669:{"value":"25C5","name":"WHITE LEFT-POINTING POINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE LEFT POINTING POINTER","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C5"},9670:{"value":"25C6","name":"BLACK DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C6"},9671:{"value":"25C7","name":"WHITE DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C7"},9672:{"value":"25C8","name":"WHITE DIAMOND CONTAINING BLACK SMALL DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C8"},9673:{"value":"25C9","name":"FISHEYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25C9"},9674:{"value":"25CA","name":"LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CA"},9675:{"value":"25CB","name":"WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CB"},9676:{"value":"25CC","name":"DOTTED CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CC"},9677:{"value":"25CD","name":"CIRCLE WITH VERTICAL FILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CD"},9678:{"value":"25CE","name":"BULLSEYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CE"},9679:{"value":"25CF","name":"BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25CF"},9680:{"value":"25D0","name":"CIRCLE WITH LEFT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D0"},9681:{"value":"25D1","name":"CIRCLE WITH RIGHT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D1"},9682:{"value":"25D2","name":"CIRCLE WITH LOWER HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D2"},9683:{"value":"25D3","name":"CIRCLE WITH UPPER HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D3"},9684:{"value":"25D4","name":"CIRCLE WITH UPPER RIGHT QUADRANT BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D4"},9685:{"value":"25D5","name":"CIRCLE WITH ALL BUT UPPER LEFT QUADRANT BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D5"},9686:{"value":"25D6","name":"LEFT HALF BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D6"},9687:{"value":"25D7","name":"RIGHT HALF BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D7"},9688:{"value":"25D8","name":"INVERSE BULLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D8"},9689:{"value":"25D9","name":"INVERSE WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25D9"},9690:{"value":"25DA","name":"UPPER HALF INVERSE WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DA"},9691:{"value":"25DB","name":"LOWER HALF INVERSE WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DB"},9692:{"value":"25DC","name":"UPPER LEFT QUADRANT CIRCULAR ARC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DC"},9693:{"value":"25DD","name":"UPPER RIGHT QUADRANT CIRCULAR ARC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DD"},9694:{"value":"25DE","name":"LOWER RIGHT QUADRANT CIRCULAR ARC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DE"},9695:{"value":"25DF","name":"LOWER LEFT QUADRANT CIRCULAR ARC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25DF"},9696:{"value":"25E0","name":"UPPER HALF CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E0"},9697:{"value":"25E1","name":"LOWER HALF CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E1"},9698:{"value":"25E2","name":"BLACK LOWER RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E2"},9699:{"value":"25E3","name":"BLACK LOWER LEFT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E3"},9700:{"value":"25E4","name":"BLACK UPPER LEFT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E4"},9701:{"value":"25E5","name":"BLACK UPPER RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E5"},9702:{"value":"25E6","name":"WHITE BULLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E6"},9703:{"value":"25E7","name":"SQUARE WITH LEFT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E7"},9704:{"value":"25E8","name":"SQUARE WITH RIGHT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E8"},9705:{"value":"25E9","name":"SQUARE WITH UPPER LEFT DIAGONAL HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25E9"},9706:{"value":"25EA","name":"SQUARE WITH LOWER RIGHT DIAGONAL HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25EA"},9707:{"value":"25EB","name":"WHITE SQUARE WITH VERTICAL BISECTING LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25EB"},9708:{"value":"25EC","name":"WHITE UP-POINTING TRIANGLE WITH DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE UP POINTING TRIANGLE WITH DOT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25EC"},9709:{"value":"25ED","name":"UP-POINTING TRIANGLE WITH LEFT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP POINTING TRIANGLE WITH LEFT HALF BLACK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25ED"},9710:{"value":"25EE","name":"UP-POINTING TRIANGLE WITH RIGHT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"UP POINTING TRIANGLE WITH RIGHT HALF BLACK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25EE"},9711:{"value":"25EF","name":"LARGE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25EF"},9712:{"value":"25F0","name":"WHITE SQUARE WITH UPPER LEFT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F0"},9713:{"value":"25F1","name":"WHITE SQUARE WITH LOWER LEFT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F1"},9714:{"value":"25F2","name":"WHITE SQUARE WITH LOWER RIGHT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F2"},9715:{"value":"25F3","name":"WHITE SQUARE WITH UPPER RIGHT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F3"},9716:{"value":"25F4","name":"WHITE CIRCLE WITH UPPER LEFT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F4"},9717:{"value":"25F5","name":"WHITE CIRCLE WITH LOWER LEFT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F5"},9718:{"value":"25F6","name":"WHITE CIRCLE WITH LOWER RIGHT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F6"},9719:{"value":"25F7","name":"WHITE CIRCLE WITH UPPER RIGHT QUADRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u25F7"},9728:{"value":"2600","name":"BLACK SUN WITH RAYS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2600"},9729:{"value":"2601","name":"CLOUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2601"},9730:{"value":"2602","name":"UMBRELLA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2602"},9731:{"value":"2603","name":"SNOWMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2603"},9732:{"value":"2604","name":"COMET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2604"},9733:{"value":"2605","name":"BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2605"},9734:{"value":"2606","name":"WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2606"},9735:{"value":"2607","name":"LIGHTNING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2607"},9736:{"value":"2608","name":"THUNDERSTORM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2608"},9737:{"value":"2609","name":"SUN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2609"},9738:{"value":"260A","name":"ASCENDING NODE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260A"},9739:{"value":"260B","name":"DESCENDING NODE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260B"},9740:{"value":"260C","name":"CONJUNCTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260C"},9741:{"value":"260D","name":"OPPOSITION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260D"},9742:{"value":"260E","name":"BLACK TELEPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260E"},9743:{"value":"260F","name":"WHITE TELEPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u260F"},9744:{"value":"2610","name":"BALLOT BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2610"},9745:{"value":"2611","name":"BALLOT BOX WITH CHECK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2611"},9746:{"value":"2612","name":"BALLOT BOX WITH X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2612"},9747:{"value":"2613","name":"SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2613"},9748:{"value":"2614","name":"UMBRELLA WITH RAIN DROPS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2614"},9749:{"value":"2615","name":"HOT BEVERAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2615"},9750:{"value":"2616","name":"WHITE SHOGI PIECE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2616"},9751:{"value":"2617","name":"BLACK SHOGI PIECE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2617"},9752:{"value":"2618","name":"SHAMROCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2618"},9753:{"value":"2619","name":"REVERSED ROTATED FLORAL HEART BULLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2619"},9754:{"value":"261A","name":"BLACK LEFT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261A"},9755:{"value":"261B","name":"BLACK RIGHT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261B"},9756:{"value":"261C","name":"WHITE LEFT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261C"},9757:{"value":"261D","name":"WHITE UP POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261D"},9758:{"value":"261E","name":"WHITE RIGHT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261E"},9759:{"value":"261F","name":"WHITE DOWN POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u261F"},9760:{"value":"2620","name":"SKULL AND CROSSBONES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2620"},9761:{"value":"2621","name":"CAUTION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2621"},9762:{"value":"2622","name":"RADIOACTIVE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2622"},9763:{"value":"2623","name":"BIOHAZARD SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2623"},9764:{"value":"2624","name":"CADUCEUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2624"},9765:{"value":"2625","name":"ANKH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2625"},9766:{"value":"2626","name":"ORTHODOX CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2626"},9767:{"value":"2627","name":"CHI RHO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2627"},9768:{"value":"2628","name":"CROSS OF LORRAINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2628"},9769:{"value":"2629","name":"CROSS OF JERUSALEM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2629"},9770:{"value":"262A","name":"STAR AND CRESCENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262A"},9771:{"value":"262B","name":"FARSI SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SYMBOL OF IRAN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262B"},9772:{"value":"262C","name":"ADI SHAKTI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262C"},9773:{"value":"262D","name":"HAMMER AND SICKLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262D"},9774:{"value":"262E","name":"PEACE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262E"},9775:{"value":"262F","name":"YIN YANG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u262F"},9776:{"value":"2630","name":"TRIGRAM FOR HEAVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2630"},9777:{"value":"2631","name":"TRIGRAM FOR LAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2631"},9778:{"value":"2632","name":"TRIGRAM FOR FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2632"},9779:{"value":"2633","name":"TRIGRAM FOR THUNDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2633"},9780:{"value":"2634","name":"TRIGRAM FOR WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2634"},9781:{"value":"2635","name":"TRIGRAM FOR WATER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2635"},9782:{"value":"2636","name":"TRIGRAM FOR MOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2636"},9783:{"value":"2637","name":"TRIGRAM FOR EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2637"},9784:{"value":"2638","name":"WHEEL OF DHARMA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2638"},9785:{"value":"2639","name":"WHITE FROWNING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2639"},9786:{"value":"263A","name":"WHITE SMILING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263A"},9787:{"value":"263B","name":"BLACK SMILING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263B"},9788:{"value":"263C","name":"WHITE SUN WITH RAYS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263C"},9789:{"value":"263D","name":"FIRST QUARTER MOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263D"},9790:{"value":"263E","name":"LAST QUARTER MOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263E"},9791:{"value":"263F","name":"MERCURY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u263F"},9792:{"value":"2640","name":"FEMALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2640"},9793:{"value":"2641","name":"EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2641"},9794:{"value":"2642","name":"MALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2642"},9795:{"value":"2643","name":"JUPITER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2643"},9796:{"value":"2644","name":"SATURN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2644"},9797:{"value":"2645","name":"URANUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2645"},9798:{"value":"2646","name":"NEPTUNE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2646"},9799:{"value":"2647","name":"PLUTO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2647"},9800:{"value":"2648","name":"ARIES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2648"},9801:{"value":"2649","name":"TAURUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2649"},9802:{"value":"264A","name":"GEMINI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264A"},9803:{"value":"264B","name":"CANCER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264B"},9804:{"value":"264C","name":"LEO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264C"},9805:{"value":"264D","name":"VIRGO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264D"},9806:{"value":"264E","name":"LIBRA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264E"},9807:{"value":"264F","name":"SCORPIUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u264F"},9808:{"value":"2650","name":"SAGITTARIUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2650"},9809:{"value":"2651","name":"CAPRICORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2651"},9810:{"value":"2652","name":"AQUARIUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2652"},9811:{"value":"2653","name":"PISCES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2653"},9812:{"value":"2654","name":"WHITE CHESS KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2654"},9813:{"value":"2655","name":"WHITE CHESS QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2655"},9814:{"value":"2656","name":"WHITE CHESS ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2656"},9815:{"value":"2657","name":"WHITE CHESS BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2657"},9816:{"value":"2658","name":"WHITE CHESS KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2658"},9817:{"value":"2659","name":"WHITE CHESS PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2659"},9818:{"value":"265A","name":"BLACK CHESS KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265A"},9819:{"value":"265B","name":"BLACK CHESS QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265B"},9820:{"value":"265C","name":"BLACK CHESS ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265C"},9821:{"value":"265D","name":"BLACK CHESS BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265D"},9822:{"value":"265E","name":"BLACK CHESS KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265E"},9823:{"value":"265F","name":"BLACK CHESS PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u265F"},9824:{"value":"2660","name":"BLACK SPADE SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2660"},9825:{"value":"2661","name":"WHITE HEART SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2661"},9826:{"value":"2662","name":"WHITE DIAMOND SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2662"},9827:{"value":"2663","name":"BLACK CLUB SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2663"},9828:{"value":"2664","name":"WHITE SPADE SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2664"},9829:{"value":"2665","name":"BLACK HEART SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2665"},9830:{"value":"2666","name":"BLACK DIAMOND SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2666"},9831:{"value":"2667","name":"WHITE CLUB SUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2667"},9832:{"value":"2668","name":"HOT SPRINGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2668"},9833:{"value":"2669","name":"QUARTER NOTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2669"},9834:{"value":"266A","name":"EIGHTH NOTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u266A"},9835:{"value":"266B","name":"BEAMED EIGHTH NOTES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BARRED EIGHTH NOTES","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u266B"},9836:{"value":"266C","name":"BEAMED SIXTEENTH NOTES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BARRED SIXTEENTH NOTES","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u266C"},9837:{"value":"266D","name":"MUSIC FLAT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FLAT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u266D"},9838:{"value":"266E","name":"MUSIC NATURAL SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"NATURAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u266E"},9840:{"value":"2670","name":"WEST SYRIAC CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2670"},9841:{"value":"2671","name":"EAST SYRIAC CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2671"},9842:{"value":"2672","name":"UNIVERSAL RECYCLING SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2672"},9843:{"value":"2673","name":"RECYCLING SYMBOL FOR TYPE-1 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2673"},9844:{"value":"2674","name":"RECYCLING SYMBOL FOR TYPE-2 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2674"},9845:{"value":"2675","name":"RECYCLING SYMBOL FOR TYPE-3 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2675"},9846:{"value":"2676","name":"RECYCLING SYMBOL FOR TYPE-4 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2676"},9847:{"value":"2677","name":"RECYCLING SYMBOL FOR TYPE-5 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2677"},9848:{"value":"2678","name":"RECYCLING SYMBOL FOR TYPE-6 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2678"},9849:{"value":"2679","name":"RECYCLING SYMBOL FOR TYPE-7 PLASTICS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2679"},9850:{"value":"267A","name":"RECYCLING SYMBOL FOR GENERIC MATERIALS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267A"},9851:{"value":"267B","name":"BLACK UNIVERSAL RECYCLING SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267B"},9852:{"value":"267C","name":"RECYCLED PAPER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267C"},9853:{"value":"267D","name":"PARTIALLY-RECYCLED PAPER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267D"},9854:{"value":"267E","name":"PERMANENT PAPER SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267E"},9855:{"value":"267F","name":"WHEELCHAIR SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u267F"},9856:{"value":"2680","name":"DIE FACE-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2680"},9857:{"value":"2681","name":"DIE FACE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2681"},9858:{"value":"2682","name":"DIE FACE-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2682"},9859:{"value":"2683","name":"DIE FACE-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2683"},9860:{"value":"2684","name":"DIE FACE-5","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2684"},9861:{"value":"2685","name":"DIE FACE-6","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2685"},9862:{"value":"2686","name":"WHITE CIRCLE WITH DOT RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2686"},9863:{"value":"2687","name":"WHITE CIRCLE WITH TWO DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2687"},9864:{"value":"2688","name":"BLACK CIRCLE WITH WHITE DOT RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2688"},9865:{"value":"2689","name":"BLACK CIRCLE WITH TWO WHITE DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2689"},9866:{"value":"268A","name":"MONOGRAM FOR YANG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268A"},9867:{"value":"268B","name":"MONOGRAM FOR YIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268B"},9868:{"value":"268C","name":"DIGRAM FOR GREATER YANG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268C"},9869:{"value":"268D","name":"DIGRAM FOR LESSER YIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268D"},9870:{"value":"268E","name":"DIGRAM FOR LESSER YANG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268E"},9871:{"value":"268F","name":"DIGRAM FOR GREATER YIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u268F"},9872:{"value":"2690","name":"WHITE FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2690"},9873:{"value":"2691","name":"BLACK FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2691"},9874:{"value":"2692","name":"HAMMER AND PICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2692"},9875:{"value":"2693","name":"ANCHOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2693"},9876:{"value":"2694","name":"CROSSED SWORDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2694"},9877:{"value":"2695","name":"STAFF OF AESCULAPIUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2695"},9878:{"value":"2696","name":"SCALES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2696"},9879:{"value":"2697","name":"ALEMBIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2697"},9880:{"value":"2698","name":"FLOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2698"},9881:{"value":"2699","name":"GEAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2699"},9882:{"value":"269A","name":"STAFF OF HERMES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269A"},9883:{"value":"269B","name":"ATOM SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269B"},9884:{"value":"269C","name":"FLEUR-DE-LIS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269C"},9885:{"value":"269D","name":"OUTLINED WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269D"},9886:{"value":"269E","name":"THREE LINES CONVERGING RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269E"},9887:{"value":"269F","name":"THREE LINES CONVERGING LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u269F"},9888:{"value":"26A0","name":"WARNING SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A0"},9889:{"value":"26A1","name":"HIGH VOLTAGE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A1"},9890:{"value":"26A2","name":"DOUBLED FEMALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A2"},9891:{"value":"26A3","name":"DOUBLED MALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A3"},9892:{"value":"26A4","name":"INTERLOCKED FEMALE AND MALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A4"},9893:{"value":"26A5","name":"MALE AND FEMALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A5"},9894:{"value":"26A6","name":"MALE WITH STROKE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A6"},9895:{"value":"26A7","name":"MALE WITH STROKE AND MALE AND FEMALE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A7"},9896:{"value":"26A8","name":"VERTICAL MALE WITH STROKE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A8"},9897:{"value":"26A9","name":"HORIZONTAL MALE WITH STROKE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26A9"},9898:{"value":"26AA","name":"MEDIUM WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AA"},9899:{"value":"26AB","name":"MEDIUM BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AB"},9900:{"value":"26AC","name":"MEDIUM SMALL WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AC"},9901:{"value":"26AD","name":"MARRIAGE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AD"},9902:{"value":"26AE","name":"DIVORCE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AE"},9903:{"value":"26AF","name":"UNMARRIED PARTNERSHIP SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26AF"},9904:{"value":"26B0","name":"COFFIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B0"},9905:{"value":"26B1","name":"FUNERAL URN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B1"},9906:{"value":"26B2","name":"NEUTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B2"},9907:{"value":"26B3","name":"CERES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B3"},9908:{"value":"26B4","name":"PALLAS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B4"},9909:{"value":"26B5","name":"JUNO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B5"},9910:{"value":"26B6","name":"VESTA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B6"},9911:{"value":"26B7","name":"CHIRON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B7"},9912:{"value":"26B8","name":"BLACK MOON LILITH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B8"},9913:{"value":"26B9","name":"SEXTILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26B9"},9914:{"value":"26BA","name":"SEMISEXTILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BA"},9915:{"value":"26BB","name":"QUINCUNX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BB"},9916:{"value":"26BC","name":"SESQUIQUADRATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BC"},9917:{"value":"26BD","name":"SOCCER BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BD"},9918:{"value":"26BE","name":"BASEBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BE"},9919:{"value":"26BF","name":"SQUARED KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26BF"},9920:{"value":"26C0","name":"WHITE DRAUGHTS MAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C0"},9921:{"value":"26C1","name":"WHITE DRAUGHTS KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C1"},9922:{"value":"26C2","name":"BLACK DRAUGHTS MAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C2"},9923:{"value":"26C3","name":"BLACK DRAUGHTS KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C3"},9924:{"value":"26C4","name":"SNOWMAN WITHOUT SNOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C4"},9925:{"value":"26C5","name":"SUN BEHIND CLOUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C5"},9926:{"value":"26C6","name":"RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C6"},9927:{"value":"26C7","name":"BLACK SNOWMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C7"},9928:{"value":"26C8","name":"THUNDER CLOUD AND RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C8"},9929:{"value":"26C9","name":"TURNED WHITE SHOGI PIECE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26C9"},9930:{"value":"26CA","name":"TURNED BLACK SHOGI PIECE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CA"},9931:{"value":"26CB","name":"WHITE DIAMOND IN SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CB"},9932:{"value":"26CC","name":"CROSSING LANES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CC"},9933:{"value":"26CD","name":"DISABLED CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CD"},9934:{"value":"26CE","name":"OPHIUCHUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CE"},9935:{"value":"26CF","name":"PICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26CF"},9936:{"value":"26D0","name":"CAR SLIDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D0"},9937:{"value":"26D1","name":"HELMET WITH WHITE CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D1"},9938:{"value":"26D2","name":"CIRCLED CROSSING LANES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D2"},9939:{"value":"26D3","name":"CHAINS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D3"},9940:{"value":"26D4","name":"NO ENTRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D4"},9941:{"value":"26D5","name":"ALTERNATE ONE-WAY LEFT WAY TRAFFIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D5"},9942:{"value":"26D6","name":"BLACK TWO-WAY LEFT WAY TRAFFIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D6"},9943:{"value":"26D7","name":"WHITE TWO-WAY LEFT WAY TRAFFIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D7"},9944:{"value":"26D8","name":"BLACK LEFT LANE MERGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D8"},9945:{"value":"26D9","name":"WHITE LEFT LANE MERGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26D9"},9946:{"value":"26DA","name":"DRIVE SLOW SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DA"},9947:{"value":"26DB","name":"HEAVY WHITE DOWN-POINTING TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DB"},9948:{"value":"26DC","name":"LEFT CLOSED ENTRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DC"},9949:{"value":"26DD","name":"SQUARED SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DD"},9950:{"value":"26DE","name":"FALLING DIAGONAL IN WHITE CIRCLE IN BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DE"},9951:{"value":"26DF","name":"BLACK TRUCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26DF"},9952:{"value":"26E0","name":"RESTRICTED LEFT ENTRY-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E0"},9953:{"value":"26E1","name":"RESTRICTED LEFT ENTRY-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E1"},9954:{"value":"26E2","name":"ASTRONOMICAL SYMBOL FOR URANUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E2"},9955:{"value":"26E3","name":"HEAVY CIRCLE WITH STROKE AND TWO DOTS ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E3"},9956:{"value":"26E4","name":"PENTAGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E4"},9957:{"value":"26E5","name":"RIGHT-HANDED INTERLACED PENTAGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E5"},9958:{"value":"26E6","name":"LEFT-HANDED INTERLACED PENTAGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E6"},9959:{"value":"26E7","name":"INVERTED PENTAGRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E7"},9960:{"value":"26E8","name":"BLACK CROSS ON SHIELD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E8"},9961:{"value":"26E9","name":"SHINTO SHRINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26E9"},9962:{"value":"26EA","name":"CHURCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26EA"},9963:{"value":"26EB","name":"CASTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26EB"},9964:{"value":"26EC","name":"HISTORIC SITE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26EC"},9965:{"value":"26ED","name":"GEAR WITHOUT HUB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26ED"},9966:{"value":"26EE","name":"GEAR WITH HANDLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26EE"},9967:{"value":"26EF","name":"MAP SYMBOL FOR LIGHTHOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26EF"},9968:{"value":"26F0","name":"MOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F0"},9969:{"value":"26F1","name":"UMBRELLA ON GROUND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F1"},9970:{"value":"26F2","name":"FOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F2"},9971:{"value":"26F3","name":"FLAG IN HOLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F3"},9972:{"value":"26F4","name":"FERRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F4"},9973:{"value":"26F5","name":"SAILBOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F5"},9974:{"value":"26F6","name":"SQUARE FOUR CORNERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F6"},9975:{"value":"26F7","name":"SKIER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F7"},9976:{"value":"26F8","name":"ICE SKATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F8"},9977:{"value":"26F9","name":"PERSON WITH BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26F9"},9978:{"value":"26FA","name":"TENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FA"},9979:{"value":"26FB","name":"JAPANESE BANK SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FB"},9980:{"value":"26FC","name":"HEADSTONE GRAVEYARD SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FC"},9981:{"value":"26FD","name":"FUEL PUMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FD"},9982:{"value":"26FE","name":"CUP ON BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FE"},9983:{"value":"26FF","name":"WHITE FLAG WITH HORIZONTAL MIDDLE BLACK STRIPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u26FF"},9984:{"value":"2700","name":"BLACK SAFETY SCISSORS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2700"},9985:{"value":"2701","name":"UPPER BLADE SCISSORS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2701"},9986:{"value":"2702","name":"BLACK SCISSORS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2702"},9987:{"value":"2703","name":"LOWER BLADE SCISSORS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2703"},9988:{"value":"2704","name":"WHITE SCISSORS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2704"},9989:{"value":"2705","name":"WHITE HEAVY CHECK MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2705"},9990:{"value":"2706","name":"TELEPHONE LOCATION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2706"},9991:{"value":"2707","name":"TAPE DRIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2707"},9992:{"value":"2708","name":"AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2708"},9993:{"value":"2709","name":"ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2709"},9994:{"value":"270A","name":"RAISED FIST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270A"},9995:{"value":"270B","name":"RAISED HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270B"},9996:{"value":"270C","name":"VICTORY HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270C"},9997:{"value":"270D","name":"WRITING HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270D"},9998:{"value":"270E","name":"LOWER RIGHT PENCIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270E"},9999:{"value":"270F","name":"PENCIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u270F"},10000:{"value":"2710","name":"UPPER RIGHT PENCIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2710"},10001:{"value":"2711","name":"WHITE NIB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2711"},10002:{"value":"2712","name":"BLACK NIB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2712"},10003:{"value":"2713","name":"CHECK MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2713"},10004:{"value":"2714","name":"HEAVY CHECK MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2714"},10005:{"value":"2715","name":"MULTIPLICATION X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2715"},10006:{"value":"2716","name":"HEAVY MULTIPLICATION X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2716"},10007:{"value":"2717","name":"BALLOT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2717"},10008:{"value":"2718","name":"HEAVY BALLOT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2718"},10009:{"value":"2719","name":"OUTLINED GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2719"},10010:{"value":"271A","name":"HEAVY GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271A"},10011:{"value":"271B","name":"OPEN CENTRE CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OPEN CENTER CROSS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271B"},10012:{"value":"271C","name":"HEAVY OPEN CENTRE CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY OPEN CENTER CROSS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271C"},10013:{"value":"271D","name":"LATIN CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271D"},10014:{"value":"271E","name":"SHADOWED WHITE LATIN CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271E"},10015:{"value":"271F","name":"OUTLINED LATIN CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u271F"},10016:{"value":"2720","name":"MALTESE CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2720"},10017:{"value":"2721","name":"STAR OF DAVID","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2721"},10018:{"value":"2722","name":"FOUR TEARDROP-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2722"},10019:{"value":"2723","name":"FOUR BALLOON-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2723"},10020:{"value":"2724","name":"HEAVY FOUR BALLOON-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2724"},10021:{"value":"2725","name":"FOUR CLUB-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2725"},10022:{"value":"2726","name":"BLACK FOUR POINTED STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2726"},10023:{"value":"2727","name":"WHITE FOUR POINTED STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2727"},10024:{"value":"2728","name":"SPARKLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2728"},10025:{"value":"2729","name":"STRESS OUTLINED WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2729"},10026:{"value":"272A","name":"CIRCLED WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272A"},10027:{"value":"272B","name":"OPEN CENTRE BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OPEN CENTER BLACK STAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272B"},10028:{"value":"272C","name":"BLACK CENTRE WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK CENTER WHITE STAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272C"},10029:{"value":"272D","name":"OUTLINED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272D"},10030:{"value":"272E","name":"HEAVY OUTLINED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272E"},10031:{"value":"272F","name":"PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u272F"},10032:{"value":"2730","name":"SHADOWED WHITE STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2730"},10033:{"value":"2731","name":"HEAVY ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2731"},10034:{"value":"2732","name":"OPEN CENTRE ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OPEN CENTER ASTERISK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2732"},10035:{"value":"2733","name":"EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2733"},10036:{"value":"2734","name":"EIGHT POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2734"},10037:{"value":"2735","name":"EIGHT POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2735"},10038:{"value":"2736","name":"SIX POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2736"},10039:{"value":"2737","name":"EIGHT POINTED RECTILINEAR BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2737"},10040:{"value":"2738","name":"HEAVY EIGHT POINTED RECTILINEAR BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2738"},10041:{"value":"2739","name":"TWELVE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2739"},10042:{"value":"273A","name":"SIXTEEN POINTED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273A"},10043:{"value":"273B","name":"TEARDROP-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273B"},10044:{"value":"273C","name":"OPEN CENTRE TEARDROP-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OPEN CENTER TEARDROP-SPOKED ASTERISK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273C"},10045:{"value":"273D","name":"HEAVY TEARDROP-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273D"},10046:{"value":"273E","name":"SIX PETALLED BLACK AND WHITE FLORETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273E"},10047:{"value":"273F","name":"BLACK FLORETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u273F"},10048:{"value":"2740","name":"WHITE FLORETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2740"},10049:{"value":"2741","name":"EIGHT PETALLED OUTLINED BLACK FLORETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2741"},10050:{"value":"2742","name":"CIRCLED OPEN CENTRE EIGHT POINTED STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED OPEN CENTER EIGHT POINTED STAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2742"},10051:{"value":"2743","name":"HEAVY TEARDROP-SPOKED PINWHEEL ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2743"},10052:{"value":"2744","name":"SNOWFLAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2744"},10053:{"value":"2745","name":"TIGHT TRIFOLIATE SNOWFLAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2745"},10054:{"value":"2746","name":"HEAVY CHEVRON SNOWFLAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2746"},10055:{"value":"2747","name":"SPARKLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2747"},10056:{"value":"2748","name":"HEAVY SPARKLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2748"},10057:{"value":"2749","name":"BALLOON-SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2749"},10058:{"value":"274A","name":"EIGHT TEARDROP-SPOKED PROPELLER ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274A"},10059:{"value":"274B","name":"HEAVY EIGHT TEARDROP-SPOKED PROPELLER ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274B"},10060:{"value":"274C","name":"CROSS MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274C"},10061:{"value":"274D","name":"SHADOWED WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274D"},10062:{"value":"274E","name":"NEGATIVE SQUARED CROSS MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274E"},10063:{"value":"274F","name":"LOWER RIGHT DROP-SHADOWED WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u274F"},10064:{"value":"2750","name":"UPPER RIGHT DROP-SHADOWED WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2750"},10065:{"value":"2751","name":"LOWER RIGHT SHADOWED WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2751"},10066:{"value":"2752","name":"UPPER RIGHT SHADOWED WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2752"},10067:{"value":"2753","name":"BLACK QUESTION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2753"},10068:{"value":"2754","name":"WHITE QUESTION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2754"},10069:{"value":"2755","name":"WHITE EXCLAMATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2755"},10070:{"value":"2756","name":"BLACK DIAMOND MINUS WHITE X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2756"},10071:{"value":"2757","name":"HEAVY EXCLAMATION MARK SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2757"},10072:{"value":"2758","name":"LIGHT VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2758"},10073:{"value":"2759","name":"MEDIUM VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2759"},10074:{"value":"275A","name":"HEAVY VERTICAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275A"},10075:{"value":"275B","name":"HEAVY SINGLE TURNED COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275B"},10076:{"value":"275C","name":"HEAVY SINGLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275C"},10077:{"value":"275D","name":"HEAVY DOUBLE TURNED COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275D"},10078:{"value":"275E","name":"HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275E"},10079:{"value":"275F","name":"HEAVY LOW SINGLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u275F"},10080:{"value":"2760","name":"HEAVY LOW DOUBLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2760"},10081:{"value":"2761","name":"CURVED STEM PARAGRAPH SIGN ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2761"},10082:{"value":"2762","name":"HEAVY EXCLAMATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2762"},10083:{"value":"2763","name":"HEAVY HEART EXCLAMATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2763"},10084:{"value":"2764","name":"HEAVY BLACK HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2764"},10085:{"value":"2765","name":"ROTATED HEAVY BLACK HEART BULLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2765"},10086:{"value":"2766","name":"FLORAL HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2766"},10087:{"value":"2767","name":"ROTATED FLORAL HEART BULLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2767"},10132:{"value":"2794","name":"HEAVY WIDE-HEADED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY WIDE-HEADED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2794"},10133:{"value":"2795","name":"HEAVY PLUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2795"},10134:{"value":"2796","name":"HEAVY MINUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2796"},10135:{"value":"2797","name":"HEAVY DIVISION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2797"},10136:{"value":"2798","name":"HEAVY SOUTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY LOWER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2798"},10137:{"value":"2799","name":"HEAVY RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2799"},10138:{"value":"279A","name":"HEAVY NORTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY UPPER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279A"},10139:{"value":"279B","name":"DRAFTING POINT RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DRAFTING POINT RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279B"},10140:{"value":"279C","name":"HEAVY ROUND-TIPPED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY ROUND-TIPPED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279C"},10141:{"value":"279D","name":"TRIANGLE-HEADED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"TRIANGLE-HEADED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279D"},10142:{"value":"279E","name":"HEAVY TRIANGLE-HEADED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY TRIANGLE-HEADED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279E"},10143:{"value":"279F","name":"DASHED TRIANGLE-HEADED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"DASHED TRIANGLE-HEADED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u279F"},10144:{"value":"27A0","name":"HEAVY DASHED TRIANGLE-HEADED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY DASHED TRIANGLE-HEADED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A0"},10145:{"value":"27A1","name":"BLACK RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A1"},10146:{"value":"27A2","name":"THREE-D TOP-LIGHTED RIGHTWARDS ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"THREE-D TOP-LIGHTED RIGHT ARROWHEAD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A2"},10147:{"value":"27A3","name":"THREE-D BOTTOM-LIGHTED RIGHTWARDS ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"THREE-D BOTTOM-LIGHTED RIGHT ARROWHEAD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A3"},10148:{"value":"27A4","name":"BLACK RIGHTWARDS ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK RIGHT ARROWHEAD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A4"},10149:{"value":"27A5","name":"HEAVY BLACK CURVED DOWNWARDS AND RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY BLACK CURVED DOWN AND RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A5"},10150:{"value":"27A6","name":"HEAVY BLACK CURVED UPWARDS AND RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY BLACK CURVED UP AND RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A6"},10151:{"value":"27A7","name":"SQUAT BLACK RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUAT BLACK RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A7"},10152:{"value":"27A8","name":"HEAVY CONCAVE-POINTED BLACK RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY CONCAVE-POINTED BLACK RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A8"},10153:{"value":"27A9","name":"RIGHT-SHADED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"RIGHT-SHADED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27A9"},10154:{"value":"27AA","name":"LEFT-SHADED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"LEFT-SHADED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AA"},10155:{"value":"27AB","name":"BACK-TILTED SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BACK-TILTED SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AB"},10156:{"value":"27AC","name":"FRONT-TILTED SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FRONT-TILTED SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AC"},10157:{"value":"27AD","name":"HEAVY LOWER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY LOWER RIGHT-SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AD"},10158:{"value":"27AE","name":"HEAVY UPPER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY UPPER RIGHT-SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AE"},10159:{"value":"27AF","name":"NOTCHED LOWER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"NOTCHED LOWER RIGHT-SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27AF"},10160:{"value":"27B0","name":"CURLY LOOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B0"},10161:{"value":"27B1","name":"NOTCHED UPPER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"NOTCHED UPPER RIGHT-SHADOWED WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B1"},10162:{"value":"27B2","name":"CIRCLED HEAVY WHITE RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HEAVY WHITE RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B2"},10163:{"value":"27B3","name":"WHITE-FEATHERED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WHITE-FEATHERED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B3"},10164:{"value":"27B4","name":"BLACK-FEATHERED SOUTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK-FEATHERED LOWER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B4"},10165:{"value":"27B5","name":"BLACK-FEATHERED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK-FEATHERED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B5"},10166:{"value":"27B6","name":"BLACK-FEATHERED NORTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"BLACK-FEATHERED UPPER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B6"},10167:{"value":"27B7","name":"HEAVY BLACK-FEATHERED SOUTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY BLACK-FEATHERED LOWER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B7"},10168:{"value":"27B8","name":"HEAVY BLACK-FEATHERED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY BLACK-FEATHERED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B8"},10169:{"value":"27B9","name":"HEAVY BLACK-FEATHERED NORTH EAST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY BLACK-FEATHERED UPPER RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27B9"},10170:{"value":"27BA","name":"TEARDROP-BARBED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"TEARDROP-BARBED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BA"},10171:{"value":"27BB","name":"HEAVY TEARDROP-SHANKED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY TEARDROP-SHANKED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BB"},10172:{"value":"27BC","name":"WEDGE-TAILED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"WEDGE-TAILED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BC"},10173:{"value":"27BD","name":"HEAVY WEDGE-TAILED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"HEAVY WEDGE-TAILED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BD"},10174:{"value":"27BE","name":"OPEN-OUTLINED RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"OPEN-OUTLINED RIGHT ARROW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BE"},10175:{"value":"27BF","name":"DOUBLE CURLY LOOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u27BF"},10240:{"value":"2800","name":"BRAILLE PATTERN BLANK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2800"},10241:{"value":"2801","name":"BRAILLE PATTERN DOTS-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2801"},10242:{"value":"2802","name":"BRAILLE PATTERN DOTS-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2802"},10243:{"value":"2803","name":"BRAILLE PATTERN DOTS-12","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2803"},10244:{"value":"2804","name":"BRAILLE PATTERN DOTS-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2804"},10245:{"value":"2805","name":"BRAILLE PATTERN DOTS-13","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2805"},10246:{"value":"2806","name":"BRAILLE PATTERN DOTS-23","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2806"},10247:{"value":"2807","name":"BRAILLE PATTERN DOTS-123","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2807"},10248:{"value":"2808","name":"BRAILLE PATTERN DOTS-4","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2808"},10249:{"value":"2809","name":"BRAILLE PATTERN DOTS-14","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2809"},10250:{"value":"280A","name":"BRAILLE PATTERN DOTS-24","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280A"},10251:{"value":"280B","name":"BRAILLE PATTERN DOTS-124","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280B"},10252:{"value":"280C","name":"BRAILLE PATTERN DOTS-34","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280C"},10253:{"value":"280D","name":"BRAILLE PATTERN DOTS-134","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280D"},10254:{"value":"280E","name":"BRAILLE PATTERN DOTS-234","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280E"},10255:{"value":"280F","name":"BRAILLE PATTERN DOTS-1234","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u280F"},10256:{"value":"2810","name":"BRAILLE PATTERN DOTS-5","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2810"},10257:{"value":"2811","name":"BRAILLE PATTERN DOTS-15","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2811"},10258:{"value":"2812","name":"BRAILLE PATTERN DOTS-25","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2812"},10259:{"value":"2813","name":"BRAILLE PATTERN DOTS-125","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2813"},10260:{"value":"2814","name":"BRAILLE PATTERN DOTS-35","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2814"},10261:{"value":"2815","name":"BRAILLE PATTERN DOTS-135","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2815"},10262:{"value":"2816","name":"BRAILLE PATTERN DOTS-235","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2816"},10263:{"value":"2817","name":"BRAILLE PATTERN DOTS-1235","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2817"},10264:{"value":"2818","name":"BRAILLE PATTERN DOTS-45","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2818"},10265:{"value":"2819","name":"BRAILLE PATTERN DOTS-145","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2819"},10266:{"value":"281A","name":"BRAILLE PATTERN DOTS-245","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281A"},10267:{"value":"281B","name":"BRAILLE PATTERN DOTS-1245","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281B"},10268:{"value":"281C","name":"BRAILLE PATTERN DOTS-345","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281C"},10269:{"value":"281D","name":"BRAILLE PATTERN DOTS-1345","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281D"},10270:{"value":"281E","name":"BRAILLE PATTERN DOTS-2345","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281E"},10271:{"value":"281F","name":"BRAILLE PATTERN DOTS-12345","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u281F"},10272:{"value":"2820","name":"BRAILLE PATTERN DOTS-6","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2820"},10273:{"value":"2821","name":"BRAILLE PATTERN DOTS-16","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2821"},10274:{"value":"2822","name":"BRAILLE PATTERN DOTS-26","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2822"},10275:{"value":"2823","name":"BRAILLE PATTERN DOTS-126","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2823"},10276:{"value":"2824","name":"BRAILLE PATTERN DOTS-36","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2824"},10277:{"value":"2825","name":"BRAILLE PATTERN DOTS-136","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2825"},10278:{"value":"2826","name":"BRAILLE PATTERN DOTS-236","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2826"},10279:{"value":"2827","name":"BRAILLE PATTERN DOTS-1236","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2827"},10280:{"value":"2828","name":"BRAILLE PATTERN DOTS-46","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2828"},10281:{"value":"2829","name":"BRAILLE PATTERN DOTS-146","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2829"},10282:{"value":"282A","name":"BRAILLE PATTERN DOTS-246","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282A"},10283:{"value":"282B","name":"BRAILLE PATTERN DOTS-1246","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282B"},10284:{"value":"282C","name":"BRAILLE PATTERN DOTS-346","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282C"},10285:{"value":"282D","name":"BRAILLE PATTERN DOTS-1346","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282D"},10286:{"value":"282E","name":"BRAILLE PATTERN DOTS-2346","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282E"},10287:{"value":"282F","name":"BRAILLE PATTERN DOTS-12346","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u282F"},10288:{"value":"2830","name":"BRAILLE PATTERN DOTS-56","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2830"},10289:{"value":"2831","name":"BRAILLE PATTERN DOTS-156","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2831"},10290:{"value":"2832","name":"BRAILLE PATTERN DOTS-256","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2832"},10291:{"value":"2833","name":"BRAILLE PATTERN DOTS-1256","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2833"},10292:{"value":"2834","name":"BRAILLE PATTERN DOTS-356","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2834"},10293:{"value":"2835","name":"BRAILLE PATTERN DOTS-1356","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2835"},10294:{"value":"2836","name":"BRAILLE PATTERN DOTS-2356","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2836"},10295:{"value":"2837","name":"BRAILLE PATTERN DOTS-12356","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2837"},10296:{"value":"2838","name":"BRAILLE PATTERN DOTS-456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2838"},10297:{"value":"2839","name":"BRAILLE PATTERN DOTS-1456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2839"},10298:{"value":"283A","name":"BRAILLE PATTERN DOTS-2456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283A"},10299:{"value":"283B","name":"BRAILLE PATTERN DOTS-12456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283B"},10300:{"value":"283C","name":"BRAILLE PATTERN DOTS-3456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283C"},10301:{"value":"283D","name":"BRAILLE PATTERN DOTS-13456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283D"},10302:{"value":"283E","name":"BRAILLE PATTERN DOTS-23456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283E"},10303:{"value":"283F","name":"BRAILLE PATTERN DOTS-123456","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u283F"},10304:{"value":"2840","name":"BRAILLE PATTERN DOTS-7","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2840"},10305:{"value":"2841","name":"BRAILLE PATTERN DOTS-17","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2841"},10306:{"value":"2842","name":"BRAILLE PATTERN DOTS-27","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2842"},10307:{"value":"2843","name":"BRAILLE PATTERN DOTS-127","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2843"},10308:{"value":"2844","name":"BRAILLE PATTERN DOTS-37","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2844"},10309:{"value":"2845","name":"BRAILLE PATTERN DOTS-137","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2845"},10310:{"value":"2846","name":"BRAILLE PATTERN DOTS-237","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2846"},10311:{"value":"2847","name":"BRAILLE PATTERN DOTS-1237","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2847"},10312:{"value":"2848","name":"BRAILLE PATTERN DOTS-47","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2848"},10313:{"value":"2849","name":"BRAILLE PATTERN DOTS-147","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2849"},10314:{"value":"284A","name":"BRAILLE PATTERN DOTS-247","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284A"},10315:{"value":"284B","name":"BRAILLE PATTERN DOTS-1247","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284B"},10316:{"value":"284C","name":"BRAILLE PATTERN DOTS-347","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284C"},10317:{"value":"284D","name":"BRAILLE PATTERN DOTS-1347","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284D"},10318:{"value":"284E","name":"BRAILLE PATTERN DOTS-2347","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284E"},10319:{"value":"284F","name":"BRAILLE PATTERN DOTS-12347","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u284F"},10320:{"value":"2850","name":"BRAILLE PATTERN DOTS-57","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2850"},10321:{"value":"2851","name":"BRAILLE PATTERN DOTS-157","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2851"},10322:{"value":"2852","name":"BRAILLE PATTERN DOTS-257","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2852"},10323:{"value":"2853","name":"BRAILLE PATTERN DOTS-1257","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2853"},10324:{"value":"2854","name":"BRAILLE PATTERN DOTS-357","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2854"},10325:{"value":"2855","name":"BRAILLE PATTERN DOTS-1357","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2855"},10326:{"value":"2856","name":"BRAILLE PATTERN DOTS-2357","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2856"},10327:{"value":"2857","name":"BRAILLE PATTERN DOTS-12357","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2857"},10328:{"value":"2858","name":"BRAILLE PATTERN DOTS-457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2858"},10329:{"value":"2859","name":"BRAILLE PATTERN DOTS-1457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2859"},10330:{"value":"285A","name":"BRAILLE PATTERN DOTS-2457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285A"},10331:{"value":"285B","name":"BRAILLE PATTERN DOTS-12457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285B"},10332:{"value":"285C","name":"BRAILLE PATTERN DOTS-3457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285C"},10333:{"value":"285D","name":"BRAILLE PATTERN DOTS-13457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285D"},10334:{"value":"285E","name":"BRAILLE PATTERN DOTS-23457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285E"},10335:{"value":"285F","name":"BRAILLE PATTERN DOTS-123457","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u285F"},10336:{"value":"2860","name":"BRAILLE PATTERN DOTS-67","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2860"},10337:{"value":"2861","name":"BRAILLE PATTERN DOTS-167","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2861"},10338:{"value":"2862","name":"BRAILLE PATTERN DOTS-267","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2862"},10339:{"value":"2863","name":"BRAILLE PATTERN DOTS-1267","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2863"},10340:{"value":"2864","name":"BRAILLE PATTERN DOTS-367","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2864"},10341:{"value":"2865","name":"BRAILLE PATTERN DOTS-1367","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2865"},10342:{"value":"2866","name":"BRAILLE PATTERN DOTS-2367","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2866"},10343:{"value":"2867","name":"BRAILLE PATTERN DOTS-12367","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2867"},10344:{"value":"2868","name":"BRAILLE PATTERN DOTS-467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2868"},10345:{"value":"2869","name":"BRAILLE PATTERN DOTS-1467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2869"},10346:{"value":"286A","name":"BRAILLE PATTERN DOTS-2467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286A"},10347:{"value":"286B","name":"BRAILLE PATTERN DOTS-12467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286B"},10348:{"value":"286C","name":"BRAILLE PATTERN DOTS-3467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286C"},10349:{"value":"286D","name":"BRAILLE PATTERN DOTS-13467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286D"},10350:{"value":"286E","name":"BRAILLE PATTERN DOTS-23467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286E"},10351:{"value":"286F","name":"BRAILLE PATTERN DOTS-123467","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u286F"},10352:{"value":"2870","name":"BRAILLE PATTERN DOTS-567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2870"},10353:{"value":"2871","name":"BRAILLE PATTERN DOTS-1567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2871"},10354:{"value":"2872","name":"BRAILLE PATTERN DOTS-2567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2872"},10355:{"value":"2873","name":"BRAILLE PATTERN DOTS-12567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2873"},10356:{"value":"2874","name":"BRAILLE PATTERN DOTS-3567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2874"},10357:{"value":"2875","name":"BRAILLE PATTERN DOTS-13567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2875"},10358:{"value":"2876","name":"BRAILLE PATTERN DOTS-23567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2876"},10359:{"value":"2877","name":"BRAILLE PATTERN DOTS-123567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2877"},10360:{"value":"2878","name":"BRAILLE PATTERN DOTS-4567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2878"},10361:{"value":"2879","name":"BRAILLE PATTERN DOTS-14567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2879"},10362:{"value":"287A","name":"BRAILLE PATTERN DOTS-24567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287A"},10363:{"value":"287B","name":"BRAILLE PATTERN DOTS-124567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287B"},10364:{"value":"287C","name":"BRAILLE PATTERN DOTS-34567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287C"},10365:{"value":"287D","name":"BRAILLE PATTERN DOTS-134567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287D"},10366:{"value":"287E","name":"BRAILLE PATTERN DOTS-234567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287E"},10367:{"value":"287F","name":"BRAILLE PATTERN DOTS-1234567","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u287F"},10368:{"value":"2880","name":"BRAILLE PATTERN DOTS-8","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2880"},10369:{"value":"2881","name":"BRAILLE PATTERN DOTS-18","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2881"},10370:{"value":"2882","name":"BRAILLE PATTERN DOTS-28","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2882"},10371:{"value":"2883","name":"BRAILLE PATTERN DOTS-128","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2883"},10372:{"value":"2884","name":"BRAILLE PATTERN DOTS-38","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2884"},10373:{"value":"2885","name":"BRAILLE PATTERN DOTS-138","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2885"},10374:{"value":"2886","name":"BRAILLE PATTERN DOTS-238","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2886"},10375:{"value":"2887","name":"BRAILLE PATTERN DOTS-1238","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2887"},10376:{"value":"2888","name":"BRAILLE PATTERN DOTS-48","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2888"},10377:{"value":"2889","name":"BRAILLE PATTERN DOTS-148","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2889"},10378:{"value":"288A","name":"BRAILLE PATTERN DOTS-248","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288A"},10379:{"value":"288B","name":"BRAILLE PATTERN DOTS-1248","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288B"},10380:{"value":"288C","name":"BRAILLE PATTERN DOTS-348","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288C"},10381:{"value":"288D","name":"BRAILLE PATTERN DOTS-1348","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288D"},10382:{"value":"288E","name":"BRAILLE PATTERN DOTS-2348","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288E"},10383:{"value":"288F","name":"BRAILLE PATTERN DOTS-12348","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u288F"},10384:{"value":"2890","name":"BRAILLE PATTERN DOTS-58","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2890"},10385:{"value":"2891","name":"BRAILLE PATTERN DOTS-158","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2891"},10386:{"value":"2892","name":"BRAILLE PATTERN DOTS-258","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2892"},10387:{"value":"2893","name":"BRAILLE PATTERN DOTS-1258","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2893"},10388:{"value":"2894","name":"BRAILLE PATTERN DOTS-358","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2894"},10389:{"value":"2895","name":"BRAILLE PATTERN DOTS-1358","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2895"},10390:{"value":"2896","name":"BRAILLE PATTERN DOTS-2358","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2896"},10391:{"value":"2897","name":"BRAILLE PATTERN DOTS-12358","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2897"},10392:{"value":"2898","name":"BRAILLE PATTERN DOTS-458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2898"},10393:{"value":"2899","name":"BRAILLE PATTERN DOTS-1458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2899"},10394:{"value":"289A","name":"BRAILLE PATTERN DOTS-2458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289A"},10395:{"value":"289B","name":"BRAILLE PATTERN DOTS-12458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289B"},10396:{"value":"289C","name":"BRAILLE PATTERN DOTS-3458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289C"},10397:{"value":"289D","name":"BRAILLE PATTERN DOTS-13458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289D"},10398:{"value":"289E","name":"BRAILLE PATTERN DOTS-23458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289E"},10399:{"value":"289F","name":"BRAILLE PATTERN DOTS-123458","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u289F"},10400:{"value":"28A0","name":"BRAILLE PATTERN DOTS-68","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A0"},10401:{"value":"28A1","name":"BRAILLE PATTERN DOTS-168","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A1"},10402:{"value":"28A2","name":"BRAILLE PATTERN DOTS-268","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A2"},10403:{"value":"28A3","name":"BRAILLE PATTERN DOTS-1268","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A3"},10404:{"value":"28A4","name":"BRAILLE PATTERN DOTS-368","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A4"},10405:{"value":"28A5","name":"BRAILLE PATTERN DOTS-1368","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A5"},10406:{"value":"28A6","name":"BRAILLE PATTERN DOTS-2368","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A6"},10407:{"value":"28A7","name":"BRAILLE PATTERN DOTS-12368","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A7"},10408:{"value":"28A8","name":"BRAILLE PATTERN DOTS-468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A8"},10409:{"value":"28A9","name":"BRAILLE PATTERN DOTS-1468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28A9"},10410:{"value":"28AA","name":"BRAILLE PATTERN DOTS-2468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AA"},10411:{"value":"28AB","name":"BRAILLE PATTERN DOTS-12468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AB"},10412:{"value":"28AC","name":"BRAILLE PATTERN DOTS-3468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AC"},10413:{"value":"28AD","name":"BRAILLE PATTERN DOTS-13468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AD"},10414:{"value":"28AE","name":"BRAILLE PATTERN DOTS-23468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AE"},10415:{"value":"28AF","name":"BRAILLE PATTERN DOTS-123468","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28AF"},10416:{"value":"28B0","name":"BRAILLE PATTERN DOTS-568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B0"},10417:{"value":"28B1","name":"BRAILLE PATTERN DOTS-1568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B1"},10418:{"value":"28B2","name":"BRAILLE PATTERN DOTS-2568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B2"},10419:{"value":"28B3","name":"BRAILLE PATTERN DOTS-12568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B3"},10420:{"value":"28B4","name":"BRAILLE PATTERN DOTS-3568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B4"},10421:{"value":"28B5","name":"BRAILLE PATTERN DOTS-13568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B5"},10422:{"value":"28B6","name":"BRAILLE PATTERN DOTS-23568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B6"},10423:{"value":"28B7","name":"BRAILLE PATTERN DOTS-123568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B7"},10424:{"value":"28B8","name":"BRAILLE PATTERN DOTS-4568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B8"},10425:{"value":"28B9","name":"BRAILLE PATTERN DOTS-14568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28B9"},10426:{"value":"28BA","name":"BRAILLE PATTERN DOTS-24568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BA"},10427:{"value":"28BB","name":"BRAILLE PATTERN DOTS-124568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BB"},10428:{"value":"28BC","name":"BRAILLE PATTERN DOTS-34568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BC"},10429:{"value":"28BD","name":"BRAILLE PATTERN DOTS-134568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BD"},10430:{"value":"28BE","name":"BRAILLE PATTERN DOTS-234568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BE"},10431:{"value":"28BF","name":"BRAILLE PATTERN DOTS-1234568","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28BF"},10432:{"value":"28C0","name":"BRAILLE PATTERN DOTS-78","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C0"},10433:{"value":"28C1","name":"BRAILLE PATTERN DOTS-178","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C1"},10434:{"value":"28C2","name":"BRAILLE PATTERN DOTS-278","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C2"},10435:{"value":"28C3","name":"BRAILLE PATTERN DOTS-1278","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C3"},10436:{"value":"28C4","name":"BRAILLE PATTERN DOTS-378","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C4"},10437:{"value":"28C5","name":"BRAILLE PATTERN DOTS-1378","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C5"},10438:{"value":"28C6","name":"BRAILLE PATTERN DOTS-2378","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C6"},10439:{"value":"28C7","name":"BRAILLE PATTERN DOTS-12378","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C7"},10440:{"value":"28C8","name":"BRAILLE PATTERN DOTS-478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C8"},10441:{"value":"28C9","name":"BRAILLE PATTERN DOTS-1478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28C9"},10442:{"value":"28CA","name":"BRAILLE PATTERN DOTS-2478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CA"},10443:{"value":"28CB","name":"BRAILLE PATTERN DOTS-12478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CB"},10444:{"value":"28CC","name":"BRAILLE PATTERN DOTS-3478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CC"},10445:{"value":"28CD","name":"BRAILLE PATTERN DOTS-13478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CD"},10446:{"value":"28CE","name":"BRAILLE PATTERN DOTS-23478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CE"},10447:{"value":"28CF","name":"BRAILLE PATTERN DOTS-123478","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28CF"},10448:{"value":"28D0","name":"BRAILLE PATTERN DOTS-578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D0"},10449:{"value":"28D1","name":"BRAILLE PATTERN DOTS-1578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D1"},10450:{"value":"28D2","name":"BRAILLE PATTERN DOTS-2578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D2"},10451:{"value":"28D3","name":"BRAILLE PATTERN DOTS-12578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D3"},10452:{"value":"28D4","name":"BRAILLE PATTERN DOTS-3578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D4"},10453:{"value":"28D5","name":"BRAILLE PATTERN DOTS-13578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D5"},10454:{"value":"28D6","name":"BRAILLE PATTERN DOTS-23578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D6"},10455:{"value":"28D7","name":"BRAILLE PATTERN DOTS-123578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D7"},10456:{"value":"28D8","name":"BRAILLE PATTERN DOTS-4578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D8"},10457:{"value":"28D9","name":"BRAILLE PATTERN DOTS-14578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28D9"},10458:{"value":"28DA","name":"BRAILLE PATTERN DOTS-24578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DA"},10459:{"value":"28DB","name":"BRAILLE PATTERN DOTS-124578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DB"},10460:{"value":"28DC","name":"BRAILLE PATTERN DOTS-34578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DC"},10461:{"value":"28DD","name":"BRAILLE PATTERN DOTS-134578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DD"},10462:{"value":"28DE","name":"BRAILLE PATTERN DOTS-234578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DE"},10463:{"value":"28DF","name":"BRAILLE PATTERN DOTS-1234578","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28DF"},10464:{"value":"28E0","name":"BRAILLE PATTERN DOTS-678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E0"},10465:{"value":"28E1","name":"BRAILLE PATTERN DOTS-1678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E1"},10466:{"value":"28E2","name":"BRAILLE PATTERN DOTS-2678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E2"},10467:{"value":"28E3","name":"BRAILLE PATTERN DOTS-12678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E3"},10468:{"value":"28E4","name":"BRAILLE PATTERN DOTS-3678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E4"},10469:{"value":"28E5","name":"BRAILLE PATTERN DOTS-13678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E5"},10470:{"value":"28E6","name":"BRAILLE PATTERN DOTS-23678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E6"},10471:{"value":"28E7","name":"BRAILLE PATTERN DOTS-123678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E7"},10472:{"value":"28E8","name":"BRAILLE PATTERN DOTS-4678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E8"},10473:{"value":"28E9","name":"BRAILLE PATTERN DOTS-14678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28E9"},10474:{"value":"28EA","name":"BRAILLE PATTERN DOTS-24678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28EA"},10475:{"value":"28EB","name":"BRAILLE PATTERN DOTS-124678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28EB"},10476:{"value":"28EC","name":"BRAILLE PATTERN DOTS-34678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28EC"},10477:{"value":"28ED","name":"BRAILLE PATTERN DOTS-134678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28ED"},10478:{"value":"28EE","name":"BRAILLE PATTERN DOTS-234678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28EE"},10479:{"value":"28EF","name":"BRAILLE PATTERN DOTS-1234678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28EF"},10480:{"value":"28F0","name":"BRAILLE PATTERN DOTS-5678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F0"},10481:{"value":"28F1","name":"BRAILLE PATTERN DOTS-15678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F1"},10482:{"value":"28F2","name":"BRAILLE PATTERN DOTS-25678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F2"},10483:{"value":"28F3","name":"BRAILLE PATTERN DOTS-125678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F3"},10484:{"value":"28F4","name":"BRAILLE PATTERN DOTS-35678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F4"},10485:{"value":"28F5","name":"BRAILLE PATTERN DOTS-135678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F5"},10486:{"value":"28F6","name":"BRAILLE PATTERN DOTS-235678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F6"},10487:{"value":"28F7","name":"BRAILLE PATTERN DOTS-1235678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F7"},10488:{"value":"28F8","name":"BRAILLE PATTERN DOTS-45678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F8"},10489:{"value":"28F9","name":"BRAILLE PATTERN DOTS-145678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28F9"},10490:{"value":"28FA","name":"BRAILLE PATTERN DOTS-245678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FA"},10491:{"value":"28FB","name":"BRAILLE PATTERN DOTS-1245678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FB"},10492:{"value":"28FC","name":"BRAILLE PATTERN DOTS-345678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FC"},10493:{"value":"28FD","name":"BRAILLE PATTERN DOTS-1345678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FD"},10494:{"value":"28FE","name":"BRAILLE PATTERN DOTS-2345678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FE"},10495:{"value":"28FF","name":"BRAILLE PATTERN DOTS-12345678","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u28FF"},11008:{"value":"2B00","name":"NORTH EAST WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B00"},11009:{"value":"2B01","name":"NORTH WEST WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B01"},11010:{"value":"2B02","name":"SOUTH EAST WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B02"},11011:{"value":"2B03","name":"SOUTH WEST WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B03"},11012:{"value":"2B04","name":"LEFT RIGHT WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B04"},11013:{"value":"2B05","name":"LEFTWARDS BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B05"},11014:{"value":"2B06","name":"UPWARDS BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B06"},11015:{"value":"2B07","name":"DOWNWARDS BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B07"},11016:{"value":"2B08","name":"NORTH EAST BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B08"},11017:{"value":"2B09","name":"NORTH WEST BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B09"},11018:{"value":"2B0A","name":"SOUTH EAST BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0A"},11019:{"value":"2B0B","name":"SOUTH WEST BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0B"},11020:{"value":"2B0C","name":"LEFT RIGHT BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0C"},11021:{"value":"2B0D","name":"UP DOWN BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0D"},11022:{"value":"2B0E","name":"RIGHTWARDS ARROW WITH TIP DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0E"},11023:{"value":"2B0F","name":"RIGHTWARDS ARROW WITH TIP UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B0F"},11024:{"value":"2B10","name":"LEFTWARDS ARROW WITH TIP DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B10"},11025:{"value":"2B11","name":"LEFTWARDS ARROW WITH TIP UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B11"},11026:{"value":"2B12","name":"SQUARE WITH TOP HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B12"},11027:{"value":"2B13","name":"SQUARE WITH BOTTOM HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B13"},11028:{"value":"2B14","name":"SQUARE WITH UPPER RIGHT DIAGONAL HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B14"},11029:{"value":"2B15","name":"SQUARE WITH LOWER LEFT DIAGONAL HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B15"},11030:{"value":"2B16","name":"DIAMOND WITH LEFT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B16"},11031:{"value":"2B17","name":"DIAMOND WITH RIGHT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B17"},11032:{"value":"2B18","name":"DIAMOND WITH TOP HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B18"},11033:{"value":"2B19","name":"DIAMOND WITH BOTTOM HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B19"},11034:{"value":"2B1A","name":"DOTTED SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1A"},11035:{"value":"2B1B","name":"BLACK LARGE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1B"},11036:{"value":"2B1C","name":"WHITE LARGE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1C"},11037:{"value":"2B1D","name":"BLACK VERY SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1D"},11038:{"value":"2B1E","name":"WHITE VERY SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1E"},11039:{"value":"2B1F","name":"BLACK PENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B1F"},11040:{"value":"2B20","name":"WHITE PENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B20"},11041:{"value":"2B21","name":"WHITE HEXAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B21"},11042:{"value":"2B22","name":"BLACK HEXAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B22"},11043:{"value":"2B23","name":"HORIZONTAL BLACK HEXAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B23"},11044:{"value":"2B24","name":"BLACK LARGE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B24"},11045:{"value":"2B25","name":"BLACK MEDIUM DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B25"},11046:{"value":"2B26","name":"WHITE MEDIUM DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B26"},11047:{"value":"2B27","name":"BLACK MEDIUM LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B27"},11048:{"value":"2B28","name":"WHITE MEDIUM LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B28"},11049:{"value":"2B29","name":"BLACK SMALL DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B29"},11050:{"value":"2B2A","name":"BLACK SMALL LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2A"},11051:{"value":"2B2B","name":"WHITE SMALL LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2B"},11052:{"value":"2B2C","name":"BLACK HORIZONTAL ELLIPSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2C"},11053:{"value":"2B2D","name":"WHITE HORIZONTAL ELLIPSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2D"},11054:{"value":"2B2E","name":"BLACK VERTICAL ELLIPSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2E"},11055:{"value":"2B2F","name":"WHITE VERTICAL ELLIPSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B2F"},11077:{"value":"2B45","name":"LEFTWARDS QUADRUPLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B45"},11078:{"value":"2B46","name":"RIGHTWARDS QUADRUPLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B46"},11085:{"value":"2B4D","name":"DOWNWARDS TRIANGLE-HEADED ZIGZAG ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B4D"},11086:{"value":"2B4E","name":"SHORT SLANTED NORTH ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B4E"},11087:{"value":"2B4F","name":"SHORT BACKSLANTED SOUTH ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B4F"},11088:{"value":"2B50","name":"WHITE MEDIUM STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B50"},11089:{"value":"2B51","name":"BLACK SMALL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B51"},11090:{"value":"2B52","name":"WHITE SMALL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B52"},11091:{"value":"2B53","name":"BLACK RIGHT-POINTING PENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B53"},11092:{"value":"2B54","name":"WHITE RIGHT-POINTING PENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B54"},11093:{"value":"2B55","name":"HEAVY LARGE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B55"},11094:{"value":"2B56","name":"HEAVY OVAL WITH OVAL INSIDE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B56"},11095:{"value":"2B57","name":"HEAVY CIRCLE WITH CIRCLE INSIDE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B57"},11096:{"value":"2B58","name":"HEAVY CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B58"},11097:{"value":"2B59","name":"HEAVY CIRCLED SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B59"},11098:{"value":"2B5A","name":"SLANTED NORTH ARROW WITH HOOKED HEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5A"},11099:{"value":"2B5B","name":"BACKSLANTED SOUTH ARROW WITH HOOKED TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5B"},11100:{"value":"2B5C","name":"SLANTED NORTH ARROW WITH HORIZONTAL TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5C"},11101:{"value":"2B5D","name":"BACKSLANTED SOUTH ARROW WITH HORIZONTAL TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5D"},11102:{"value":"2B5E","name":"BENT ARROW POINTING DOWNWARDS THEN NORTH EAST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5E"},11103:{"value":"2B5F","name":"SHORT BENT ARROW POINTING DOWNWARDS THEN NORTH EAST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B5F"},11104:{"value":"2B60","name":"LEFTWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B60"},11105:{"value":"2B61","name":"UPWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B61"},11106:{"value":"2B62","name":"RIGHTWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B62"},11107:{"value":"2B63","name":"DOWNWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B63"},11108:{"value":"2B64","name":"LEFT RIGHT TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B64"},11109:{"value":"2B65","name":"UP DOWN TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B65"},11110:{"value":"2B66","name":"NORTH WEST TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B66"},11111:{"value":"2B67","name":"NORTH EAST TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B67"},11112:{"value":"2B68","name":"SOUTH EAST TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B68"},11113:{"value":"2B69","name":"SOUTH WEST TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B69"},11114:{"value":"2B6A","name":"LEFTWARDS TRIANGLE-HEADED DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6A"},11115:{"value":"2B6B","name":"UPWARDS TRIANGLE-HEADED DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6B"},11116:{"value":"2B6C","name":"RIGHTWARDS TRIANGLE-HEADED DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6C"},11117:{"value":"2B6D","name":"DOWNWARDS TRIANGLE-HEADED DASHED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6D"},11118:{"value":"2B6E","name":"CLOCKWISE TRIANGLE-HEADED OPEN CIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6E"},11119:{"value":"2B6F","name":"ANTICLOCKWISE TRIANGLE-HEADED OPEN CIRCLE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B6F"},11120:{"value":"2B70","name":"LEFTWARDS TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B70"},11121:{"value":"2B71","name":"UPWARDS TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B71"},11122:{"value":"2B72","name":"RIGHTWARDS TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B72"},11123:{"value":"2B73","name":"DOWNWARDS TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B73"},11126:{"value":"2B76","name":"NORTH WEST TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B76"},11127:{"value":"2B77","name":"NORTH EAST TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B77"},11128:{"value":"2B78","name":"SOUTH EAST TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B78"},11129:{"value":"2B79","name":"SOUTH WEST TRIANGLE-HEADED ARROW TO BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B79"},11130:{"value":"2B7A","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH DOUBLE HORIZONTAL STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7A"},11131:{"value":"2B7B","name":"UPWARDS TRIANGLE-HEADED ARROW WITH DOUBLE HORIZONTAL STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7B"},11132:{"value":"2B7C","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH DOUBLE HORIZONTAL STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7C"},11133:{"value":"2B7D","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH DOUBLE HORIZONTAL STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7D"},11134:{"value":"2B7E","name":"HORIZONTAL TAB KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7E"},11135:{"value":"2B7F","name":"VERTICAL TAB KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B7F"},11136:{"value":"2B80","name":"LEFTWARDS TRIANGLE-HEADED ARROW OVER RIGHTWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B80"},11137:{"value":"2B81","name":"UPWARDS TRIANGLE-HEADED ARROW LEFTWARDS OF DOWNWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B81"},11138:{"value":"2B82","name":"RIGHTWARDS TRIANGLE-HEADED ARROW OVER LEFTWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B82"},11139:{"value":"2B83","name":"DOWNWARDS TRIANGLE-HEADED ARROW LEFTWARDS OF UPWARDS TRIANGLE-HEADED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B83"},11140:{"value":"2B84","name":"LEFTWARDS TRIANGLE-HEADED PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B84"},11141:{"value":"2B85","name":"UPWARDS TRIANGLE-HEADED PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B85"},11142:{"value":"2B86","name":"RIGHTWARDS TRIANGLE-HEADED PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B86"},11143:{"value":"2B87","name":"DOWNWARDS TRIANGLE-HEADED PAIRED ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B87"},11144:{"value":"2B88","name":"LEFTWARDS BLACK CIRCLED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B88"},11145:{"value":"2B89","name":"UPWARDS BLACK CIRCLED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B89"},11146:{"value":"2B8A","name":"RIGHTWARDS BLACK CIRCLED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8A"},11147:{"value":"2B8B","name":"DOWNWARDS BLACK CIRCLED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8B"},11148:{"value":"2B8C","name":"ANTICLOCKWISE TRIANGLE-HEADED RIGHT U-SHAPED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8C"},11149:{"value":"2B8D","name":"ANTICLOCKWISE TRIANGLE-HEADED BOTTOM U-SHAPED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8D"},11150:{"value":"2B8E","name":"ANTICLOCKWISE TRIANGLE-HEADED LEFT U-SHAPED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8E"},11151:{"value":"2B8F","name":"ANTICLOCKWISE TRIANGLE-HEADED TOP U-SHAPED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B8F"},11152:{"value":"2B90","name":"RETURN LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B90"},11153:{"value":"2B91","name":"RETURN RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B91"},11154:{"value":"2B92","name":"NEWLINE LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B92"},11155:{"value":"2B93","name":"NEWLINE RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B93"},11156:{"value":"2B94","name":"FOUR CORNER ARROWS CIRCLING ANTICLOCKWISE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B94"},11157:{"value":"2B95","name":"RIGHTWARDS BLACK ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B95"},11160:{"value":"2B98","name":"THREE-D TOP-LIGHTED LEFTWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B98"},11161:{"value":"2B99","name":"THREE-D RIGHT-LIGHTED UPWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B99"},11162:{"value":"2B9A","name":"THREE-D TOP-LIGHTED RIGHTWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9A"},11163:{"value":"2B9B","name":"THREE-D LEFT-LIGHTED DOWNWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9B"},11164:{"value":"2B9C","name":"BLACK LEFTWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9C"},11165:{"value":"2B9D","name":"BLACK UPWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9D"},11166:{"value":"2B9E","name":"BLACK RIGHTWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9E"},11167:{"value":"2B9F","name":"BLACK DOWNWARDS EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2B9F"},11168:{"value":"2BA0","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH LONG TIP LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA0"},11169:{"value":"2BA1","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH LONG TIP RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA1"},11170:{"value":"2BA2","name":"UPWARDS TRIANGLE-HEADED ARROW WITH LONG TIP LEFTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA2"},11171:{"value":"2BA3","name":"UPWARDS TRIANGLE-HEADED ARROW WITH LONG TIP RIGHTWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA3"},11172:{"value":"2BA4","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH LONG TIP UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA4"},11173:{"value":"2BA5","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH LONG TIP UPWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA5"},11174:{"value":"2BA6","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH LONG TIP DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA6"},11175:{"value":"2BA7","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH LONG TIP DOWNWARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA7"},11176:{"value":"2BA8","name":"BLACK CURVED DOWNWARDS AND LEFTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA8"},11177:{"value":"2BA9","name":"BLACK CURVED DOWNWARDS AND RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BA9"},11178:{"value":"2BAA","name":"BLACK CURVED UPWARDS AND LEFTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAA"},11179:{"value":"2BAB","name":"BLACK CURVED UPWARDS AND RIGHTWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAB"},11180:{"value":"2BAC","name":"BLACK CURVED LEFTWARDS AND UPWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAC"},11181:{"value":"2BAD","name":"BLACK CURVED RIGHTWARDS AND UPWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAD"},11182:{"value":"2BAE","name":"BLACK CURVED LEFTWARDS AND DOWNWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAE"},11183:{"value":"2BAF","name":"BLACK CURVED RIGHTWARDS AND DOWNWARDS ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BAF"},11184:{"value":"2BB0","name":"RIBBON ARROW DOWN LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB0"},11185:{"value":"2BB1","name":"RIBBON ARROW DOWN RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB1"},11186:{"value":"2BB2","name":"RIBBON ARROW UP LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB2"},11187:{"value":"2BB3","name":"RIBBON ARROW UP RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB3"},11188:{"value":"2BB4","name":"RIBBON ARROW LEFT UP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB4"},11189:{"value":"2BB5","name":"RIBBON ARROW RIGHT UP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB5"},11190:{"value":"2BB6","name":"RIBBON ARROW LEFT DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB6"},11191:{"value":"2BB7","name":"RIBBON ARROW RIGHT DOWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB7"},11192:{"value":"2BB8","name":"UPWARDS WHITE ARROW FROM BAR WITH HORIZONTAL BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB8"},11193:{"value":"2BB9","name":"UP ARROWHEAD IN A RECTANGLE BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BB9"},11194:{"value":"2BBA","name":"OVERLAPPING WHITE SQUARES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBA"},11195:{"value":"2BBB","name":"OVERLAPPING WHITE AND BLACK SQUARES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBB"},11196:{"value":"2BBC","name":"OVERLAPPING BLACK SQUARES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBC"},11197:{"value":"2BBD","name":"BALLOT BOX WITH LIGHT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBD"},11198:{"value":"2BBE","name":"CIRCLED X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBE"},11199:{"value":"2BBF","name":"CIRCLED BOLD X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BBF"},11200:{"value":"2BC0","name":"BLACK SQUARE CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC0"},11201:{"value":"2BC1","name":"BLACK DIAMOND CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC1"},11202:{"value":"2BC2","name":"TURNED BLACK PENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC2"},11203:{"value":"2BC3","name":"HORIZONTAL BLACK OCTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC3"},11204:{"value":"2BC4","name":"BLACK OCTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC4"},11205:{"value":"2BC5","name":"BLACK MEDIUM UP-POINTING TRIANGLE CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC5"},11206:{"value":"2BC6","name":"BLACK MEDIUM DOWN-POINTING TRIANGLE CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC6"},11207:{"value":"2BC7","name":"BLACK MEDIUM LEFT-POINTING TRIANGLE CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC7"},11208:{"value":"2BC8","name":"BLACK MEDIUM RIGHT-POINTING TRIANGLE CENTRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC8"},11209:{"value":"2BC9","name":"NEPTUNE FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BC9"},11210:{"value":"2BCA","name":"TOP HALF BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCA"},11211:{"value":"2BCB","name":"BOTTOM HALF BLACK CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCB"},11212:{"value":"2BCC","name":"LIGHT FOUR POINTED BLACK CUSP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCC"},11213:{"value":"2BCD","name":"ROTATED LIGHT FOUR POINTED BLACK CUSP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCD"},11214:{"value":"2BCE","name":"WHITE FOUR POINTED CUSP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCE"},11215:{"value":"2BCF","name":"ROTATED WHITE FOUR POINTED CUSP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BCF"},11216:{"value":"2BD0","name":"SQUARE POSITION INDICATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD0"},11217:{"value":"2BD1","name":"UNCERTAINTY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD1"},11218:{"value":"2BD2","name":"GROUP MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD2"},11219:{"value":"2BD3","name":"PLUTO FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD3"},11220:{"value":"2BD4","name":"PLUTO FORM THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD4"},11221:{"value":"2BD5","name":"PLUTO FORM FOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD5"},11222:{"value":"2BD6","name":"PLUTO FORM FIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD6"},11223:{"value":"2BD7","name":"TRANSPLUTO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD7"},11224:{"value":"2BD8","name":"PROSERPINA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD8"},11225:{"value":"2BD9","name":"ASTRAEA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BD9"},11226:{"value":"2BDA","name":"HYGIEA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDA"},11227:{"value":"2BDB","name":"PHOLUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDB"},11228:{"value":"2BDC","name":"NESSUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDC"},11229:{"value":"2BDD","name":"WHITE MOON SELENA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDD"},11230:{"value":"2BDE","name":"BLACK DIAMOND ON CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDE"},11231:{"value":"2BDF","name":"TRUE LIGHT MOON ARTA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BDF"},11232:{"value":"2BE0","name":"CUPIDO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE0"},11233:{"value":"2BE1","name":"HADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE1"},11234:{"value":"2BE2","name":"ZEUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE2"},11235:{"value":"2BE3","name":"KRONOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE3"},11236:{"value":"2BE4","name":"APOLLON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE4"},11237:{"value":"2BE5","name":"ADMETOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE5"},11238:{"value":"2BE6","name":"VULCANUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE6"},11239:{"value":"2BE7","name":"POSEIDON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE7"},11240:{"value":"2BE8","name":"LEFT HALF BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE8"},11241:{"value":"2BE9","name":"RIGHT HALF BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BE9"},11242:{"value":"2BEA","name":"STAR WITH LEFT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BEA"},11243:{"value":"2BEB","name":"STAR WITH RIGHT HALF BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BEB"},11244:{"value":"2BEC","name":"LEFTWARDS TWO-HEADED ARROW WITH TRIANGLE ARROWHEADS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BEC"},11245:{"value":"2BED","name":"UPWARDS TWO-HEADED ARROW WITH TRIANGLE ARROWHEADS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BED"},11246:{"value":"2BEE","name":"RIGHTWARDS TWO-HEADED ARROW WITH TRIANGLE ARROWHEADS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BEE"},11247:{"value":"2BEF","name":"DOWNWARDS TWO-HEADED ARROW WITH TRIANGLE ARROWHEADS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BEF"},11248:{"value":"2BF0","name":"ERIS FORM ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF0"},11249:{"value":"2BF1","name":"ERIS FORM TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF1"},11250:{"value":"2BF2","name":"SEDNA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF2"},11251:{"value":"2BF3","name":"RUSSIAN ASTROLOGICAL SYMBOL VIGINTILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF3"},11252:{"value":"2BF4","name":"RUSSIAN ASTROLOGICAL SYMBOL NOVILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF4"},11253:{"value":"2BF5","name":"RUSSIAN ASTROLOGICAL SYMBOL QUINTILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF5"},11254:{"value":"2BF6","name":"RUSSIAN ASTROLOGICAL SYMBOL BINOVILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF6"},11255:{"value":"2BF7","name":"RUSSIAN ASTROLOGICAL SYMBOL SENTAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF7"},11256:{"value":"2BF8","name":"RUSSIAN ASTROLOGICAL SYMBOL TREDECILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF8"},11257:{"value":"2BF9","name":"EQUALS SIGN WITH INFINITY BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BF9"},11258:{"value":"2BFA","name":"UNITED SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFA"},11259:{"value":"2BFB","name":"SEPARATED SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFB"},11260:{"value":"2BFC","name":"DOUBLED SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFC"},11261:{"value":"2BFD","name":"PASSED SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFD"},11262:{"value":"2BFE","name":"REVERSED RIGHT ANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"Y","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFE"},11263:{"value":"2BFF","name":"HELLSCHREIBER PAUSE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2BFF"},11493:{"value":"2CE5","name":"COPTIC SYMBOL MI RO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CE5"},11494:{"value":"2CE6","name":"COPTIC SYMBOL PI RO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CE6"},11495:{"value":"2CE7","name":"COPTIC SYMBOL STAUROS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CE7"},11496:{"value":"2CE8","name":"COPTIC SYMBOL TAU RO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CE8"},11497:{"value":"2CE9","name":"COPTIC SYMBOL KHI RO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CE9"},11498:{"value":"2CEA","name":"COPTIC SYMBOL SHIMA SIMA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2CEA"},11904:{"value":"2E80","name":"CJK RADICAL REPEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E80"},11905:{"value":"2E81","name":"CJK RADICAL CLIFF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E81"},11906:{"value":"2E82","name":"CJK RADICAL SECOND ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E82"},11907:{"value":"2E83","name":"CJK RADICAL SECOND TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E83"},11908:{"value":"2E84","name":"CJK RADICAL SECOND THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E84"},11909:{"value":"2E85","name":"CJK RADICAL PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E85"},11910:{"value":"2E86","name":"CJK RADICAL BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E86"},11911:{"value":"2E87","name":"CJK RADICAL TABLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E87"},11912:{"value":"2E88","name":"CJK RADICAL KNIFE ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E88"},11913:{"value":"2E89","name":"CJK RADICAL KNIFE TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E89"},11914:{"value":"2E8A","name":"CJK RADICAL DIVINATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8A"},11915:{"value":"2E8B","name":"CJK RADICAL SEAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8B"},11916:{"value":"2E8C","name":"CJK RADICAL SMALL ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8C"},11917:{"value":"2E8D","name":"CJK RADICAL SMALL TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8D"},11918:{"value":"2E8E","name":"CJK RADICAL LAME ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8E"},11919:{"value":"2E8F","name":"CJK RADICAL LAME TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E8F"},11920:{"value":"2E90","name":"CJK RADICAL LAME THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E90"},11921:{"value":"2E91","name":"CJK RADICAL LAME FOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E91"},11922:{"value":"2E92","name":"CJK RADICAL SNAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E92"},11923:{"value":"2E93","name":"CJK RADICAL THREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E93"},11924:{"value":"2E94","name":"CJK RADICAL SNOUT ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E94"},11925:{"value":"2E95","name":"CJK RADICAL SNOUT TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E95"},11926:{"value":"2E96","name":"CJK RADICAL HEART ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E96"},11927:{"value":"2E97","name":"CJK RADICAL HEART TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E97"},11928:{"value":"2E98","name":"CJK RADICAL HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E98"},11929:{"value":"2E99","name":"CJK RADICAL RAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E99"},11931:{"value":"2E9B","name":"CJK RADICAL CHOKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E9B"},11932:{"value":"2E9C","name":"CJK RADICAL SUN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E9C"},11933:{"value":"2E9D","name":"CJK RADICAL MOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E9D"},11934:{"value":"2E9E","name":"CJK RADICAL DEATH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E9E"},11935:{"value":"2E9F","name":"CJK RADICAL MOTHER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6BCD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2E9F"},11936:{"value":"2EA0","name":"CJK RADICAL CIVILIAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA0"},11937:{"value":"2EA1","name":"CJK RADICAL WATER ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA1"},11938:{"value":"2EA2","name":"CJK RADICAL WATER TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA2"},11939:{"value":"2EA3","name":"CJK RADICAL FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA3"},11940:{"value":"2EA4","name":"CJK RADICAL PAW ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA4"},11941:{"value":"2EA5","name":"CJK RADICAL PAW TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA5"},11942:{"value":"2EA6","name":"CJK RADICAL SIMPLIFIED HALF TREE TRUNK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA6"},11943:{"value":"2EA7","name":"CJK RADICAL COW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA7"},11944:{"value":"2EA8","name":"CJK RADICAL DOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA8"},11945:{"value":"2EA9","name":"CJK RADICAL JADE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EA9"},11946:{"value":"2EAA","name":"CJK RADICAL BOLT OF CLOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAA"},11947:{"value":"2EAB","name":"CJK RADICAL EYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAB"},11948:{"value":"2EAC","name":"CJK RADICAL SPIRIT ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAC"},11949:{"value":"2EAD","name":"CJK RADICAL SPIRIT TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAD"},11950:{"value":"2EAE","name":"CJK RADICAL BAMBOO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAE"},11951:{"value":"2EAF","name":"CJK RADICAL SILK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EAF"},11952:{"value":"2EB0","name":"CJK RADICAL C-SIMPLIFIED SILK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB0"},11953:{"value":"2EB1","name":"CJK RADICAL NET ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB1"},11954:{"value":"2EB2","name":"CJK RADICAL NET TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB2"},11955:{"value":"2EB3","name":"CJK RADICAL NET THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB3"},11956:{"value":"2EB4","name":"CJK RADICAL NET FOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB4"},11957:{"value":"2EB5","name":"CJK RADICAL MESH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB5"},11958:{"value":"2EB6","name":"CJK RADICAL SHEEP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB6"},11959:{"value":"2EB7","name":"CJK RADICAL RAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB7"},11960:{"value":"2EB8","name":"CJK RADICAL EWE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB8"},11961:{"value":"2EB9","name":"CJK RADICAL OLD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EB9"},11962:{"value":"2EBA","name":"CJK RADICAL BRUSH ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBA"},11963:{"value":"2EBB","name":"CJK RADICAL BRUSH TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBB"},11964:{"value":"2EBC","name":"CJK RADICAL MEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBC"},11965:{"value":"2EBD","name":"CJK RADICAL MORTAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBD"},11966:{"value":"2EBE","name":"CJK RADICAL GRASS ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBE"},11967:{"value":"2EBF","name":"CJK RADICAL GRASS TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EBF"},11968:{"value":"2EC0","name":"CJK RADICAL GRASS THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC0"},11969:{"value":"2EC1","name":"CJK RADICAL TIGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC1"},11970:{"value":"2EC2","name":"CJK RADICAL CLOTHES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC2"},11971:{"value":"2EC3","name":"CJK RADICAL WEST ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC3"},11972:{"value":"2EC4","name":"CJK RADICAL WEST TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC4"},11973:{"value":"2EC5","name":"CJK RADICAL C-SIMPLIFIED SEE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC5"},11974:{"value":"2EC6","name":"CJK RADICAL SIMPLIFIED HORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC6"},11975:{"value":"2EC7","name":"CJK RADICAL HORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC7"},11976:{"value":"2EC8","name":"CJK RADICAL C-SIMPLIFIED SPEECH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC8"},11977:{"value":"2EC9","name":"CJK RADICAL C-SIMPLIFIED SHELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EC9"},11978:{"value":"2ECA","name":"CJK RADICAL FOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECA"},11979:{"value":"2ECB","name":"CJK RADICAL C-SIMPLIFIED CART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECB"},11980:{"value":"2ECC","name":"CJK RADICAL SIMPLIFIED WALK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECC"},11981:{"value":"2ECD","name":"CJK RADICAL WALK ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECD"},11982:{"value":"2ECE","name":"CJK RADICAL WALK TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECE"},11983:{"value":"2ECF","name":"CJK RADICAL CITY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ECF"},11984:{"value":"2ED0","name":"CJK RADICAL C-SIMPLIFIED GOLD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED0"},11985:{"value":"2ED1","name":"CJK RADICAL LONG ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED1"},11986:{"value":"2ED2","name":"CJK RADICAL LONG TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED2"},11987:{"value":"2ED3","name":"CJK RADICAL C-SIMPLIFIED LONG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED3"},11988:{"value":"2ED4","name":"CJK RADICAL C-SIMPLIFIED GATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED4"},11989:{"value":"2ED5","name":"CJK RADICAL MOUND ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED5"},11990:{"value":"2ED6","name":"CJK RADICAL MOUND TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED6"},11991:{"value":"2ED7","name":"CJK RADICAL RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED7"},11992:{"value":"2ED8","name":"CJK RADICAL BLUE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED8"},11993:{"value":"2ED9","name":"CJK RADICAL C-SIMPLIFIED TANNED LEATHER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2ED9"},11994:{"value":"2EDA","name":"CJK RADICAL C-SIMPLIFIED LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDA"},11995:{"value":"2EDB","name":"CJK RADICAL C-SIMPLIFIED WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDB"},11996:{"value":"2EDC","name":"CJK RADICAL C-SIMPLIFIED FLY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDC"},11997:{"value":"2EDD","name":"CJK RADICAL EAT ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDD"},11998:{"value":"2EDE","name":"CJK RADICAL EAT TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDE"},11999:{"value":"2EDF","name":"CJK RADICAL EAT THREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EDF"},12000:{"value":"2EE0","name":"CJK RADICAL C-SIMPLIFIED EAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE0"},12001:{"value":"2EE1","name":"CJK RADICAL HEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE1"},12002:{"value":"2EE2","name":"CJK RADICAL C-SIMPLIFIED HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE2"},12003:{"value":"2EE3","name":"CJK RADICAL BONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE3"},12004:{"value":"2EE4","name":"CJK RADICAL GHOST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE4"},12005:{"value":"2EE5","name":"CJK RADICAL C-SIMPLIFIED FISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE5"},12006:{"value":"2EE6","name":"CJK RADICAL C-SIMPLIFIED BIRD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE6"},12007:{"value":"2EE7","name":"CJK RADICAL C-SIMPLIFIED SALT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE7"},12008:{"value":"2EE8","name":"CJK RADICAL SIMPLIFIED WHEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE8"},12009:{"value":"2EE9","name":"CJK RADICAL SIMPLIFIED YELLOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EE9"},12010:{"value":"2EEA","name":"CJK RADICAL C-SIMPLIFIED FROG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EEA"},12011:{"value":"2EEB","name":"CJK RADICAL J-SIMPLIFIED EVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EEB"},12012:{"value":"2EEC","name":"CJK RADICAL C-SIMPLIFIED EVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EEC"},12013:{"value":"2EED","name":"CJK RADICAL J-SIMPLIFIED TOOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EED"},12014:{"value":"2EEE","name":"CJK RADICAL C-SIMPLIFIED TOOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EEE"},12015:{"value":"2EEF","name":"CJK RADICAL J-SIMPLIFIED DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EEF"},12016:{"value":"2EF0","name":"CJK RADICAL C-SIMPLIFIED DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EF0"},12017:{"value":"2EF1","name":"CJK RADICAL TURTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EF1"},12018:{"value":"2EF2","name":"CJK RADICAL J-SIMPLIFIED TURTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EF2"},12019:{"value":"2EF3","name":"CJK RADICAL C-SIMPLIFIED TURTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F9F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2EF3"},12032:{"value":"2F00","name":"KANGXI RADICAL ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E00","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F00"},12033:{"value":"2F01","name":"KANGXI RADICAL LINE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E28","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F01"},12034:{"value":"2F02","name":"KANGXI RADICAL DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E36","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F02"},12035:{"value":"2F03","name":"KANGXI RADICAL SLASH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E3F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F03"},12036:{"value":"2F04","name":"KANGXI RADICAL SECOND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E59","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F04"},12037:{"value":"2F05","name":"KANGXI RADICAL HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E85","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F05"},12038:{"value":"2F06","name":"KANGXI RADICAL TWO","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4E8C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F06"},12039:{"value":"2F07","name":"KANGXI RADICAL LID","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4EA0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F07"},12040:{"value":"2F08","name":"KANGXI RADICAL MAN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 4EBA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F08"},12041:{"value":"2F09","name":"KANGXI RADICAL LEGS","category":"So","class":"0","bidirectional_category":"ON","mapping":" 513F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F09"},12042:{"value":"2F0A","name":"KANGXI RADICAL ENTER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5165","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0A"},12043:{"value":"2F0B","name":"KANGXI RADICAL EIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 516B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0B"},12044:{"value":"2F0C","name":"KANGXI RADICAL DOWN BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5182","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0C"},12045:{"value":"2F0D","name":"KANGXI RADICAL COVER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5196","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0D"},12046:{"value":"2F0E","name":"KANGXI RADICAL ICE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 51AB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0E"},12047:{"value":"2F0F","name":"KANGXI RADICAL TABLE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 51E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F0F"},12048:{"value":"2F10","name":"KANGXI RADICAL OPEN BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":" 51F5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F10"},12049:{"value":"2F11","name":"KANGXI RADICAL KNIFE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5200","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F11"},12050:{"value":"2F12","name":"KANGXI RADICAL POWER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 529B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F12"},12051:{"value":"2F13","name":"KANGXI RADICAL WRAP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 52F9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F13"},12052:{"value":"2F14","name":"KANGXI RADICAL SPOON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5315","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F14"},12053:{"value":"2F15","name":"KANGXI RADICAL RIGHT OPEN BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":" 531A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F15"},12054:{"value":"2F16","name":"KANGXI RADICAL HIDING ENCLOSURE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5338","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F16"},12055:{"value":"2F17","name":"KANGXI RADICAL TEN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5341","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F17"},12056:{"value":"2F18","name":"KANGXI RADICAL DIVINATION","category":"So","class":"0","bidirectional_category":"ON","mapping":" 535C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F18"},12057:{"value":"2F19","name":"KANGXI RADICAL SEAL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5369","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F19"},12058:{"value":"2F1A","name":"KANGXI RADICAL CLIFF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5382","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1A"},12059:{"value":"2F1B","name":"KANGXI RADICAL PRIVATE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 53B6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1B"},12060:{"value":"2F1C","name":"KANGXI RADICAL AGAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 53C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1C"},12061:{"value":"2F1D","name":"KANGXI RADICAL MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 53E3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1D"},12062:{"value":"2F1E","name":"KANGXI RADICAL ENCLOSURE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 56D7","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1E"},12063:{"value":"2F1F","name":"KANGXI RADICAL EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 571F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F1F"},12064:{"value":"2F20","name":"KANGXI RADICAL SCHOLAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 58EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F20"},12065:{"value":"2F21","name":"KANGXI RADICAL GO","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5902","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F21"},12066:{"value":"2F22","name":"KANGXI RADICAL GO SLOWLY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 590A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F22"},12067:{"value":"2F23","name":"KANGXI RADICAL EVENING","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5915","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F23"},12068:{"value":"2F24","name":"KANGXI RADICAL BIG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5927","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F24"},12069:{"value":"2F25","name":"KANGXI RADICAL WOMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5973","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F25"},12070:{"value":"2F26","name":"KANGXI RADICAL CHILD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5B50","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F26"},12071:{"value":"2F27","name":"KANGXI RADICAL ROOF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5B80","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F27"},12072:{"value":"2F28","name":"KANGXI RADICAL INCH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5BF8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F28"},12073:{"value":"2F29","name":"KANGXI RADICAL SMALL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5C0F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F29"},12074:{"value":"2F2A","name":"KANGXI RADICAL LAME","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5C22","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2A"},12075:{"value":"2F2B","name":"KANGXI RADICAL CORPSE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5C38","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2B"},12076:{"value":"2F2C","name":"KANGXI RADICAL SPROUT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5C6E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2C"},12077:{"value":"2F2D","name":"KANGXI RADICAL MOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5C71","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2D"},12078:{"value":"2F2E","name":"KANGXI RADICAL RIVER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5DDB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2E"},12079:{"value":"2F2F","name":"KANGXI RADICAL WORK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5DE5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F2F"},12080:{"value":"2F30","name":"KANGXI RADICAL ONESELF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5DF1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F30"},12081:{"value":"2F31","name":"KANGXI RADICAL TURBAN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5DFE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F31"},12082:{"value":"2F32","name":"KANGXI RADICAL DRY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5E72","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F32"},12083:{"value":"2F33","name":"KANGXI RADICAL SHORT THREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5E7A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F33"},12084:{"value":"2F34","name":"KANGXI RADICAL DOTTED CLIFF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5E7F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F34"},12085:{"value":"2F35","name":"KANGXI RADICAL LONG STRIDE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5EF4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F35"},12086:{"value":"2F36","name":"KANGXI RADICAL TWO HANDS","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5EFE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F36"},12087:{"value":"2F37","name":"KANGXI RADICAL SHOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5F0B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F37"},12088:{"value":"2F38","name":"KANGXI RADICAL BOW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5F13","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F38"},12089:{"value":"2F39","name":"KANGXI RADICAL SNOUT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5F50","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F39"},12090:{"value":"2F3A","name":"KANGXI RADICAL BRISTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5F61","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3A"},12091:{"value":"2F3B","name":"KANGXI RADICAL STEP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5F73","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3B"},12092:{"value":"2F3C","name":"KANGXI RADICAL HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":" 5FC3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3C"},12093:{"value":"2F3D","name":"KANGXI RADICAL HALBERD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6208","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3D"},12094:{"value":"2F3E","name":"KANGXI RADICAL DOOR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6236","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3E"},12095:{"value":"2F3F","name":"KANGXI RADICAL HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 624B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F3F"},12096:{"value":"2F40","name":"KANGXI RADICAL BRANCH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 652F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F40"},12097:{"value":"2F41","name":"KANGXI RADICAL RAP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6534","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F41"},12098:{"value":"2F42","name":"KANGXI RADICAL SCRIPT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6587","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F42"},12099:{"value":"2F43","name":"KANGXI RADICAL DIPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6597","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F43"},12100:{"value":"2F44","name":"KANGXI RADICAL AXE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 65A4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F44"},12101:{"value":"2F45","name":"KANGXI RADICAL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 65B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F45"},12102:{"value":"2F46","name":"KANGXI RADICAL NOT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 65E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F46"},12103:{"value":"2F47","name":"KANGXI RADICAL SUN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F47"},12104:{"value":"2F48","name":"KANGXI RADICAL SAY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 66F0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F48"},12105:{"value":"2F49","name":"KANGXI RADICAL MOON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F49"},12106:{"value":"2F4A","name":"KANGXI RADICAL TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6728","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4A"},12107:{"value":"2F4B","name":"KANGXI RADICAL LACK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6B20","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4B"},12108:{"value":"2F4C","name":"KANGXI RADICAL STOP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6B62","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4C"},12109:{"value":"2F4D","name":"KANGXI RADICAL DEATH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6B79","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4D"},12110:{"value":"2F4E","name":"KANGXI RADICAL WEAPON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6BB3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4E"},12111:{"value":"2F4F","name":"KANGXI RADICAL DO NOT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6BCB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F4F"},12112:{"value":"2F50","name":"KANGXI RADICAL COMPARE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6BD4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F50"},12113:{"value":"2F51","name":"KANGXI RADICAL FUR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6BDB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F51"},12114:{"value":"2F52","name":"KANGXI RADICAL CLAN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6C0F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F52"},12115:{"value":"2F53","name":"KANGXI RADICAL STEAM","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6C14","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F53"},12116:{"value":"2F54","name":"KANGXI RADICAL WATER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 6C34","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F54"},12117:{"value":"2F55","name":"KANGXI RADICAL FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 706B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F55"},12118:{"value":"2F56","name":"KANGXI RADICAL CLAW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 722A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F56"},12119:{"value":"2F57","name":"KANGXI RADICAL FATHER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7236","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F57"},12120:{"value":"2F58","name":"KANGXI RADICAL DOUBLE X","category":"So","class":"0","bidirectional_category":"ON","mapping":" 723B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F58"},12121:{"value":"2F59","name":"KANGXI RADICAL HALF TREE TRUNK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 723F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F59"},12122:{"value":"2F5A","name":"KANGXI RADICAL SLICE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7247","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5A"},12123:{"value":"2F5B","name":"KANGXI RADICAL FANG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7259","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5B"},12124:{"value":"2F5C","name":"KANGXI RADICAL COW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 725B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5C"},12125:{"value":"2F5D","name":"KANGXI RADICAL DOG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 72AC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5D"},12126:{"value":"2F5E","name":"KANGXI RADICAL PROFOUND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7384","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5E"},12127:{"value":"2F5F","name":"KANGXI RADICAL JADE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7389","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F5F"},12128:{"value":"2F60","name":"KANGXI RADICAL MELON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 74DC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F60"},12129:{"value":"2F61","name":"KANGXI RADICAL TILE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 74E6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F61"},12130:{"value":"2F62","name":"KANGXI RADICAL SWEET","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7518","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F62"},12131:{"value":"2F63","name":"KANGXI RADICAL LIFE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 751F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F63"},12132:{"value":"2F64","name":"KANGXI RADICAL USE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7528","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F64"},12133:{"value":"2F65","name":"KANGXI RADICAL FIELD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7530","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F65"},12134:{"value":"2F66","name":"KANGXI RADICAL BOLT OF CLOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 758B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F66"},12135:{"value":"2F67","name":"KANGXI RADICAL SICKNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7592","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F67"},12136:{"value":"2F68","name":"KANGXI RADICAL DOTTED TENT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7676","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F68"},12137:{"value":"2F69","name":"KANGXI RADICAL WHITE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 767D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F69"},12138:{"value":"2F6A","name":"KANGXI RADICAL SKIN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 76AE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6A"},12139:{"value":"2F6B","name":"KANGXI RADICAL DISH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 76BF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6B"},12140:{"value":"2F6C","name":"KANGXI RADICAL EYE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 76EE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6C"},12141:{"value":"2F6D","name":"KANGXI RADICAL SPEAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 77DB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6D"},12142:{"value":"2F6E","name":"KANGXI RADICAL ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 77E2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6E"},12143:{"value":"2F6F","name":"KANGXI RADICAL STONE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 77F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F6F"},12144:{"value":"2F70","name":"KANGXI RADICAL SPIRIT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 793A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F70"},12145:{"value":"2F71","name":"KANGXI RADICAL TRACK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 79B8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F71"},12146:{"value":"2F72","name":"KANGXI RADICAL GRAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 79BE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F72"},12147:{"value":"2F73","name":"KANGXI RADICAL CAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7A74","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F73"},12148:{"value":"2F74","name":"KANGXI RADICAL STAND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7ACB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F74"},12149:{"value":"2F75","name":"KANGXI RADICAL BAMBOO","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7AF9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F75"},12150:{"value":"2F76","name":"KANGXI RADICAL RICE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7C73","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F76"},12151:{"value":"2F77","name":"KANGXI RADICAL SILK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7CF8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F77"},12152:{"value":"2F78","name":"KANGXI RADICAL JAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7F36","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F78"},12153:{"value":"2F79","name":"KANGXI RADICAL NET","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7F51","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F79"},12154:{"value":"2F7A","name":"KANGXI RADICAL SHEEP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7F8A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7A"},12155:{"value":"2F7B","name":"KANGXI RADICAL FEATHER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 7FBD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7B"},12156:{"value":"2F7C","name":"KANGXI RADICAL OLD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8001","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7C"},12157:{"value":"2F7D","name":"KANGXI RADICAL AND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 800C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7D"},12158:{"value":"2F7E","name":"KANGXI RADICAL PLOW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8012","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7E"},12159:{"value":"2F7F","name":"KANGXI RADICAL EAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8033","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F7F"},12160:{"value":"2F80","name":"KANGXI RADICAL BRUSH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 807F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F80"},12161:{"value":"2F81","name":"KANGXI RADICAL MEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8089","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F81"},12162:{"value":"2F82","name":"KANGXI RADICAL MINISTER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 81E3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F82"},12163:{"value":"2F83","name":"KANGXI RADICAL SELF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 81EA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F83"},12164:{"value":"2F84","name":"KANGXI RADICAL ARRIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 81F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F84"},12165:{"value":"2F85","name":"KANGXI RADICAL MORTAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 81FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F85"},12166:{"value":"2F86","name":"KANGXI RADICAL TONGUE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 820C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F86"},12167:{"value":"2F87","name":"KANGXI RADICAL OPPOSE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 821B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F87"},12168:{"value":"2F88","name":"KANGXI RADICAL BOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 821F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F88"},12169:{"value":"2F89","name":"KANGXI RADICAL STOPPING","category":"So","class":"0","bidirectional_category":"ON","mapping":" 826E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F89"},12170:{"value":"2F8A","name":"KANGXI RADICAL COLOR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8272","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8A"},12171:{"value":"2F8B","name":"KANGXI RADICAL GRASS","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8278","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8B"},12172:{"value":"2F8C","name":"KANGXI RADICAL TIGER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 864D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8C"},12173:{"value":"2F8D","name":"KANGXI RADICAL INSECT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 866B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8D"},12174:{"value":"2F8E","name":"KANGXI RADICAL BLOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8840","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8E"},12175:{"value":"2F8F","name":"KANGXI RADICAL WALK ENCLOSURE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 884C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F8F"},12176:{"value":"2F90","name":"KANGXI RADICAL CLOTHES","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8863","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F90"},12177:{"value":"2F91","name":"KANGXI RADICAL WEST","category":"So","class":"0","bidirectional_category":"ON","mapping":" 897E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F91"},12178:{"value":"2F92","name":"KANGXI RADICAL SEE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 898B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F92"},12179:{"value":"2F93","name":"KANGXI RADICAL HORN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 89D2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F93"},12180:{"value":"2F94","name":"KANGXI RADICAL SPEECH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8A00","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F94"},12181:{"value":"2F95","name":"KANGXI RADICAL VALLEY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8C37","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F95"},12182:{"value":"2F96","name":"KANGXI RADICAL BEAN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8C46","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F96"},12183:{"value":"2F97","name":"KANGXI RADICAL PIG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8C55","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F97"},12184:{"value":"2F98","name":"KANGXI RADICAL BADGER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8C78","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F98"},12185:{"value":"2F99","name":"KANGXI RADICAL SHELL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8C9D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F99"},12186:{"value":"2F9A","name":"KANGXI RADICAL RED","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8D64","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9A"},12187:{"value":"2F9B","name":"KANGXI RADICAL RUN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8D70","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9B"},12188:{"value":"2F9C","name":"KANGXI RADICAL FOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8DB3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9C"},12189:{"value":"2F9D","name":"KANGXI RADICAL BODY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8EAB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9D"},12190:{"value":"2F9E","name":"KANGXI RADICAL CART","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8ECA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9E"},12191:{"value":"2F9F","name":"KANGXI RADICAL BITTER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8F9B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2F9F"},12192:{"value":"2FA0","name":"KANGXI RADICAL MORNING","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8FB0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA0"},12193:{"value":"2FA1","name":"KANGXI RADICAL WALK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 8FB5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA1"},12194:{"value":"2FA2","name":"KANGXI RADICAL CITY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9091","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA2"},12195:{"value":"2FA3","name":"KANGXI RADICAL WINE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9149","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA3"},12196:{"value":"2FA4","name":"KANGXI RADICAL DISTINGUISH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 91C6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA4"},12197:{"value":"2FA5","name":"KANGXI RADICAL VILLAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 91CC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA5"},12198:{"value":"2FA6","name":"KANGXI RADICAL GOLD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 91D1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA6"},12199:{"value":"2FA7","name":"KANGXI RADICAL LONG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9577","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA7"},12200:{"value":"2FA8","name":"KANGXI RADICAL GATE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9580","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA8"},12201:{"value":"2FA9","name":"KANGXI RADICAL MOUND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 961C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FA9"},12202:{"value":"2FAA","name":"KANGXI RADICAL SLAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 96B6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAA"},12203:{"value":"2FAB","name":"KANGXI RADICAL SHORT TAILED BIRD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 96B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAB"},12204:{"value":"2FAC","name":"KANGXI RADICAL RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 96E8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAC"},12205:{"value":"2FAD","name":"KANGXI RADICAL BLUE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9751","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAD"},12206:{"value":"2FAE","name":"KANGXI RADICAL WRONG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 975E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAE"},12207:{"value":"2FAF","name":"KANGXI RADICAL FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9762","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FAF"},12208:{"value":"2FB0","name":"KANGXI RADICAL LEATHER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9769","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB0"},12209:{"value":"2FB1","name":"KANGXI RADICAL TANNED LEATHER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 97CB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB1"},12210:{"value":"2FB2","name":"KANGXI RADICAL LEEK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 97ED","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB2"},12211:{"value":"2FB3","name":"KANGXI RADICAL SOUND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 97F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB3"},12212:{"value":"2FB4","name":"KANGXI RADICAL LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9801","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB4"},12213:{"value":"2FB5","name":"KANGXI RADICAL WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":" 98A8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB5"},12214:{"value":"2FB6","name":"KANGXI RADICAL FLY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 98DB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB6"},12215:{"value":"2FB7","name":"KANGXI RADICAL EAT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 98DF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB7"},12216:{"value":"2FB8","name":"KANGXI RADICAL HEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9996","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB8"},12217:{"value":"2FB9","name":"KANGXI RADICAL FRAGRANT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9999","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FB9"},12218:{"value":"2FBA","name":"KANGXI RADICAL HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 99AC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBA"},12219:{"value":"2FBB","name":"KANGXI RADICAL BONE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9AA8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBB"},12220:{"value":"2FBC","name":"KANGXI RADICAL TALL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9AD8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBC"},12221:{"value":"2FBD","name":"KANGXI RADICAL HAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9ADF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBD"},12222:{"value":"2FBE","name":"KANGXI RADICAL FIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9B25","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBE"},12223:{"value":"2FBF","name":"KANGXI RADICAL SACRIFICIAL WINE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9B2F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FBF"},12224:{"value":"2FC0","name":"KANGXI RADICAL CAULDRON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9B32","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC0"},12225:{"value":"2FC1","name":"KANGXI RADICAL GHOST","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9B3C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC1"},12226:{"value":"2FC2","name":"KANGXI RADICAL FISH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9B5A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC2"},12227:{"value":"2FC3","name":"KANGXI RADICAL BIRD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9CE5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC3"},12228:{"value":"2FC4","name":"KANGXI RADICAL SALT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9E75","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC4"},12229:{"value":"2FC5","name":"KANGXI RADICAL DEER","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9E7F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC5"},12230:{"value":"2FC6","name":"KANGXI RADICAL WHEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9EA5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC6"},12231:{"value":"2FC7","name":"KANGXI RADICAL HEMP","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9EBB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC7"},12232:{"value":"2FC8","name":"KANGXI RADICAL YELLOW","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9EC3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC8"},12233:{"value":"2FC9","name":"KANGXI RADICAL MILLET","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9ECD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FC9"},12234:{"value":"2FCA","name":"KANGXI RADICAL BLACK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9ED1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCA"},12235:{"value":"2FCB","name":"KANGXI RADICAL EMBROIDERY","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9EF9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCB"},12236:{"value":"2FCC","name":"KANGXI RADICAL FROG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9EFD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCC"},12237:{"value":"2FCD","name":"KANGXI RADICAL TRIPOD","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F0E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCD"},12238:{"value":"2FCE","name":"KANGXI RADICAL DRUM","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F13","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCE"},12239:{"value":"2FCF","name":"KANGXI RADICAL RAT","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F20","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FCF"},12240:{"value":"2FD0","name":"KANGXI RADICAL NOSE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F3B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD0"},12241:{"value":"2FD1","name":"KANGXI RADICAL EVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F4A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD1"},12242:{"value":"2FD2","name":"KANGXI RADICAL TOOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F52","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD2"},12243:{"value":"2FD3","name":"KANGXI RADICAL DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F8D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD3"},12244:{"value":"2FD4","name":"KANGXI RADICAL TURTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9F9C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD4"},12245:{"value":"2FD5","name":"KANGXI RADICAL FLUTE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 9FA0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FD5"},12272:{"value":"2FF0","name":"IDEOGRAPHIC DESCRIPTION CHARACTER LEFT TO RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF0"},12273:{"value":"2FF1","name":"IDEOGRAPHIC DESCRIPTION CHARACTER ABOVE TO BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF1"},12274:{"value":"2FF2","name":"IDEOGRAPHIC DESCRIPTION CHARACTER LEFT TO MIDDLE AND RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF2"},12275:{"value":"2FF3","name":"IDEOGRAPHIC DESCRIPTION CHARACTER ABOVE TO MIDDLE AND BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF3"},12276:{"value":"2FF4","name":"IDEOGRAPHIC DESCRIPTION CHARACTER FULL SURROUND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF4"},12277:{"value":"2FF5","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF5"},12278:{"value":"2FF6","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF6"},12279:{"value":"2FF7","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF7"},12280:{"value":"2FF8","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM UPPER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF8"},12281:{"value":"2FF9","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM UPPER RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FF9"},12282:{"value":"2FFA","name":"IDEOGRAPHIC DESCRIPTION CHARACTER SURROUND FROM LOWER LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FFA"},12283:{"value":"2FFB","name":"IDEOGRAPHIC DESCRIPTION CHARACTER OVERLAID","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u2FFB"},12292:{"value":"3004","name":"JAPANESE INDUSTRIAL STANDARD SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3004"},12306:{"value":"3012","name":"POSTAL MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3012"},12307:{"value":"3013","name":"GETA MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3013"},12320:{"value":"3020","name":"POSTAL MARK FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3020"},12342:{"value":"3036","name":"CIRCLED POSTAL MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":" 3012","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3036"},12343:{"value":"3037","name":"IDEOGRAPHIC TELEGRAPH LINE FEED SEPARATOR SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3037"},12350:{"value":"303E","name":"IDEOGRAPHIC VARIATION INDICATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u303E"},12351:{"value":"303F","name":"IDEOGRAPHIC HALF FILL SPACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u303F"},12688:{"value":"3190","name":"IDEOGRAPHIC ANNOTATION LINKING MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KANBUN TATETEN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3190"},12689:{"value":"3191","name":"IDEOGRAPHIC ANNOTATION REVERSE MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN RE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3191"},12694:{"value":"3196","name":"IDEOGRAPHIC ANNOTATION TOP MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E0A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN ZYOU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3196"},12695:{"value":"3197","name":"IDEOGRAPHIC ANNOTATION MIDDLE MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E2D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN TYUU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3197"},12696:{"value":"3198","name":"IDEOGRAPHIC ANNOTATION BOTTOM MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E0B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN GE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3198"},12697:{"value":"3199","name":"IDEOGRAPHIC ANNOTATION FIRST MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 7532","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN KOU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3199"},12698:{"value":"319A","name":"IDEOGRAPHIC ANNOTATION SECOND MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E59","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN OTU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319A"},12699:{"value":"319B","name":"IDEOGRAPHIC ANNOTATION THIRD MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E19","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN HEI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319B"},12700:{"value":"319C","name":"IDEOGRAPHIC ANNOTATION FOURTH MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E01","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN TEI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319C"},12701:{"value":"319D","name":"IDEOGRAPHIC ANNOTATION HEAVEN MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 5929","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN TEN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319D"},12702:{"value":"319E","name":"IDEOGRAPHIC ANNOTATION EARTH MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 5730","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN TI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319E"},12703:{"value":"319F","name":"IDEOGRAPHIC ANNOTATION MAN MARK","category":"So","class":"0","bidirectional_category":"L","mapping":" 4EBA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"KAERITEN ZIN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u319F"},12736:{"value":"31C0","name":"CJK STROKE T","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C0"},12737:{"value":"31C1","name":"CJK STROKE WG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C1"},12738:{"value":"31C2","name":"CJK STROKE XG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C2"},12739:{"value":"31C3","name":"CJK STROKE BXG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C3"},12740:{"value":"31C4","name":"CJK STROKE SW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C4"},12741:{"value":"31C5","name":"CJK STROKE HZZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C5"},12742:{"value":"31C6","name":"CJK STROKE HZG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C6"},12743:{"value":"31C7","name":"CJK STROKE HP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C7"},12744:{"value":"31C8","name":"CJK STROKE HZWG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C8"},12745:{"value":"31C9","name":"CJK STROKE SZWG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31C9"},12746:{"value":"31CA","name":"CJK STROKE HZT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CA"},12747:{"value":"31CB","name":"CJK STROKE HZZP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CB"},12748:{"value":"31CC","name":"CJK STROKE HPWG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CC"},12749:{"value":"31CD","name":"CJK STROKE HZW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CD"},12750:{"value":"31CE","name":"CJK STROKE HZZZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CE"},12751:{"value":"31CF","name":"CJK STROKE N","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31CF"},12752:{"value":"31D0","name":"CJK STROKE H","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D0"},12753:{"value":"31D1","name":"CJK STROKE S","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D1"},12754:{"value":"31D2","name":"CJK STROKE P","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D2"},12755:{"value":"31D3","name":"CJK STROKE SP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D3"},12756:{"value":"31D4","name":"CJK STROKE D","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D4"},12757:{"value":"31D5","name":"CJK STROKE HZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D5"},12758:{"value":"31D6","name":"CJK STROKE HG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D6"},12759:{"value":"31D7","name":"CJK STROKE SZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D7"},12760:{"value":"31D8","name":"CJK STROKE SWZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D8"},12761:{"value":"31D9","name":"CJK STROKE ST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31D9"},12762:{"value":"31DA","name":"CJK STROKE SG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DA"},12763:{"value":"31DB","name":"CJK STROKE PD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DB"},12764:{"value":"31DC","name":"CJK STROKE PZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DC"},12765:{"value":"31DD","name":"CJK STROKE TN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DD"},12766:{"value":"31DE","name":"CJK STROKE SZZ","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DE"},12767:{"value":"31DF","name":"CJK STROKE SWG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31DF"},12768:{"value":"31E0","name":"CJK STROKE HXWG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31E0"},12769:{"value":"31E1","name":"CJK STROKE HZZZG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31E1"},12770:{"value":"31E2","name":"CJK STROKE PG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31E2"},12771:{"value":"31E3","name":"CJK STROKE Q","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u31E3"},12800:{"value":"3200","name":"PARENTHESIZED HANGUL KIYEOK","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1100 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL GIYEOG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3200"},12801:{"value":"3201","name":"PARENTHESIZED HANGUL NIEUN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1102 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3201"},12802:{"value":"3202","name":"PARENTHESIZED HANGUL TIKEUT","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1103 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL DIGEUD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3202"},12803:{"value":"3203","name":"PARENTHESIZED HANGUL RIEUL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1105 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL LIEUL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3203"},12804:{"value":"3204","name":"PARENTHESIZED HANGUL MIEUM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1106 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3204"},12805:{"value":"3205","name":"PARENTHESIZED HANGUL PIEUP","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1107 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL BIEUB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3205"},12806:{"value":"3206","name":"PARENTHESIZED HANGUL SIOS","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1109 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3206"},12807:{"value":"3207","name":"PARENTHESIZED HANGUL IEUNG","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110B 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3207"},12808:{"value":"3208","name":"PARENTHESIZED HANGUL CIEUC","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110C 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL JIEUJ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3208"},12809:{"value":"3209","name":"PARENTHESIZED HANGUL CHIEUCH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL CIEUC","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3209"},12810:{"value":"320A","name":"PARENTHESIZED HANGUL KHIEUKH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110F 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL KIYEOK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320A"},12811:{"value":"320B","name":"PARENTHESIZED HANGUL THIEUTH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1110 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL TIEUT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320B"},12812:{"value":"320C","name":"PARENTHESIZED HANGUL PHIEUPH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1111 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL PIEUP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320C"},12813:{"value":"320D","name":"PARENTHESIZED HANGUL HIEUH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1112 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320D"},12814:{"value":"320E","name":"PARENTHESIZED HANGUL KIYEOK A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1100 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL GA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320E"},12815:{"value":"320F","name":"PARENTHESIZED HANGUL NIEUN A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1102 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL NA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u320F"},12816:{"value":"3210","name":"PARENTHESIZED HANGUL TIKEUT A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1103 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL DA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3210"},12817:{"value":"3211","name":"PARENTHESIZED HANGUL RIEUL A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1105 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL LA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3211"},12818:{"value":"3212","name":"PARENTHESIZED HANGUL MIEUM A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1106 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL MA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3212"},12819:{"value":"3213","name":"PARENTHESIZED HANGUL PIEUP A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1107 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL BA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3213"},12820:{"value":"3214","name":"PARENTHESIZED HANGUL SIOS A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1109 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL SA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3214"},12821:{"value":"3215","name":"PARENTHESIZED HANGUL IEUNG A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110B 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL A","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3215"},12822:{"value":"3216","name":"PARENTHESIZED HANGUL CIEUC A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110C 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL JA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3216"},12823:{"value":"3217","name":"PARENTHESIZED HANGUL CHIEUCH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110E 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL CA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3217"},12824:{"value":"3218","name":"PARENTHESIZED HANGUL KHIEUKH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110F 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL KA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3218"},12825:{"value":"3219","name":"PARENTHESIZED HANGUL THIEUTH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1110 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL TA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3219"},12826:{"value":"321A","name":"PARENTHESIZED HANGUL PHIEUPH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1111 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL PA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u321A"},12827:{"value":"321B","name":"PARENTHESIZED HANGUL HIEUH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 1112 1161 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL HA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u321B"},12828:{"value":"321C","name":"PARENTHESIZED HANGUL CIEUC U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 110C 116E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"PARENTHESIZED HANGUL JU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u321C"},12829:{"value":"321D","name":"PARENTHESIZED KOREAN CHARACTER OJEON","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0028 110B 1169 110C 1165 11AB 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u321D"},12830:{"value":"321E","name":"PARENTHESIZED KOREAN CHARACTER O HU","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0028 110B 1169 1112 116E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u321E"},12842:{"value":"322A","name":"PARENTHESIZED IDEOGRAPH MOON","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 6708 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322A"},12843:{"value":"322B","name":"PARENTHESIZED IDEOGRAPH FIRE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 706B 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322B"},12844:{"value":"322C","name":"PARENTHESIZED IDEOGRAPH WATER","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 6C34 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322C"},12845:{"value":"322D","name":"PARENTHESIZED IDEOGRAPH WOOD","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 6728 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322D"},12846:{"value":"322E","name":"PARENTHESIZED IDEOGRAPH METAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 91D1 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322E"},12847:{"value":"322F","name":"PARENTHESIZED IDEOGRAPH EARTH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 571F 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u322F"},12848:{"value":"3230","name":"PARENTHESIZED IDEOGRAPH SUN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 65E5 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3230"},12849:{"value":"3231","name":"PARENTHESIZED IDEOGRAPH STOCK","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 682A 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3231"},12850:{"value":"3232","name":"PARENTHESIZED IDEOGRAPH HAVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 6709 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3232"},12851:{"value":"3233","name":"PARENTHESIZED IDEOGRAPH SOCIETY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 793E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3233"},12852:{"value":"3234","name":"PARENTHESIZED IDEOGRAPH NAME","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 540D 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3234"},12853:{"value":"3235","name":"PARENTHESIZED IDEOGRAPH SPECIAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 7279 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3235"},12854:{"value":"3236","name":"PARENTHESIZED IDEOGRAPH FINANCIAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 8CA1 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3236"},12855:{"value":"3237","name":"PARENTHESIZED IDEOGRAPH CONGRATULATION","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 795D 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3237"},12856:{"value":"3238","name":"PARENTHESIZED IDEOGRAPH LABOR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 52B4 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3238"},12857:{"value":"3239","name":"PARENTHESIZED IDEOGRAPH REPRESENT","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 4EE3 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3239"},12858:{"value":"323A","name":"PARENTHESIZED IDEOGRAPH CALL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 547C 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323A"},12859:{"value":"323B","name":"PARENTHESIZED IDEOGRAPH STUDY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 5B66 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323B"},12860:{"value":"323C","name":"PARENTHESIZED IDEOGRAPH SUPERVISE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 76E3 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323C"},12861:{"value":"323D","name":"PARENTHESIZED IDEOGRAPH ENTERPRISE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 4F01 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323D"},12862:{"value":"323E","name":"PARENTHESIZED IDEOGRAPH RESOURCE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 8CC7 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323E"},12863:{"value":"323F","name":"PARENTHESIZED IDEOGRAPH ALLIANCE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 5354 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u323F"},12864:{"value":"3240","name":"PARENTHESIZED IDEOGRAPH FESTIVAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 796D 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3240"},12865:{"value":"3241","name":"PARENTHESIZED IDEOGRAPH REST","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 4F11 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3241"},12866:{"value":"3242","name":"PARENTHESIZED IDEOGRAPH SELF","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 81EA 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3242"},12867:{"value":"3243","name":"PARENTHESIZED IDEOGRAPH REACH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 81F3 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3243"},12868:{"value":"3244","name":"CIRCLED IDEOGRAPH QUESTION","category":"So","class":"0","bidirectional_category":"L","mapping":" 554F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3244"},12869:{"value":"3245","name":"CIRCLED IDEOGRAPH KINDERGARTEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 5E7C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3245"},12870:{"value":"3246","name":"CIRCLED IDEOGRAPH SCHOOL","category":"So","class":"0","bidirectional_category":"L","mapping":" 6587","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3246"},12871:{"value":"3247","name":"CIRCLED IDEOGRAPH KOTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 7B8F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3247"},12880:{"value":"3250","name":"PARTNERSHIP SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0050 0054 0045","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3250"},12896:{"value":"3260","name":"CIRCLED HANGUL KIYEOK","category":"So","class":"0","bidirectional_category":"L","mapping":" 1100","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL GIYEOG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3260"},12897:{"value":"3261","name":"CIRCLED HANGUL NIEUN","category":"So","class":"0","bidirectional_category":"L","mapping":" 1102","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3261"},12898:{"value":"3262","name":"CIRCLED HANGUL TIKEUT","category":"So","class":"0","bidirectional_category":"L","mapping":" 1103","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL DIGEUD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3262"},12899:{"value":"3263","name":"CIRCLED HANGUL RIEUL","category":"So","class":"0","bidirectional_category":"L","mapping":" 1105","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL LIEUL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3263"},12900:{"value":"3264","name":"CIRCLED HANGUL MIEUM","category":"So","class":"0","bidirectional_category":"L","mapping":" 1106","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3264"},12901:{"value":"3265","name":"CIRCLED HANGUL PIEUP","category":"So","class":"0","bidirectional_category":"L","mapping":" 1107","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL BIEUB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3265"},12902:{"value":"3266","name":"CIRCLED HANGUL SIOS","category":"So","class":"0","bidirectional_category":"L","mapping":" 1109","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3266"},12903:{"value":"3267","name":"CIRCLED HANGUL IEUNG","category":"So","class":"0","bidirectional_category":"L","mapping":" 110B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3267"},12904:{"value":"3268","name":"CIRCLED HANGUL CIEUC","category":"So","class":"0","bidirectional_category":"L","mapping":" 110C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL JIEUJ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3268"},12905:{"value":"3269","name":"CIRCLED HANGUL CHIEUCH","category":"So","class":"0","bidirectional_category":"L","mapping":" 110E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL CIEUC","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3269"},12906:{"value":"326A","name":"CIRCLED HANGUL KHIEUKH","category":"So","class":"0","bidirectional_category":"L","mapping":" 110F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL KIYEOK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326A"},12907:{"value":"326B","name":"CIRCLED HANGUL THIEUTH","category":"So","class":"0","bidirectional_category":"L","mapping":" 1110","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL TIEUT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326B"},12908:{"value":"326C","name":"CIRCLED HANGUL PHIEUPH","category":"So","class":"0","bidirectional_category":"L","mapping":" 1111","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL PIEUP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326C"},12909:{"value":"326D","name":"CIRCLED HANGUL HIEUH","category":"So","class":"0","bidirectional_category":"L","mapping":" 1112","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326D"},12910:{"value":"326E","name":"CIRCLED HANGUL KIYEOK A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1100 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL GA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326E"},12911:{"value":"326F","name":"CIRCLED HANGUL NIEUN A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1102 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL NA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u326F"},12912:{"value":"3270","name":"CIRCLED HANGUL TIKEUT A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1103 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL DA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3270"},12913:{"value":"3271","name":"CIRCLED HANGUL RIEUL A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1105 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL LA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3271"},12914:{"value":"3272","name":"CIRCLED HANGUL MIEUM A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1106 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL MA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3272"},12915:{"value":"3273","name":"CIRCLED HANGUL PIEUP A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1107 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL BA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3273"},12916:{"value":"3274","name":"CIRCLED HANGUL SIOS A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1109 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL SA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3274"},12917:{"value":"3275","name":"CIRCLED HANGUL IEUNG A","category":"So","class":"0","bidirectional_category":"L","mapping":" 110B 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL A","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3275"},12918:{"value":"3276","name":"CIRCLED HANGUL CIEUC A","category":"So","class":"0","bidirectional_category":"L","mapping":" 110C 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL JA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3276"},12919:{"value":"3277","name":"CIRCLED HANGUL CHIEUCH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 110E 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL CA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3277"},12920:{"value":"3278","name":"CIRCLED HANGUL KHIEUKH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 110F 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL KA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3278"},12921:{"value":"3279","name":"CIRCLED HANGUL THIEUTH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1110 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL TA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3279"},12922:{"value":"327A","name":"CIRCLED HANGUL PHIEUPH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1111 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL PA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327A"},12923:{"value":"327B","name":"CIRCLED HANGUL HIEUH A","category":"So","class":"0","bidirectional_category":"L","mapping":" 1112 1161","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED HANGUL HA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327B"},12924:{"value":"327C","name":"CIRCLED KOREAN CHARACTER CHAMKO","category":"So","class":"0","bidirectional_category":"ON","mapping":" 110E 1161 11B7 1100 1169","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327C"},12925:{"value":"327D","name":"CIRCLED KOREAN CHARACTER JUEUI","category":"So","class":"0","bidirectional_category":"ON","mapping":" 110C 116E 110B 1174","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327D"},12926:{"value":"327E","name":"CIRCLED HANGUL IEUNG U","category":"So","class":"0","bidirectional_category":"ON","mapping":" 110B 116E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327E"},12927:{"value":"327F","name":"KOREAN STANDARD SYMBOL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u327F"},12938:{"value":"328A","name":"CIRCLED IDEOGRAPH MOON","category":"So","class":"0","bidirectional_category":"L","mapping":" 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328A"},12939:{"value":"328B","name":"CIRCLED IDEOGRAPH FIRE","category":"So","class":"0","bidirectional_category":"L","mapping":" 706B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328B"},12940:{"value":"328C","name":"CIRCLED IDEOGRAPH WATER","category":"So","class":"0","bidirectional_category":"L","mapping":" 6C34","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328C"},12941:{"value":"328D","name":"CIRCLED IDEOGRAPH WOOD","category":"So","class":"0","bidirectional_category":"L","mapping":" 6728","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328D"},12942:{"value":"328E","name":"CIRCLED IDEOGRAPH METAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 91D1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328E"},12943:{"value":"328F","name":"CIRCLED IDEOGRAPH EARTH","category":"So","class":"0","bidirectional_category":"L","mapping":" 571F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u328F"},12944:{"value":"3290","name":"CIRCLED IDEOGRAPH SUN","category":"So","class":"0","bidirectional_category":"L","mapping":" 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3290"},12945:{"value":"3291","name":"CIRCLED IDEOGRAPH STOCK","category":"So","class":"0","bidirectional_category":"L","mapping":" 682A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3291"},12946:{"value":"3292","name":"CIRCLED IDEOGRAPH HAVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 6709","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3292"},12947:{"value":"3293","name":"CIRCLED IDEOGRAPH SOCIETY","category":"So","class":"0","bidirectional_category":"L","mapping":" 793E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3293"},12948:{"value":"3294","name":"CIRCLED IDEOGRAPH NAME","category":"So","class":"0","bidirectional_category":"L","mapping":" 540D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3294"},12949:{"value":"3295","name":"CIRCLED IDEOGRAPH SPECIAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 7279","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3295"},12950:{"value":"3296","name":"CIRCLED IDEOGRAPH FINANCIAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 8CA1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3296"},12951:{"value":"3297","name":"CIRCLED IDEOGRAPH CONGRATULATION","category":"So","class":"0","bidirectional_category":"L","mapping":" 795D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3297"},12952:{"value":"3298","name":"CIRCLED IDEOGRAPH LABOR","category":"So","class":"0","bidirectional_category":"L","mapping":" 52B4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3298"},12953:{"value":"3299","name":"CIRCLED IDEOGRAPH SECRET","category":"So","class":"0","bidirectional_category":"L","mapping":" 79D8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3299"},12954:{"value":"329A","name":"CIRCLED IDEOGRAPH MALE","category":"So","class":"0","bidirectional_category":"L","mapping":" 7537","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329A"},12955:{"value":"329B","name":"CIRCLED IDEOGRAPH FEMALE","category":"So","class":"0","bidirectional_category":"L","mapping":" 5973","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329B"},12956:{"value":"329C","name":"CIRCLED IDEOGRAPH SUITABLE","category":"So","class":"0","bidirectional_category":"L","mapping":" 9069","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329C"},12957:{"value":"329D","name":"CIRCLED IDEOGRAPH EXCELLENT","category":"So","class":"0","bidirectional_category":"L","mapping":" 512A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329D"},12958:{"value":"329E","name":"CIRCLED IDEOGRAPH PRINT","category":"So","class":"0","bidirectional_category":"L","mapping":" 5370","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329E"},12959:{"value":"329F","name":"CIRCLED IDEOGRAPH ATTENTION","category":"So","class":"0","bidirectional_category":"L","mapping":" 6CE8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u329F"},12960:{"value":"32A0","name":"CIRCLED IDEOGRAPH ITEM","category":"So","class":"0","bidirectional_category":"L","mapping":" 9805","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A0"},12961:{"value":"32A1","name":"CIRCLED IDEOGRAPH REST","category":"So","class":"0","bidirectional_category":"L","mapping":" 4F11","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A1"},12962:{"value":"32A2","name":"CIRCLED IDEOGRAPH COPY","category":"So","class":"0","bidirectional_category":"L","mapping":" 5199","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A2"},12963:{"value":"32A3","name":"CIRCLED IDEOGRAPH CORRECT","category":"So","class":"0","bidirectional_category":"L","mapping":" 6B63","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A3"},12964:{"value":"32A4","name":"CIRCLED IDEOGRAPH HIGH","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E0A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A4"},12965:{"value":"32A5","name":"CIRCLED IDEOGRAPH CENTRE","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E2D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"CIRCLED IDEOGRAPH CENTER","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A5"},12966:{"value":"32A6","name":"CIRCLED IDEOGRAPH LOW","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E0B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A6"},12967:{"value":"32A7","name":"CIRCLED IDEOGRAPH LEFT","category":"So","class":"0","bidirectional_category":"L","mapping":" 5DE6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A7"},12968:{"value":"32A8","name":"CIRCLED IDEOGRAPH RIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":" 53F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A8"},12969:{"value":"32A9","name":"CIRCLED IDEOGRAPH MEDICINE","category":"So","class":"0","bidirectional_category":"L","mapping":" 533B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32A9"},12970:{"value":"32AA","name":"CIRCLED IDEOGRAPH RELIGION","category":"So","class":"0","bidirectional_category":"L","mapping":" 5B97","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AA"},12971:{"value":"32AB","name":"CIRCLED IDEOGRAPH STUDY","category":"So","class":"0","bidirectional_category":"L","mapping":" 5B66","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AB"},12972:{"value":"32AC","name":"CIRCLED IDEOGRAPH SUPERVISE","category":"So","class":"0","bidirectional_category":"L","mapping":" 76E3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AC"},12973:{"value":"32AD","name":"CIRCLED IDEOGRAPH ENTERPRISE","category":"So","class":"0","bidirectional_category":"L","mapping":" 4F01","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AD"},12974:{"value":"32AE","name":"CIRCLED IDEOGRAPH RESOURCE","category":"So","class":"0","bidirectional_category":"L","mapping":" 8CC7","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AE"},12975:{"value":"32AF","name":"CIRCLED IDEOGRAPH ALLIANCE","category":"So","class":"0","bidirectional_category":"L","mapping":" 5354","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32AF"},12976:{"value":"32B0","name":"CIRCLED IDEOGRAPH NIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":" 591C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32B0"},12992:{"value":"32C0","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR JANUARY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C0"},12993:{"value":"32C1","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR FEBRUARY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C1"},12994:{"value":"32C2","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR MARCH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0033 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C2"},12995:{"value":"32C3","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR APRIL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0034 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C3"},12996:{"value":"32C4","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR MAY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0035 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C4"},12997:{"value":"32C5","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR JUNE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0036 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C5"},12998:{"value":"32C6","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR JULY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0037 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C6"},12999:{"value":"32C7","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR AUGUST","category":"So","class":"0","bidirectional_category":"L","mapping":" 0038 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C7"},13000:{"value":"32C8","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR SEPTEMBER","category":"So","class":"0","bidirectional_category":"L","mapping":" 0039 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C8"},13001:{"value":"32C9","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR OCTOBER","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0030 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32C9"},13002:{"value":"32CA","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR NOVEMBER","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0031 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CA"},13003:{"value":"32CB","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DECEMBER","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0032 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CB"},13004:{"value":"32CC","name":"SQUARE HG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0048 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CC"},13005:{"value":"32CD","name":"SQUARE ERG","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0065 0072 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CD"},13006:{"value":"32CE","name":"SQUARE EV","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0065 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CE"},13007:{"value":"32CF","name":"LIMITED LIABILITY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 004C 0054 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32CF"},13008:{"value":"32D0","name":"CIRCLED KATAKANA A","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D0"},13009:{"value":"32D1","name":"CIRCLED KATAKANA I","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D1"},13010:{"value":"32D2","name":"CIRCLED KATAKANA U","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D2"},13011:{"value":"32D3","name":"CIRCLED KATAKANA E","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D3"},13012:{"value":"32D4","name":"CIRCLED KATAKANA O","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D4"},13013:{"value":"32D5","name":"CIRCLED KATAKANA KA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D5"},13014:{"value":"32D6","name":"CIRCLED KATAKANA KI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D6"},13015:{"value":"32D7","name":"CIRCLED KATAKANA KU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D7"},13016:{"value":"32D8","name":"CIRCLED KATAKANA KE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D8"},13017:{"value":"32D9","name":"CIRCLED KATAKANA KO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32D9"},13018:{"value":"32DA","name":"CIRCLED KATAKANA SA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DA"},13019:{"value":"32DB","name":"CIRCLED KATAKANA SI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B7","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DB"},13020:{"value":"32DC","name":"CIRCLED KATAKANA SU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DC"},13021:{"value":"32DD","name":"CIRCLED KATAKANA SE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30BB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DD"},13022:{"value":"32DE","name":"CIRCLED KATAKANA SO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30BD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DE"},13023:{"value":"32DF","name":"CIRCLED KATAKANA TA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30BF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32DF"},13024:{"value":"32E0","name":"CIRCLED KATAKANA TI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E0"},13025:{"value":"32E1","name":"CIRCLED KATAKANA TU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E1"},13026:{"value":"32E2","name":"CIRCLED KATAKANA TE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E2"},13027:{"value":"32E3","name":"CIRCLED KATAKANA TO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E3"},13028:{"value":"32E4","name":"CIRCLED KATAKANA NA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E4"},13029:{"value":"32E5","name":"CIRCLED KATAKANA NI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E5"},13030:{"value":"32E6","name":"CIRCLED KATAKANA NU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E6"},13031:{"value":"32E7","name":"CIRCLED KATAKANA NE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E7"},13032:{"value":"32E8","name":"CIRCLED KATAKANA NO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E8"},13033:{"value":"32E9","name":"CIRCLED KATAKANA HA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32E9"},13034:{"value":"32EA","name":"CIRCLED KATAKANA HI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32EA"},13035:{"value":"32EB","name":"CIRCLED KATAKANA HU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32EB"},13036:{"value":"32EC","name":"CIRCLED KATAKANA HE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32EC"},13037:{"value":"32ED","name":"CIRCLED KATAKANA HO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32ED"},13038:{"value":"32EE","name":"CIRCLED KATAKANA MA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32EE"},13039:{"value":"32EF","name":"CIRCLED KATAKANA MI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32EF"},13040:{"value":"32F0","name":"CIRCLED KATAKANA MU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F0"},13041:{"value":"32F1","name":"CIRCLED KATAKANA ME","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F1"},13042:{"value":"32F2","name":"CIRCLED KATAKANA MO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F2"},13043:{"value":"32F3","name":"CIRCLED KATAKANA YA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F3"},13044:{"value":"32F4","name":"CIRCLED KATAKANA YU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F4"},13045:{"value":"32F5","name":"CIRCLED KATAKANA YO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F5"},13046:{"value":"32F6","name":"CIRCLED KATAKANA RA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F6"},13047:{"value":"32F7","name":"CIRCLED KATAKANA RI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F7"},13048:{"value":"32F8","name":"CIRCLED KATAKANA RU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F8"},13049:{"value":"32F9","name":"CIRCLED KATAKANA RE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32F9"},13050:{"value":"32FA","name":"CIRCLED KATAKANA RO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30ED","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FA"},13051:{"value":"32FB","name":"CIRCLED KATAKANA WA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FB"},13052:{"value":"32FC","name":"CIRCLED KATAKANA WI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30F0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FC"},13053:{"value":"32FD","name":"CIRCLED KATAKANA WE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30F1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FD"},13054:{"value":"32FE","name":"CIRCLED KATAKANA WO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30F2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FE"},13055:{"value":"32FF","name":"SQUARE ERA NAME REIWA","category":"So","class":"0","bidirectional_category":"L","mapping":" 4EE4 548C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u32FF"},13056:{"value":"3300","name":"SQUARE APAATO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A2 30D1 30FC 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED APAATO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3300"},13057:{"value":"3301","name":"SQUARE ARUHUA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A2 30EB 30D5 30A1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ARUHUA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3301"},13058:{"value":"3302","name":"SQUARE ANPEA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A2 30F3 30DA 30A2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ANPEA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3302"},13059:{"value":"3303","name":"SQUARE AARU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A2 30FC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED AARU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3303"},13060:{"value":"3304","name":"SQUARE ININGU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A4 30CB 30F3 30B0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ININGU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3304"},13061:{"value":"3305","name":"SQUARE INTI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A4 30F3 30C1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED INTI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3305"},13062:{"value":"3306","name":"SQUARE UON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A6 30A9 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED UON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3306"},13063:{"value":"3307","name":"SQUARE ESUKUUDO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A8 30B9 30AF 30FC 30C9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ESUKUUDO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3307"},13064:{"value":"3308","name":"SQUARE EEKAA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30A8 30FC 30AB 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED EEKAA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3308"},13065:{"value":"3309","name":"SQUARE ONSU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AA 30F3 30B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ONSU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3309"},13066:{"value":"330A","name":"SQUARE OOMU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AA 30FC 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED OOMU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330A"},13067:{"value":"330B","name":"SQUARE KAIRI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AB 30A4 30EA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KAIRI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330B"},13068:{"value":"330C","name":"SQUARE KARATTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AB 30E9 30C3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KARATTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330C"},13069:{"value":"330D","name":"SQUARE KARORII","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AB 30ED 30EA 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KARORII","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330D"},13070:{"value":"330E","name":"SQUARE GARON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AC 30ED 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GARON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330E"},13071:{"value":"330F","name":"SQUARE GANMA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AC 30F3 30DE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GANMA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u330F"},13072:{"value":"3310","name":"SQUARE GIGA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AE 30AC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GIGA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3310"},13073:{"value":"3311","name":"SQUARE GINII","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AE 30CB 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GINII","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3311"},13074:{"value":"3312","name":"SQUARE KYURII","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD 30E5 30EA 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KYURII","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3312"},13075:{"value":"3313","name":"SQUARE GIRUDAA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AE 30EB 30C0 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GIRUDAA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3313"},13076:{"value":"3314","name":"SQUARE KIRO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD 30ED","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KIRO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3314"},13077:{"value":"3315","name":"SQUARE KIROGURAMU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD 30ED 30B0 30E9 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KIROGURAMU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3315"},13078:{"value":"3316","name":"SQUARE KIROMEETORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD 30ED 30E1 30FC 30C8 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KIROMEETORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3316"},13079:{"value":"3317","name":"SQUARE KIROWATTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AD 30ED 30EF 30C3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KIROWATTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3317"},13080:{"value":"3318","name":"SQUARE GURAMU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B0 30E9 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GURAMU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3318"},13081:{"value":"3319","name":"SQUARE GURAMUTON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B0 30E9 30E0 30C8 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GURAMUTON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3319"},13082:{"value":"331A","name":"SQUARE KURUZEIRO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AF 30EB 30BC 30A4 30ED","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KURUZEIRO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331A"},13083:{"value":"331B","name":"SQUARE KUROONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30AF 30ED 30FC 30CD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KUROONE","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331B"},13084:{"value":"331C","name":"SQUARE KEESU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B1 30FC 30B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KEESU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331C"},13085:{"value":"331D","name":"SQUARE KORUNA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B3 30EB 30CA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KORUNA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331D"},13086:{"value":"331E","name":"SQUARE KOOPO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B3 30FC 30DD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KOOPO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331E"},13087:{"value":"331F","name":"SQUARE SAIKURU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B5 30A4 30AF 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SAIKURU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u331F"},13088:{"value":"3320","name":"SQUARE SANTIIMU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B5 30F3 30C1 30FC 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SANTIIMU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3320"},13089:{"value":"3321","name":"SQUARE SIRINGU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B7 30EA 30F3 30B0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SIRINGU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3321"},13090:{"value":"3322","name":"SQUARE SENTI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30BB 30F3 30C1","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SENTI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3322"},13091:{"value":"3323","name":"SQUARE SENTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30BB 30F3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SENTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3323"},13092:{"value":"3324","name":"SQUARE DAASU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C0 30FC 30B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED DAASU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3324"},13093:{"value":"3325","name":"SQUARE DESI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C7 30B7","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED DESI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3325"},13094:{"value":"3326","name":"SQUARE DORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C9 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED DORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3326"},13095:{"value":"3327","name":"SQUARE TON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C8 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED TON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3327"},13096:{"value":"3328","name":"SQUARE NANO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CA 30CE","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NANO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3328"},13097:{"value":"3329","name":"SQUARE NOTTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CE 30C3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NOTTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3329"},13098:{"value":"332A","name":"SQUARE HAITU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30CF 30A4 30C4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HAITU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332A"},13099:{"value":"332B","name":"SQUARE PAASENTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D1 30FC 30BB 30F3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PAASENTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332B"},13100:{"value":"332C","name":"SQUARE PAATU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D1 30FC 30C4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PAATU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332C"},13101:{"value":"332D","name":"SQUARE BAARERU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D0 30FC 30EC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BAARERU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332D"},13102:{"value":"332E","name":"SQUARE PIASUTORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D4 30A2 30B9 30C8 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PIASUTORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332E"},13103:{"value":"332F","name":"SQUARE PIKURU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D4 30AF 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PIKURU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u332F"},13104:{"value":"3330","name":"SQUARE PIKO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D4 30B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PIKO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3330"},13105:{"value":"3331","name":"SQUARE BIRU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D3 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BIRU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3331"},13106:{"value":"3332","name":"SQUARE HUARADDO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D5 30A1 30E9 30C3 30C9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HUARADDO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3332"},13107:{"value":"3333","name":"SQUARE HUIITO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D5 30A3 30FC 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HUIITO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3333"},13108:{"value":"3334","name":"SQUARE BUSSYERU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D6 30C3 30B7 30A7 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BUSSYERU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3334"},13109:{"value":"3335","name":"SQUARE HURAN","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D5 30E9 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HURAN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3335"},13110:{"value":"3336","name":"SQUARE HEKUTAARU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D8 30AF 30BF 30FC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HEKUTAARU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3336"},13111:{"value":"3337","name":"SQUARE PESO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DA 30BD","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PESO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3337"},13112:{"value":"3338","name":"SQUARE PENIHI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DA 30CB 30D2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PENIHI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3338"},13113:{"value":"3339","name":"SQUARE HERUTU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D8 30EB 30C4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HERUTU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3339"},13114:{"value":"333A","name":"SQUARE PENSU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DA 30F3 30B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PENSU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333A"},13115:{"value":"333B","name":"SQUARE PEEZI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DA 30FC 30B8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PEEZI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333B"},13116:{"value":"333C","name":"SQUARE BEETA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30D9 30FC 30BF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BEETA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333C"},13117:{"value":"333D","name":"SQUARE POINTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DD 30A4 30F3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED POINTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333D"},13118:{"value":"333E","name":"SQUARE BORUTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DC 30EB 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BORUTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333E"},13119:{"value":"333F","name":"SQUARE HON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DB 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u333F"},13120:{"value":"3340","name":"SQUARE PONDO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DD 30F3 30C9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PONDO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3340"},13121:{"value":"3341","name":"SQUARE HOORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DB 30FC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HOORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3341"},13122:{"value":"3342","name":"SQUARE HOON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DB 30FC 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HOON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3342"},13123:{"value":"3343","name":"SQUARE MAIKURO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE 30A4 30AF 30ED","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MAIKURO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3343"},13124:{"value":"3344","name":"SQUARE MAIRU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE 30A4 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MAIRU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3344"},13125:{"value":"3345","name":"SQUARE MAHHA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE 30C3 30CF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MAHHA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3345"},13126:{"value":"3346","name":"SQUARE MARUKU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE 30EB 30AF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MARUKU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3346"},13127:{"value":"3347","name":"SQUARE MANSYON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DE 30F3 30B7 30E7 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MANSYON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3347"},13128:{"value":"3348","name":"SQUARE MIKURON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DF 30AF 30ED 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MIKURON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3348"},13129:{"value":"3349","name":"SQUARE MIRI","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DF 30EA","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MIRI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3349"},13130:{"value":"334A","name":"SQUARE MIRIBAARU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30DF 30EA 30D0 30FC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MIRIBAARU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334A"},13131:{"value":"334B","name":"SQUARE MEGA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E1 30AC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MEGA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334B"},13132:{"value":"334C","name":"SQUARE MEGATON","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E1 30AC 30C8 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MEGATON","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334C"},13133:{"value":"334D","name":"SQUARE MEETORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E1 30FC 30C8 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MEETORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334D"},13134:{"value":"334E","name":"SQUARE YAADO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E4 30FC 30C9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED YAADO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334E"},13135:{"value":"334F","name":"SQUARE YAARU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E4 30FC 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED YAARU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u334F"},13136:{"value":"3350","name":"SQUARE YUAN","category":"So","class":"0","bidirectional_category":"L","mapping":" 30E6 30A2 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED YUAN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3350"},13137:{"value":"3351","name":"SQUARE RITTORU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EA 30C3 30C8 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RITTORU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3351"},13138:{"value":"3352","name":"SQUARE RIRA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EA 30E9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RIRA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3352"},13139:{"value":"3353","name":"SQUARE RUPII","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EB 30D4 30FC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RUPII","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3353"},13140:{"value":"3354","name":"SQUARE RUUBURU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EB 30FC 30D6 30EB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RUUBURU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3354"},13141:{"value":"3355","name":"SQUARE REMU","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EC 30E0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED REMU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3355"},13142:{"value":"3356","name":"SQUARE RENTOGEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EC 30F3 30C8 30B2 30F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RENTOGEN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3356"},13143:{"value":"3357","name":"SQUARE WATTO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30EF 30C3 30C8","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED WATTO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3357"},13144:{"value":"3358","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR ZERO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0030 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3358"},13145:{"value":"3359","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR ONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3359"},13146:{"value":"335A","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335A"},13147:{"value":"335B","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR THREE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0033 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335B"},13148:{"value":"335C","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR FOUR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0034 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335C"},13149:{"value":"335D","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR FIVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0035 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335D"},13150:{"value":"335E","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR SIX","category":"So","class":"0","bidirectional_category":"L","mapping":" 0036 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335E"},13151:{"value":"335F","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR SEVEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0037 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u335F"},13152:{"value":"3360","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR EIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":" 0038 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3360"},13153:{"value":"3361","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR NINE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0039 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3361"},13154:{"value":"3362","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0030 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3362"},13155:{"value":"3363","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR ELEVEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0031 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3363"},13156:{"value":"3364","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWELVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0032 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3364"},13157:{"value":"3365","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR THIRTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0033 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3365"},13158:{"value":"3366","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR FOURTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0034 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3366"},13159:{"value":"3367","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR FIFTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0035 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3367"},13160:{"value":"3368","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR SIXTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0036 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3368"},13161:{"value":"3369","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR SEVENTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0037 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3369"},13162:{"value":"336A","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR EIGHTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0038 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336A"},13163:{"value":"336B","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR NINETEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0039 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336B"},13164:{"value":"336C","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWENTY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0030 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336C"},13165:{"value":"336D","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWENTY-ONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0031 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336D"},13166:{"value":"336E","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWENTY-TWO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0032 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336E"},13167:{"value":"336F","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWENTY-THREE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0033 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u336F"},13168:{"value":"3370","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR HOUR TWENTY-FOUR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0034 70B9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3370"},13169:{"value":"3371","name":"SQUARE HPA","category":"So","class":"0","bidirectional_category":"L","mapping":" 0068 0050 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3371"},13170:{"value":"3372","name":"SQUARE DA","category":"So","class":"0","bidirectional_category":"L","mapping":" 0064 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3372"},13171:{"value":"3373","name":"SQUARE AU","category":"So","class":"0","bidirectional_category":"L","mapping":" 0041 0055","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3373"},13172:{"value":"3374","name":"SQUARE BAR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0062 0061 0072","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3374"},13173:{"value":"3375","name":"SQUARE OV","category":"So","class":"0","bidirectional_category":"L","mapping":" 006F 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3375"},13174:{"value":"3376","name":"SQUARE PC","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0063","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3376"},13175:{"value":"3377","name":"SQUARE DM","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0064 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3377"},13176:{"value":"3378","name":"SQUARE DM SQUARED","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0064 006D 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3378"},13177:{"value":"3379","name":"SQUARE DM CUBED","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0064 006D 00B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3379"},13178:{"value":"337A","name":"SQUARE IU","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0049 0055","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337A"},13179:{"value":"337B","name":"SQUARE ERA NAME HEISEI","category":"So","class":"0","bidirectional_category":"L","mapping":" 5E73 6210","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED TWO IDEOGRAPHS ERA NAME HEISEI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337B"},13180:{"value":"337C","name":"SQUARE ERA NAME SYOUWA","category":"So","class":"0","bidirectional_category":"L","mapping":" 662D 548C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED TWO IDEOGRAPHS ERA NAME SYOUWA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337C"},13181:{"value":"337D","name":"SQUARE ERA NAME TAISYOU","category":"So","class":"0","bidirectional_category":"L","mapping":" 5927 6B63","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED TWO IDEOGRAPHS ERA NAME TAISYOU","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337D"},13182:{"value":"337E","name":"SQUARE ERA NAME MEIZI","category":"So","class":"0","bidirectional_category":"L","mapping":" 660E 6CBB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED TWO IDEOGRAPHS ERA NAME MEIZI","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337E"},13183:{"value":"337F","name":"SQUARE CORPORATION","category":"So","class":"0","bidirectional_category":"L","mapping":" 682A 5F0F 4F1A 793E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED FOUR IDEOGRAPHS CORPORATION","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u337F"},13184:{"value":"3380","name":"SQUARE PA AMPS","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PA AMPS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3380"},13185:{"value":"3381","name":"SQUARE NA","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3381"},13186:{"value":"3382","name":"SQUARE MU A","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU A","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3382"},13187:{"value":"3383","name":"SQUARE MA","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3383"},13188:{"value":"3384","name":"SQUARE KA","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3384"},13189:{"value":"3385","name":"SQUARE KB","category":"So","class":"0","bidirectional_category":"L","mapping":" 004B 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3385"},13190:{"value":"3386","name":"SQUARE MB","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3386"},13191:{"value":"3387","name":"SQUARE GB","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3387"},13192:{"value":"3388","name":"SQUARE CAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 0061 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3388"},13193:{"value":"3389","name":"SQUARE KCAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0063 0061 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KCAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3389"},13194:{"value":"338A","name":"SQUARE PF","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PF","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338A"},13195:{"value":"338B","name":"SQUARE NF","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NF","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338B"},13196:{"value":"338C","name":"SQUARE MU F","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU F","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338C"},13197:{"value":"338D","name":"SQUARE MU G","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU G","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338D"},13198:{"value":"338E","name":"SQUARE MG","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338E"},13199:{"value":"338F","name":"SQUARE KG","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u338F"},13200:{"value":"3390","name":"SQUARE HZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0048 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HZ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3390"},13201:{"value":"3391","name":"SQUARE KHZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0048 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KHZ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3391"},13202:{"value":"3392","name":"SQUARE MHZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0048 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MHZ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3392"},13203:{"value":"3393","name":"SQUARE GHZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047 0048 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GHZ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3393"},13204:{"value":"3394","name":"SQUARE THZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0054 0048 007A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED THZ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3394"},13205:{"value":"3395","name":"SQUARE MU L","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 2113","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU L","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3395"},13206:{"value":"3396","name":"SQUARE ML","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 2113","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED ML","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3396"},13207:{"value":"3397","name":"SQUARE DL","category":"So","class":"0","bidirectional_category":"L","mapping":" 0064 2113","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED DL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3397"},13208:{"value":"3398","name":"SQUARE KL","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 2113","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3398"},13209:{"value":"3399","name":"SQUARE FM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0066 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED FM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u3399"},13210:{"value":"339A","name":"SQUARE NM","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339A"},13211:{"value":"339B","name":"SQUARE MU M","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU M","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339B"},13212:{"value":"339C","name":"SQUARE MM","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339C"},13213:{"value":"339D","name":"SQUARE CM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339D"},13214:{"value":"339E","name":"SQUARE KM","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339E"},13215:{"value":"339F","name":"SQUARE MM SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 006D 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MM SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u339F"},13216:{"value":"33A0","name":"SQUARE CM SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 006D 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CM SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A0"},13217:{"value":"33A1","name":"SQUARE M SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED M SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A1"},13218:{"value":"33A2","name":"SQUARE KM SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 006D 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KM SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A2"},13219:{"value":"33A3","name":"SQUARE MM CUBED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 006D 00B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MM CUBED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A3"},13220:{"value":"33A4","name":"SQUARE CM CUBED","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 006D 00B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CM CUBED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A4"},13221:{"value":"33A5","name":"SQUARE M CUBED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 00B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED M CUBED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A5"},13222:{"value":"33A6","name":"SQUARE KM CUBED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 006D 00B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KM CUBED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A6"},13223:{"value":"33A7","name":"SQUARE M OVER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 2215 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED M OVER S","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A7"},13224:{"value":"33A8","name":"SQUARE M OVER S SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 2215 0073 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED M OVER S SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A8"},13225:{"value":"33A9","name":"SQUARE PA","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33A9"},13226:{"value":"33AA","name":"SQUARE KPA","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0050 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KPA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AA"},13227:{"value":"33AB","name":"SQUARE MPA","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0050 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MPA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AB"},13228:{"value":"33AC","name":"SQUARE GPA","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047 0050 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GPA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AC"},13229:{"value":"33AD","name":"SQUARE RAD","category":"So","class":"0","bidirectional_category":"L","mapping":" 0072 0061 0064","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RAD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AD"},13230:{"value":"33AE","name":"SQUARE RAD OVER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0072 0061 0064 2215 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RAD OVER S","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AE"},13231:{"value":"33AF","name":"SQUARE RAD OVER S SQUARED","category":"So","class":"0","bidirectional_category":"L","mapping":" 0072 0061 0064 2215 0073 00B2","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED RAD OVER S SQUARED","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33AF"},13232:{"value":"33B0","name":"SQUARE PS","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B0"},13233:{"value":"33B1","name":"SQUARE NS","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B1"},13234:{"value":"33B2","name":"SQUARE MU S","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU S","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B2"},13235:{"value":"33B3","name":"SQUARE MS","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0073","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MS","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B3"},13236:{"value":"33B4","name":"SQUARE PV","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PV","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B4"},13237:{"value":"33B5","name":"SQUARE NV","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NV","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B5"},13238:{"value":"33B6","name":"SQUARE MU V","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU V","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B6"},13239:{"value":"33B7","name":"SQUARE MV","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MV","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B7"},13240:{"value":"33B8","name":"SQUARE KV","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KV","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B8"},13241:{"value":"33B9","name":"SQUARE MV MEGA","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MV MEGA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33B9"},13242:{"value":"33BA","name":"SQUARE PW","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BA"},13243:{"value":"33BB","name":"SQUARE NW","category":"So","class":"0","bidirectional_category":"L","mapping":" 006E 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED NW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BB"},13244:{"value":"33BC","name":"SQUARE MU W","category":"So","class":"0","bidirectional_category":"L","mapping":" 03BC 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MU W","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BC"},13245:{"value":"33BD","name":"SQUARE MW","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BD"},13246:{"value":"33BE","name":"SQUARE KW","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KW","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BE"},13247:{"value":"33BF","name":"SQUARE MW MEGA","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MW MEGA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33BF"},13248:{"value":"33C0","name":"SQUARE K OHM","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 03A9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED K OHM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C0"},13249:{"value":"33C1","name":"SQUARE M OHM","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 03A9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED M OHM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C1"},13250:{"value":"33C2","name":"SQUARE AM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0061 002E 006D 002E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED AM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C2"},13251:{"value":"33C3","name":"SQUARE BQ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0042 0071","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED BQ","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C3"},13252:{"value":"33C4","name":"SQUARE CC","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 0063","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CC","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C4"},13253:{"value":"33C5","name":"SQUARE CD","category":"So","class":"0","bidirectional_category":"L","mapping":" 0063 0064","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CD","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C5"},13254:{"value":"33C6","name":"SQUARE C OVER KG","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043 2215 006B 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED C OVER KG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C6"},13255:{"value":"33C7","name":"SQUARE CO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043 006F 002E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED CO","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C7"},13256:{"value":"33C8","name":"SQUARE DB","category":"So","class":"0","bidirectional_category":"L","mapping":" 0064 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED DB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C8"},13257:{"value":"33C9","name":"SQUARE GY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047 0079","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED GY","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33C9"},13258:{"value":"33CA","name":"SQUARE HA","category":"So","class":"0","bidirectional_category":"L","mapping":" 0068 0061","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HA","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CA"},13259:{"value":"33CB","name":"SQUARE HP","category":"So","class":"0","bidirectional_category":"L","mapping":" 0048 0050","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED HP","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CB"},13260:{"value":"33CC","name":"SQUARE IN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0069 006E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED IN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CC"},13261:{"value":"33CD","name":"SQUARE KK","category":"So","class":"0","bidirectional_category":"L","mapping":" 004B 004B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KK","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CD"},13262:{"value":"33CE","name":"SQUARE KM CAPITAL","category":"So","class":"0","bidirectional_category":"L","mapping":" 004B 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KM CAPITAL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CE"},13263:{"value":"33CF","name":"SQUARE KT","category":"So","class":"0","bidirectional_category":"L","mapping":" 006B 0074","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED KT","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33CF"},13264:{"value":"33D0","name":"SQUARE LM","category":"So","class":"0","bidirectional_category":"L","mapping":" 006C 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED LM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D0"},13265:{"value":"33D1","name":"SQUARE LN","category":"So","class":"0","bidirectional_category":"L","mapping":" 006C 006E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED LN","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D1"},13266:{"value":"33D2","name":"SQUARE LOG","category":"So","class":"0","bidirectional_category":"L","mapping":" 006C 006F 0067","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED LOG","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D2"},13267:{"value":"33D3","name":"SQUARE LX","category":"So","class":"0","bidirectional_category":"L","mapping":" 006C 0078","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED LX","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D3"},13268:{"value":"33D4","name":"SQUARE MB SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0062","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MB SMALL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D4"},13269:{"value":"33D5","name":"SQUARE MIL","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 0069 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MIL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D5"},13270:{"value":"33D6","name":"SQUARE MOL","category":"So","class":"0","bidirectional_category":"L","mapping":" 006D 006F 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED MOL","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D6"},13271:{"value":"33D7","name":"SQUARE PH","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050 0048","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PH","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D7"},13272:{"value":"33D8","name":"SQUARE PM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0070 002E 006D 002E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D8"},13273:{"value":"33D9","name":"SQUARE PPM","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050 0050 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PPM","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33D9"},13274:{"value":"33DA","name":"SQUARE PR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050 0052","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED PR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DA"},13275:{"value":"33DB","name":"SQUARE SR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0073 0072","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DB"},13276:{"value":"33DC","name":"SQUARE SV","category":"So","class":"0","bidirectional_category":"L","mapping":" 0053 0076","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED SV","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DC"},13277:{"value":"33DD","name":"SQUARE WB","category":"So","class":"0","bidirectional_category":"L","mapping":" 0057 0062","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"SQUARED WB","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DD"},13278:{"value":"33DE","name":"SQUARE V OVER M","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0056 2215 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DE"},13279:{"value":"33DF","name":"SQUARE A OVER M","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0041 2215 006D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33DF"},13280:{"value":"33E0","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY ONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E0"},13281:{"value":"33E1","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E1"},13282:{"value":"33E2","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY THREE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0033 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E2"},13283:{"value":"33E3","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY FOUR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0034 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E3"},13284:{"value":"33E4","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY FIVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0035 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E4"},13285:{"value":"33E5","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY SIX","category":"So","class":"0","bidirectional_category":"L","mapping":" 0036 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E5"},13286:{"value":"33E6","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY SEVEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0037 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E6"},13287:{"value":"33E7","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY EIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":" 0038 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E7"},13288:{"value":"33E8","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY NINE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0039 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E8"},13289:{"value":"33E9","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0030 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33E9"},13290:{"value":"33EA","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY ELEVEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0031 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33EA"},13291:{"value":"33EB","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWELVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0032 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33EB"},13292:{"value":"33EC","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY THIRTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0033 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33EC"},13293:{"value":"33ED","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY FOURTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0034 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33ED"},13294:{"value":"33EE","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY FIFTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0035 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33EE"},13295:{"value":"33EF","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY SIXTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0036 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33EF"},13296:{"value":"33F0","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY SEVENTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0037 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F0"},13297:{"value":"33F1","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY EIGHTEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0038 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F1"},13298:{"value":"33F2","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY NINETEEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0031 0039 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F2"},13299:{"value":"33F3","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0030 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F3"},13300:{"value":"33F4","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-ONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0031 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F4"},13301:{"value":"33F5","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-TWO","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0032 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F5"},13302:{"value":"33F6","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-THREE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0033 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F6"},13303:{"value":"33F7","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-FOUR","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0034 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F7"},13304:{"value":"33F8","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-FIVE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0035 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F8"},13305:{"value":"33F9","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-SIX","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0036 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33F9"},13306:{"value":"33FA","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-SEVEN","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0037 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FA"},13307:{"value":"33FB","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-EIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0038 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FB"},13308:{"value":"33FC","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY TWENTY-NINE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0032 0039 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FC"},13309:{"value":"33FD","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY THIRTY","category":"So","class":"0","bidirectional_category":"L","mapping":" 0033 0030 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FD"},13310:{"value":"33FE","name":"IDEOGRAPHIC TELEGRAPH SYMBOL FOR DAY THIRTY-ONE","category":"So","class":"0","bidirectional_category":"L","mapping":" 0033 0031 65E5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FE"},13311:{"value":"33FF","name":"SQUARE GAL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 0067 0061 006C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u33FF"},19904:{"value":"4DC0","name":"HEXAGRAM FOR THE CREATIVE HEAVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC0"},19905:{"value":"4DC1","name":"HEXAGRAM FOR THE RECEPTIVE EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC1"},19906:{"value":"4DC2","name":"HEXAGRAM FOR DIFFICULTY AT THE BEGINNING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC2"},19907:{"value":"4DC3","name":"HEXAGRAM FOR YOUTHFUL FOLLY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC3"},19908:{"value":"4DC4","name":"HEXAGRAM FOR WAITING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC4"},19909:{"value":"4DC5","name":"HEXAGRAM FOR CONFLICT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC5"},19910:{"value":"4DC6","name":"HEXAGRAM FOR THE ARMY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC6"},19911:{"value":"4DC7","name":"HEXAGRAM FOR HOLDING TOGETHER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC7"},19912:{"value":"4DC8","name":"HEXAGRAM FOR SMALL TAMING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC8"},19913:{"value":"4DC9","name":"HEXAGRAM FOR TREADING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DC9"},19914:{"value":"4DCA","name":"HEXAGRAM FOR PEACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCA"},19915:{"value":"4DCB","name":"HEXAGRAM FOR STANDSTILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCB"},19916:{"value":"4DCC","name":"HEXAGRAM FOR FELLOWSHIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCC"},19917:{"value":"4DCD","name":"HEXAGRAM FOR GREAT POSSESSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCD"},19918:{"value":"4DCE","name":"HEXAGRAM FOR MODESTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCE"},19919:{"value":"4DCF","name":"HEXAGRAM FOR ENTHUSIASM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DCF"},19920:{"value":"4DD0","name":"HEXAGRAM FOR FOLLOWING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD0"},19921:{"value":"4DD1","name":"HEXAGRAM FOR WORK ON THE DECAYED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD1"},19922:{"value":"4DD2","name":"HEXAGRAM FOR APPROACH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD2"},19923:{"value":"4DD3","name":"HEXAGRAM FOR CONTEMPLATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD3"},19924:{"value":"4DD4","name":"HEXAGRAM FOR BITING THROUGH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD4"},19925:{"value":"4DD5","name":"HEXAGRAM FOR GRACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD5"},19926:{"value":"4DD6","name":"HEXAGRAM FOR SPLITTING APART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD6"},19927:{"value":"4DD7","name":"HEXAGRAM FOR RETURN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD7"},19928:{"value":"4DD8","name":"HEXAGRAM FOR INNOCENCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD8"},19929:{"value":"4DD9","name":"HEXAGRAM FOR GREAT TAMING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DD9"},19930:{"value":"4DDA","name":"HEXAGRAM FOR MOUTH CORNERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDA"},19931:{"value":"4DDB","name":"HEXAGRAM FOR GREAT PREPONDERANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDB"},19932:{"value":"4DDC","name":"HEXAGRAM FOR THE ABYSMAL WATER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDC"},19933:{"value":"4DDD","name":"HEXAGRAM FOR THE CLINGING FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDD"},19934:{"value":"4DDE","name":"HEXAGRAM FOR INFLUENCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDE"},19935:{"value":"4DDF","name":"HEXAGRAM FOR DURATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DDF"},19936:{"value":"4DE0","name":"HEXAGRAM FOR RETREAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE0"},19937:{"value":"4DE1","name":"HEXAGRAM FOR GREAT POWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE1"},19938:{"value":"4DE2","name":"HEXAGRAM FOR PROGRESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE2"},19939:{"value":"4DE3","name":"HEXAGRAM FOR DARKENING OF THE LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE3"},19940:{"value":"4DE4","name":"HEXAGRAM FOR THE FAMILY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE4"},19941:{"value":"4DE5","name":"HEXAGRAM FOR OPPOSITION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE5"},19942:{"value":"4DE6","name":"HEXAGRAM FOR OBSTRUCTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE6"},19943:{"value":"4DE7","name":"HEXAGRAM FOR DELIVERANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE7"},19944:{"value":"4DE8","name":"HEXAGRAM FOR DECREASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE8"},19945:{"value":"4DE9","name":"HEXAGRAM FOR INCREASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DE9"},19946:{"value":"4DEA","name":"HEXAGRAM FOR BREAKTHROUGH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DEA"},19947:{"value":"4DEB","name":"HEXAGRAM FOR COMING TO MEET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DEB"},19948:{"value":"4DEC","name":"HEXAGRAM FOR GATHERING TOGETHER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DEC"},19949:{"value":"4DED","name":"HEXAGRAM FOR PUSHING UPWARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DED"},19950:{"value":"4DEE","name":"HEXAGRAM FOR OPPRESSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DEE"},19951:{"value":"4DEF","name":"HEXAGRAM FOR THE WELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DEF"},19952:{"value":"4DF0","name":"HEXAGRAM FOR REVOLUTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF0"},19953:{"value":"4DF1","name":"HEXAGRAM FOR THE CAULDRON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF1"},19954:{"value":"4DF2","name":"HEXAGRAM FOR THE AROUSING THUNDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF2"},19955:{"value":"4DF3","name":"HEXAGRAM FOR THE KEEPING STILL MOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF3"},19956:{"value":"4DF4","name":"HEXAGRAM FOR DEVELOPMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF4"},19957:{"value":"4DF5","name":"HEXAGRAM FOR THE MARRYING MAIDEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF5"},19958:{"value":"4DF6","name":"HEXAGRAM FOR ABUNDANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF6"},19959:{"value":"4DF7","name":"HEXAGRAM FOR THE WANDERER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF7"},19960:{"value":"4DF8","name":"HEXAGRAM FOR THE GENTLE WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF8"},19961:{"value":"4DF9","name":"HEXAGRAM FOR THE JOYOUS LAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DF9"},19962:{"value":"4DFA","name":"HEXAGRAM FOR DISPERSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFA"},19963:{"value":"4DFB","name":"HEXAGRAM FOR LIMITATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFB"},19964:{"value":"4DFC","name":"HEXAGRAM FOR INNER TRUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFC"},19965:{"value":"4DFD","name":"HEXAGRAM FOR SMALL PREPONDERANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFD"},19966:{"value":"4DFE","name":"HEXAGRAM FOR AFTER COMPLETION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFE"},19967:{"value":"4DFF","name":"HEXAGRAM FOR BEFORE COMPLETION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u4DFF"},42128:{"value":"A490","name":"YI RADICAL QOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA490"},42129:{"value":"A491","name":"YI RADICAL LI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA491"},42130:{"value":"A492","name":"YI RADICAL KIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA492"},42131:{"value":"A493","name":"YI RADICAL NYIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA493"},42132:{"value":"A494","name":"YI RADICAL CYP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA494"},42133:{"value":"A495","name":"YI RADICAL SSI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA495"},42134:{"value":"A496","name":"YI RADICAL GGOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA496"},42135:{"value":"A497","name":"YI RADICAL GEP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA497"},42136:{"value":"A498","name":"YI RADICAL MI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA498"},42137:{"value":"A499","name":"YI RADICAL HXIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA499"},42138:{"value":"A49A","name":"YI RADICAL LYR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49A"},42139:{"value":"A49B","name":"YI RADICAL BBUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49B"},42140:{"value":"A49C","name":"YI RADICAL MOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49C"},42141:{"value":"A49D","name":"YI RADICAL YO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49D"},42142:{"value":"A49E","name":"YI RADICAL PUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49E"},42143:{"value":"A49F","name":"YI RADICAL HXUO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA49F"},42144:{"value":"A4A0","name":"YI RADICAL TAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A0"},42145:{"value":"A4A1","name":"YI RADICAL GA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A1"},42146:{"value":"A4A2","name":"YI RADICAL ZUP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A2"},42147:{"value":"A4A3","name":"YI RADICAL CYT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A3"},42148:{"value":"A4A4","name":"YI RADICAL DDUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A4"},42149:{"value":"A4A5","name":"YI RADICAL BUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A5"},42150:{"value":"A4A6","name":"YI RADICAL GGUO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A6"},42151:{"value":"A4A7","name":"YI RADICAL NYOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A7"},42152:{"value":"A4A8","name":"YI RADICAL TU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A8"},42153:{"value":"A4A9","name":"YI RADICAL OP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4A9"},42154:{"value":"A4AA","name":"YI RADICAL JJUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AA"},42155:{"value":"A4AB","name":"YI RADICAL ZOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AB"},42156:{"value":"A4AC","name":"YI RADICAL PYT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AC"},42157:{"value":"A4AD","name":"YI RADICAL HMO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AD"},42158:{"value":"A4AE","name":"YI RADICAL YIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AE"},42159:{"value":"A4AF","name":"YI RADICAL VUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4AF"},42160:{"value":"A4B0","name":"YI RADICAL SHY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B0"},42161:{"value":"A4B1","name":"YI RADICAL VEP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B1"},42162:{"value":"A4B2","name":"YI RADICAL ZA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B2"},42163:{"value":"A4B3","name":"YI RADICAL JO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B3"},42164:{"value":"A4B4","name":"YI RADICAL NZUP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B4"},42165:{"value":"A4B5","name":"YI RADICAL JJY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B5"},42166:{"value":"A4B6","name":"YI RADICAL GOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B6"},42167:{"value":"A4B7","name":"YI RADICAL JJIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B7"},42168:{"value":"A4B8","name":"YI RADICAL WO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B8"},42169:{"value":"A4B9","name":"YI RADICAL DU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4B9"},42170:{"value":"A4BA","name":"YI RADICAL SHUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BA"},42171:{"value":"A4BB","name":"YI RADICAL LIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BB"},42172:{"value":"A4BC","name":"YI RADICAL CY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BC"},42173:{"value":"A4BD","name":"YI RADICAL CUOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BD"},42174:{"value":"A4BE","name":"YI RADICAL CIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BE"},42175:{"value":"A4BF","name":"YI RADICAL HXOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4BF"},42176:{"value":"A4C0","name":"YI RADICAL SHAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C0"},42177:{"value":"A4C1","name":"YI RADICAL ZUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C1"},42178:{"value":"A4C2","name":"YI RADICAL SHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C2"},42179:{"value":"A4C3","name":"YI RADICAL CHE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C3"},42180:{"value":"A4C4","name":"YI RADICAL ZZIET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C4"},42181:{"value":"A4C5","name":"YI RADICAL NBIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C5"},42182:{"value":"A4C6","name":"YI RADICAL KE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA4C6"},43048:{"value":"A828","name":"SYLOTI NAGRI POETRY MARK-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA828"},43049:{"value":"A829","name":"SYLOTI NAGRI POETRY MARK-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA829"},43050:{"value":"A82A","name":"SYLOTI NAGRI POETRY MARK-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA82A"},43051:{"value":"A82B","name":"SYLOTI NAGRI POETRY MARK-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA82B"},43062:{"value":"A836","name":"NORTH INDIC QUARTER MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA836"},43063:{"value":"A837","name":"NORTH INDIC PLACEHOLDER MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA837"},43065:{"value":"A839","name":"NORTH INDIC QUANTITY MARK","category":"So","class":"0","bidirectional_category":"ET","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uA839"},43639:{"value":"AA77","name":"MYANMAR SYMBOL AITON EXCLAMATION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uAA77"},43640:{"value":"AA78","name":"MYANMAR SYMBOL AITON ONE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uAA78"},43641:{"value":"AA79","name":"MYANMAR SYMBOL AITON TWO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uAA79"},65021:{"value":"FDFD","name":"ARABIC LIGATURE BISMILLAH AR-RAHMAN AR-RAHEEM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFDFD"},65508:{"value":"FFE4","name":"FULLWIDTH BROKEN BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":" 00A6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"FULLWIDTH BROKEN VERTICAL BAR","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFE4"},65512:{"value":"FFE8","name":"HALFWIDTH FORMS LIGHT VERTICAL","category":"So","class":"0","bidirectional_category":"ON","mapping":" 2502","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFE8"},65517:{"value":"FFED","name":"HALFWIDTH BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 25A0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFED"},65518:{"value":"FFEE","name":"HALFWIDTH WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":" 25CB","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFEE"},65532:{"value":"FFFC","name":"OBJECT REPLACEMENT CHARACTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFFC"},65533:{"value":"FFFD","name":"REPLACEMENT CHARACTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFFFD"},65847:{"value":"10137","name":"AEGEAN WEIGHT BASE UNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0137"},65848:{"value":"10138","name":"AEGEAN WEIGHT FIRST SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0138"},65849:{"value":"10139","name":"AEGEAN WEIGHT SECOND SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0139"},65850:{"value":"1013A","name":"AEGEAN WEIGHT THIRD SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013A"},65851:{"value":"1013B","name":"AEGEAN WEIGHT FOURTH SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013B"},65852:{"value":"1013C","name":"AEGEAN DRY MEASURE FIRST SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013C"},65853:{"value":"1013D","name":"AEGEAN LIQUID MEASURE FIRST SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013D"},65854:{"value":"1013E","name":"AEGEAN MEASURE SECOND SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013E"},65855:{"value":"1013F","name":"AEGEAN MEASURE THIRD SUBUNIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u013F"},65913:{"value":"10179","name":"GREEK YEAR SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0179"},65914:{"value":"1017A","name":"GREEK TALENT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017A"},65915:{"value":"1017B","name":"GREEK DRACHMA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017B"},65916:{"value":"1017C","name":"GREEK OBOL SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017C"},65917:{"value":"1017D","name":"GREEK TWO OBOLS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017D"},65918:{"value":"1017E","name":"GREEK THREE OBOLS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017E"},65919:{"value":"1017F","name":"GREEK FOUR OBOLS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u017F"},65920:{"value":"10180","name":"GREEK FIVE OBOLS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0180"},65921:{"value":"10181","name":"GREEK METRETES SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0181"},65922:{"value":"10182","name":"GREEK KYATHOS BASE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0182"},65923:{"value":"10183","name":"GREEK LITRA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0183"},65924:{"value":"10184","name":"GREEK OUNKIA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0184"},65925:{"value":"10185","name":"GREEK XESTES SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0185"},65926:{"value":"10186","name":"GREEK ARTABE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0186"},65927:{"value":"10187","name":"GREEK AROURA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0187"},65928:{"value":"10188","name":"GREEK GRAMMA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0188"},65929:{"value":"10189","name":"GREEK TRYBLION BASE SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0189"},65932:{"value":"1018C","name":"GREEK SINUSOID SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u018C"},65933:{"value":"1018D","name":"GREEK INDICTION SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u018D"},65934:{"value":"1018E","name":"NOMISMA SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u018E"},65936:{"value":"10190","name":"ROMAN SEXTANS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0190"},65937:{"value":"10191","name":"ROMAN UNCIA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0191"},65938:{"value":"10192","name":"ROMAN SEMUNCIA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0192"},65939:{"value":"10193","name":"ROMAN SEXTULA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0193"},65940:{"value":"10194","name":"ROMAN DIMIDIA SEXTULA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0194"},65941:{"value":"10195","name":"ROMAN SILIQUA SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0195"},65942:{"value":"10196","name":"ROMAN DENARIUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0196"},65943:{"value":"10197","name":"ROMAN QUINARIUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0197"},65944:{"value":"10198","name":"ROMAN SESTERTIUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0198"},65945:{"value":"10199","name":"ROMAN DUPONDIUS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0199"},65946:{"value":"1019A","name":"ROMAN AS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u019A"},65947:{"value":"1019B","name":"ROMAN CENTURIAL SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u019B"},65952:{"value":"101A0","name":"GREEK SYMBOL TAU RHO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01A0"},66000:{"value":"101D0","name":"PHAISTOS DISC SIGN PEDESTRIAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D0"},66001:{"value":"101D1","name":"PHAISTOS DISC SIGN PLUMED HEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D1"},66002:{"value":"101D2","name":"PHAISTOS DISC SIGN TATTOOED HEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D2"},66003:{"value":"101D3","name":"PHAISTOS DISC SIGN CAPTIVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D3"},66004:{"value":"101D4","name":"PHAISTOS DISC SIGN CHILD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D4"},66005:{"value":"101D5","name":"PHAISTOS DISC SIGN WOMAN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D5"},66006:{"value":"101D6","name":"PHAISTOS DISC SIGN HELMET","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D6"},66007:{"value":"101D7","name":"PHAISTOS DISC SIGN GAUNTLET","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D7"},66008:{"value":"101D8","name":"PHAISTOS DISC SIGN TIARA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D8"},66009:{"value":"101D9","name":"PHAISTOS DISC SIGN ARROW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01D9"},66010:{"value":"101DA","name":"PHAISTOS DISC SIGN BOW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DA"},66011:{"value":"101DB","name":"PHAISTOS DISC SIGN SHIELD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DB"},66012:{"value":"101DC","name":"PHAISTOS DISC SIGN CLUB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DC"},66013:{"value":"101DD","name":"PHAISTOS DISC SIGN MANACLES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DD"},66014:{"value":"101DE","name":"PHAISTOS DISC SIGN MATTOCK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DE"},66015:{"value":"101DF","name":"PHAISTOS DISC SIGN SAW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01DF"},66016:{"value":"101E0","name":"PHAISTOS DISC SIGN LID","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E0"},66017:{"value":"101E1","name":"PHAISTOS DISC SIGN BOOMERANG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E1"},66018:{"value":"101E2","name":"PHAISTOS DISC SIGN CARPENTRY PLANE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E2"},66019:{"value":"101E3","name":"PHAISTOS DISC SIGN DOLIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E3"},66020:{"value":"101E4","name":"PHAISTOS DISC SIGN COMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E4"},66021:{"value":"101E5","name":"PHAISTOS DISC SIGN SLING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E5"},66022:{"value":"101E6","name":"PHAISTOS DISC SIGN COLUMN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E6"},66023:{"value":"101E7","name":"PHAISTOS DISC SIGN BEEHIVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E7"},66024:{"value":"101E8","name":"PHAISTOS DISC SIGN SHIP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E8"},66025:{"value":"101E9","name":"PHAISTOS DISC SIGN HORN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01E9"},66026:{"value":"101EA","name":"PHAISTOS DISC SIGN HIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01EA"},66027:{"value":"101EB","name":"PHAISTOS DISC SIGN BULLS LEG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01EB"},66028:{"value":"101EC","name":"PHAISTOS DISC SIGN CAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01EC"},66029:{"value":"101ED","name":"PHAISTOS DISC SIGN RAM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01ED"},66030:{"value":"101EE","name":"PHAISTOS DISC SIGN EAGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01EE"},66031:{"value":"101EF","name":"PHAISTOS DISC SIGN DOVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01EF"},66032:{"value":"101F0","name":"PHAISTOS DISC SIGN TUNNY","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F0"},66033:{"value":"101F1","name":"PHAISTOS DISC SIGN BEE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F1"},66034:{"value":"101F2","name":"PHAISTOS DISC SIGN PLANE TREE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F2"},66035:{"value":"101F3","name":"PHAISTOS DISC SIGN VINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F3"},66036:{"value":"101F4","name":"PHAISTOS DISC SIGN PAPYRUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F4"},66037:{"value":"101F5","name":"PHAISTOS DISC SIGN ROSETTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F5"},66038:{"value":"101F6","name":"PHAISTOS DISC SIGN LILY","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F6"},66039:{"value":"101F7","name":"PHAISTOS DISC SIGN OX BACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F7"},66040:{"value":"101F8","name":"PHAISTOS DISC SIGN FLUTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F8"},66041:{"value":"101F9","name":"PHAISTOS DISC SIGN GRATER","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01F9"},66042:{"value":"101FA","name":"PHAISTOS DISC SIGN STRAINER","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01FA"},66043:{"value":"101FB","name":"PHAISTOS DISC SIGN SMALL AXE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01FB"},66044:{"value":"101FC","name":"PHAISTOS DISC SIGN WAVY BAND","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u01FC"},67703:{"value":"10877","name":"PALMYRENE LEFT-POINTING FLEURON","category":"So","class":"0","bidirectional_category":"R","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0877"},67704:{"value":"10878","name":"PALMYRENE RIGHT-POINTING FLEURON","category":"So","class":"0","bidirectional_category":"R","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0878"},68296:{"value":"10AC8","name":"MANICHAEAN SIGN UD","category":"So","class":"0","bidirectional_category":"R","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u0AC8"},71487:{"value":"1173F","name":"AHOM SYMBOL VI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u173F"},73685:{"value":"11FD5","name":"TAMIL SIGN NEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FD5"},73686:{"value":"11FD6","name":"TAMIL SIGN CEVITU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FD6"},73687:{"value":"11FD7","name":"TAMIL SIGN AAZHAAKKU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FD7"},73688:{"value":"11FD8","name":"TAMIL SIGN UZHAKKU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FD8"},73689:{"value":"11FD9","name":"TAMIL SIGN MUUVUZHAKKU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FD9"},73690:{"value":"11FDA","name":"TAMIL SIGN KURUNI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FDA"},73691:{"value":"11FDB","name":"TAMIL SIGN PATHAKKU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FDB"},73692:{"value":"11FDC","name":"TAMIL SIGN MUKKURUNI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FDC"},73697:{"value":"11FE1","name":"TAMIL SIGN PAARAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE1"},73698:{"value":"11FE2","name":"TAMIL SIGN KUZHI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE2"},73699:{"value":"11FE3","name":"TAMIL SIGN VELI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE3"},73700:{"value":"11FE4","name":"TAMIL WET CULTIVATION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE4"},73701:{"value":"11FE5","name":"TAMIL DRY CULTIVATION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE5"},73702:{"value":"11FE6","name":"TAMIL LAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE6"},73703:{"value":"11FE7","name":"TAMIL SALT PAN SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE7"},73704:{"value":"11FE8","name":"TAMIL TRADITIONAL CREDIT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE8"},73705:{"value":"11FE9","name":"TAMIL TRADITIONAL NUMBER SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FE9"},73706:{"value":"11FEA","name":"TAMIL CURRENT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FEA"},73707:{"value":"11FEB","name":"TAMIL AND ODD SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FEB"},73708:{"value":"11FEC","name":"TAMIL SPENT SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FEC"},73709:{"value":"11FED","name":"TAMIL TOTAL SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FED"},73710:{"value":"11FEE","name":"TAMIL IN POSSESSION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FEE"},73711:{"value":"11FEF","name":"TAMIL STARTING FROM SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FEF"},73712:{"value":"11FF0","name":"TAMIL SIGN MUTHALIYA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FF0"},73713:{"value":"11FF1","name":"TAMIL SIGN VAKAIYARAA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u1FF1"},92988:{"value":"16B3C","name":"PAHAWH HMONG SIGN XYEEM NTXIV","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u6B3C"},92989:{"value":"16B3D","name":"PAHAWH HMONG SIGN XYEEM RHO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u6B3D"},92990:{"value":"16B3E","name":"PAHAWH HMONG SIGN XYEEM TOV","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u6B3E"},92991:{"value":"16B3F","name":"PAHAWH HMONG SIGN XYEEM FAIB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u6B3F"},92997:{"value":"16B45","name":"PAHAWH HMONG SIGN CIM TSOV ROG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\u6B45"},113820:{"value":"1BC9C","name":"DUPLOYAN SIGN O WITH CROSS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uBC9C"},118784:{"value":"1D000","name":"BYZANTINE MUSICAL SYMBOL PSILI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD000"},118785:{"value":"1D001","name":"BYZANTINE MUSICAL SYMBOL DASEIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD001"},118786:{"value":"1D002","name":"BYZANTINE MUSICAL SYMBOL PERISPOMENI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD002"},118787:{"value":"1D003","name":"BYZANTINE MUSICAL SYMBOL OXEIA EKFONITIKON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD003"},118788:{"value":"1D004","name":"BYZANTINE MUSICAL SYMBOL OXEIA DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD004"},118789:{"value":"1D005","name":"BYZANTINE MUSICAL SYMBOL VAREIA EKFONITIKON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD005"},118790:{"value":"1D006","name":"BYZANTINE MUSICAL SYMBOL VAREIA DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD006"},118791:{"value":"1D007","name":"BYZANTINE MUSICAL SYMBOL KATHISTI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD007"},118792:{"value":"1D008","name":"BYZANTINE MUSICAL SYMBOL SYRMATIKI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD008"},118793:{"value":"1D009","name":"BYZANTINE MUSICAL SYMBOL PARAKLITIKI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD009"},118794:{"value":"1D00A","name":"BYZANTINE MUSICAL SYMBOL YPOKRISIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00A"},118795:{"value":"1D00B","name":"BYZANTINE MUSICAL SYMBOL YPOKRISIS DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00B"},118796:{"value":"1D00C","name":"BYZANTINE MUSICAL SYMBOL KREMASTI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00C"},118797:{"value":"1D00D","name":"BYZANTINE MUSICAL SYMBOL APESO EKFONITIKON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00D"},118798:{"value":"1D00E","name":"BYZANTINE MUSICAL SYMBOL EXO EKFONITIKON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00E"},118799:{"value":"1D00F","name":"BYZANTINE MUSICAL SYMBOL TELEIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD00F"},118800:{"value":"1D010","name":"BYZANTINE MUSICAL SYMBOL KENTIMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD010"},118801:{"value":"1D011","name":"BYZANTINE MUSICAL SYMBOL APOSTROFOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD011"},118802:{"value":"1D012","name":"BYZANTINE MUSICAL SYMBOL APOSTROFOS DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD012"},118803:{"value":"1D013","name":"BYZANTINE MUSICAL SYMBOL SYNEVMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD013"},118804:{"value":"1D014","name":"BYZANTINE MUSICAL SYMBOL THITA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD014"},118805:{"value":"1D015","name":"BYZANTINE MUSICAL SYMBOL OLIGON ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD015"},118806:{"value":"1D016","name":"BYZANTINE MUSICAL SYMBOL GORGON ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD016"},118807:{"value":"1D017","name":"BYZANTINE MUSICAL SYMBOL PSILON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD017"},118808:{"value":"1D018","name":"BYZANTINE MUSICAL SYMBOL CHAMILON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD018"},118809:{"value":"1D019","name":"BYZANTINE MUSICAL SYMBOL VATHY","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD019"},118810:{"value":"1D01A","name":"BYZANTINE MUSICAL SYMBOL ISON ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01A"},118811:{"value":"1D01B","name":"BYZANTINE MUSICAL SYMBOL KENTIMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01B"},118812:{"value":"1D01C","name":"BYZANTINE MUSICAL SYMBOL KENTIMATA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01C"},118813:{"value":"1D01D","name":"BYZANTINE MUSICAL SYMBOL SAXIMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01D"},118814:{"value":"1D01E","name":"BYZANTINE MUSICAL SYMBOL PARICHON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01E"},118815:{"value":"1D01F","name":"BYZANTINE MUSICAL SYMBOL STAVROS APODEXIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD01F"},118816:{"value":"1D020","name":"BYZANTINE MUSICAL SYMBOL OXEIAI ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD020"},118817:{"value":"1D021","name":"BYZANTINE MUSICAL SYMBOL VAREIAI ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD021"},118818:{"value":"1D022","name":"BYZANTINE MUSICAL SYMBOL APODERMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD022"},118819:{"value":"1D023","name":"BYZANTINE MUSICAL SYMBOL APOTHEMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD023"},118820:{"value":"1D024","name":"BYZANTINE MUSICAL SYMBOL KLASMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD024"},118821:{"value":"1D025","name":"BYZANTINE MUSICAL SYMBOL REVMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD025"},118822:{"value":"1D026","name":"BYZANTINE MUSICAL SYMBOL PIASMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD026"},118823:{"value":"1D027","name":"BYZANTINE MUSICAL SYMBOL TINAGMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD027"},118824:{"value":"1D028","name":"BYZANTINE MUSICAL SYMBOL ANATRICHISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD028"},118825:{"value":"1D029","name":"BYZANTINE MUSICAL SYMBOL SEISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD029"},118826:{"value":"1D02A","name":"BYZANTINE MUSICAL SYMBOL SYNAGMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02A"},118827:{"value":"1D02B","name":"BYZANTINE MUSICAL SYMBOL SYNAGMA META STAVROU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02B"},118828:{"value":"1D02C","name":"BYZANTINE MUSICAL SYMBOL OYRANISMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02C"},118829:{"value":"1D02D","name":"BYZANTINE MUSICAL SYMBOL THEMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02D"},118830:{"value":"1D02E","name":"BYZANTINE MUSICAL SYMBOL LEMOI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02E"},118831:{"value":"1D02F","name":"BYZANTINE MUSICAL SYMBOL DYO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD02F"},118832:{"value":"1D030","name":"BYZANTINE MUSICAL SYMBOL TRIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD030"},118833:{"value":"1D031","name":"BYZANTINE MUSICAL SYMBOL TESSERA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD031"},118834:{"value":"1D032","name":"BYZANTINE MUSICAL SYMBOL KRATIMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD032"},118835:{"value":"1D033","name":"BYZANTINE MUSICAL SYMBOL APESO EXO NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD033"},118836:{"value":"1D034","name":"BYZANTINE MUSICAL SYMBOL FTHORA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD034"},118837:{"value":"1D035","name":"BYZANTINE MUSICAL SYMBOL IMIFTHORA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD035"},118838:{"value":"1D036","name":"BYZANTINE MUSICAL SYMBOL TROMIKON ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD036"},118839:{"value":"1D037","name":"BYZANTINE MUSICAL SYMBOL KATAVA TROMIKON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD037"},118840:{"value":"1D038","name":"BYZANTINE MUSICAL SYMBOL PELASTON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD038"},118841:{"value":"1D039","name":"BYZANTINE MUSICAL SYMBOL PSIFISTON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD039"},118842:{"value":"1D03A","name":"BYZANTINE MUSICAL SYMBOL KONTEVMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03A"},118843:{"value":"1D03B","name":"BYZANTINE MUSICAL SYMBOL CHOREVMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03B"},118844:{"value":"1D03C","name":"BYZANTINE MUSICAL SYMBOL RAPISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03C"},118845:{"value":"1D03D","name":"BYZANTINE MUSICAL SYMBOL PARAKALESMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03D"},118846:{"value":"1D03E","name":"BYZANTINE MUSICAL SYMBOL PARAKLITIKI ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03E"},118847:{"value":"1D03F","name":"BYZANTINE MUSICAL SYMBOL ICHADIN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD03F"},118848:{"value":"1D040","name":"BYZANTINE MUSICAL SYMBOL NANA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD040"},118849:{"value":"1D041","name":"BYZANTINE MUSICAL SYMBOL PETASMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD041"},118850:{"value":"1D042","name":"BYZANTINE MUSICAL SYMBOL KONTEVMA ALLO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD042"},118851:{"value":"1D043","name":"BYZANTINE MUSICAL SYMBOL TROMIKON ALLO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD043"},118852:{"value":"1D044","name":"BYZANTINE MUSICAL SYMBOL STRAGGISMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD044"},118853:{"value":"1D045","name":"BYZANTINE MUSICAL SYMBOL GRONTHISMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD045"},118854:{"value":"1D046","name":"BYZANTINE MUSICAL SYMBOL ISON NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD046"},118855:{"value":"1D047","name":"BYZANTINE MUSICAL SYMBOL OLIGON NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD047"},118856:{"value":"1D048","name":"BYZANTINE MUSICAL SYMBOL OXEIA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD048"},118857:{"value":"1D049","name":"BYZANTINE MUSICAL SYMBOL PETASTI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD049"},118858:{"value":"1D04A","name":"BYZANTINE MUSICAL SYMBOL KOUFISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04A"},118859:{"value":"1D04B","name":"BYZANTINE MUSICAL SYMBOL PETASTOKOUFISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04B"},118860:{"value":"1D04C","name":"BYZANTINE MUSICAL SYMBOL KRATIMOKOUFISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04C"},118861:{"value":"1D04D","name":"BYZANTINE MUSICAL SYMBOL PELASTON NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04D"},118862:{"value":"1D04E","name":"BYZANTINE MUSICAL SYMBOL KENTIMATA NEO ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04E"},118863:{"value":"1D04F","name":"BYZANTINE MUSICAL SYMBOL KENTIMA NEO ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD04F"},118864:{"value":"1D050","name":"BYZANTINE MUSICAL SYMBOL YPSILI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD050"},118865:{"value":"1D051","name":"BYZANTINE MUSICAL SYMBOL APOSTROFOS NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD051"},118866:{"value":"1D052","name":"BYZANTINE MUSICAL SYMBOL APOSTROFOI SYNDESMOS NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD052"},118867:{"value":"1D053","name":"BYZANTINE MUSICAL SYMBOL YPORROI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD053"},118868:{"value":"1D054","name":"BYZANTINE MUSICAL SYMBOL KRATIMOYPORROON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD054"},118869:{"value":"1D055","name":"BYZANTINE MUSICAL SYMBOL ELAFRON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD055"},118870:{"value":"1D056","name":"BYZANTINE MUSICAL SYMBOL CHAMILI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD056"},118871:{"value":"1D057","name":"BYZANTINE MUSICAL SYMBOL MIKRON ISON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD057"},118872:{"value":"1D058","name":"BYZANTINE MUSICAL SYMBOL VAREIA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD058"},118873:{"value":"1D059","name":"BYZANTINE MUSICAL SYMBOL PIASMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD059"},118874:{"value":"1D05A","name":"BYZANTINE MUSICAL SYMBOL PSIFISTON NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05A"},118875:{"value":"1D05B","name":"BYZANTINE MUSICAL SYMBOL OMALON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05B"},118876:{"value":"1D05C","name":"BYZANTINE MUSICAL SYMBOL ANTIKENOMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05C"},118877:{"value":"1D05D","name":"BYZANTINE MUSICAL SYMBOL LYGISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05D"},118878:{"value":"1D05E","name":"BYZANTINE MUSICAL SYMBOL PARAKLITIKI NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05E"},118879:{"value":"1D05F","name":"BYZANTINE MUSICAL SYMBOL PARAKALESMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD05F"},118880:{"value":"1D060","name":"BYZANTINE MUSICAL SYMBOL ETERON PARAKALESMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD060"},118881:{"value":"1D061","name":"BYZANTINE MUSICAL SYMBOL KYLISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD061"},118882:{"value":"1D062","name":"BYZANTINE MUSICAL SYMBOL ANTIKENOKYLISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD062"},118883:{"value":"1D063","name":"BYZANTINE MUSICAL SYMBOL TROMIKON NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD063"},118884:{"value":"1D064","name":"BYZANTINE MUSICAL SYMBOL EKSTREPTON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD064"},118885:{"value":"1D065","name":"BYZANTINE MUSICAL SYMBOL SYNAGMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD065"},118886:{"value":"1D066","name":"BYZANTINE MUSICAL SYMBOL SYRMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD066"},118887:{"value":"1D067","name":"BYZANTINE MUSICAL SYMBOL CHOREVMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD067"},118888:{"value":"1D068","name":"BYZANTINE MUSICAL SYMBOL EPEGERMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD068"},118889:{"value":"1D069","name":"BYZANTINE MUSICAL SYMBOL SEISMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD069"},118890:{"value":"1D06A","name":"BYZANTINE MUSICAL SYMBOL XIRON KLASMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06A"},118891:{"value":"1D06B","name":"BYZANTINE MUSICAL SYMBOL TROMIKOPSIFISTON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06B"},118892:{"value":"1D06C","name":"BYZANTINE MUSICAL SYMBOL PSIFISTOLYGISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06C"},118893:{"value":"1D06D","name":"BYZANTINE MUSICAL SYMBOL TROMIKOLYGISMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06D"},118894:{"value":"1D06E","name":"BYZANTINE MUSICAL SYMBOL TROMIKOPARAKALESMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06E"},118895:{"value":"1D06F","name":"BYZANTINE MUSICAL SYMBOL PSIFISTOPARAKALESMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD06F"},118896:{"value":"1D070","name":"BYZANTINE MUSICAL SYMBOL TROMIKOSYNAGMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD070"},118897:{"value":"1D071","name":"BYZANTINE MUSICAL SYMBOL PSIFISTOSYNAGMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD071"},118898:{"value":"1D072","name":"BYZANTINE MUSICAL SYMBOL GORGOSYNTHETON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD072"},118899:{"value":"1D073","name":"BYZANTINE MUSICAL SYMBOL ARGOSYNTHETON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD073"},118900:{"value":"1D074","name":"BYZANTINE MUSICAL SYMBOL ETERON ARGOSYNTHETON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD074"},118901:{"value":"1D075","name":"BYZANTINE MUSICAL SYMBOL OYRANISMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD075"},118902:{"value":"1D076","name":"BYZANTINE MUSICAL SYMBOL THEMATISMOS ESO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD076"},118903:{"value":"1D077","name":"BYZANTINE MUSICAL SYMBOL THEMATISMOS EXO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD077"},118904:{"value":"1D078","name":"BYZANTINE MUSICAL SYMBOL THEMA APLOUN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD078"},118905:{"value":"1D079","name":"BYZANTINE MUSICAL SYMBOL THES KAI APOTHES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD079"},118906:{"value":"1D07A","name":"BYZANTINE MUSICAL SYMBOL KATAVASMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07A"},118907:{"value":"1D07B","name":"BYZANTINE MUSICAL SYMBOL ENDOFONON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07B"},118908:{"value":"1D07C","name":"BYZANTINE MUSICAL SYMBOL YFEN KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07C"},118909:{"value":"1D07D","name":"BYZANTINE MUSICAL SYMBOL YFEN ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07D"},118910:{"value":"1D07E","name":"BYZANTINE MUSICAL SYMBOL STAVROS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07E"},118911:{"value":"1D07F","name":"BYZANTINE MUSICAL SYMBOL KLASMA ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD07F"},118912:{"value":"1D080","name":"BYZANTINE MUSICAL SYMBOL DIPLI ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD080"},118913:{"value":"1D081","name":"BYZANTINE MUSICAL SYMBOL KRATIMA ARCHAION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD081"},118914:{"value":"1D082","name":"BYZANTINE MUSICAL SYMBOL KRATIMA ALLO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD082"},118915:{"value":"1D083","name":"BYZANTINE MUSICAL SYMBOL KRATIMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD083"},118916:{"value":"1D084","name":"BYZANTINE MUSICAL SYMBOL APODERMA NEO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD084"},118917:{"value":"1D085","name":"BYZANTINE MUSICAL SYMBOL APLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD085"},118918:{"value":"1D086","name":"BYZANTINE MUSICAL SYMBOL DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD086"},118919:{"value":"1D087","name":"BYZANTINE MUSICAL SYMBOL TRIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD087"},118920:{"value":"1D088","name":"BYZANTINE MUSICAL SYMBOL TETRAPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD088"},118921:{"value":"1D089","name":"BYZANTINE MUSICAL SYMBOL KORONIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD089"},118922:{"value":"1D08A","name":"BYZANTINE MUSICAL SYMBOL LEIMMA ENOS CHRONOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08A"},118923:{"value":"1D08B","name":"BYZANTINE MUSICAL SYMBOL LEIMMA DYO CHRONON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08B"},118924:{"value":"1D08C","name":"BYZANTINE MUSICAL SYMBOL LEIMMA TRION CHRONON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08C"},118925:{"value":"1D08D","name":"BYZANTINE MUSICAL SYMBOL LEIMMA TESSARON CHRONON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08D"},118926:{"value":"1D08E","name":"BYZANTINE MUSICAL SYMBOL LEIMMA IMISEOS CHRONOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08E"},118927:{"value":"1D08F","name":"BYZANTINE MUSICAL SYMBOL GORGON NEO ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD08F"},118928:{"value":"1D090","name":"BYZANTINE MUSICAL SYMBOL GORGON PARESTIGMENON ARISTERA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD090"},118929:{"value":"1D091","name":"BYZANTINE MUSICAL SYMBOL GORGON PARESTIGMENON DEXIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD091"},118930:{"value":"1D092","name":"BYZANTINE MUSICAL SYMBOL DIGORGON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD092"},118931:{"value":"1D093","name":"BYZANTINE MUSICAL SYMBOL DIGORGON PARESTIGMENON ARISTERA KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD093"},118932:{"value":"1D094","name":"BYZANTINE MUSICAL SYMBOL DIGORGON PARESTIGMENON ARISTERA ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD094"},118933:{"value":"1D095","name":"BYZANTINE MUSICAL SYMBOL DIGORGON PARESTIGMENON DEXIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD095"},118934:{"value":"1D096","name":"BYZANTINE MUSICAL SYMBOL TRIGORGON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD096"},118935:{"value":"1D097","name":"BYZANTINE MUSICAL SYMBOL ARGON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD097"},118936:{"value":"1D098","name":"BYZANTINE MUSICAL SYMBOL IMIDIARGON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD098"},118937:{"value":"1D099","name":"BYZANTINE MUSICAL SYMBOL DIARGON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD099"},118938:{"value":"1D09A","name":"BYZANTINE MUSICAL SYMBOL AGOGI POLI ARGI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09A"},118939:{"value":"1D09B","name":"BYZANTINE MUSICAL SYMBOL AGOGI ARGOTERI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09B"},118940:{"value":"1D09C","name":"BYZANTINE MUSICAL SYMBOL AGOGI ARGI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09C"},118941:{"value":"1D09D","name":"BYZANTINE MUSICAL SYMBOL AGOGI METRIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09D"},118942:{"value":"1D09E","name":"BYZANTINE MUSICAL SYMBOL AGOGI MESI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09E"},118943:{"value":"1D09F","name":"BYZANTINE MUSICAL SYMBOL AGOGI GORGI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD09F"},118944:{"value":"1D0A0","name":"BYZANTINE MUSICAL SYMBOL AGOGI GORGOTERI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A0"},118945:{"value":"1D0A1","name":"BYZANTINE MUSICAL SYMBOL AGOGI POLI GORGI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A1"},118946:{"value":"1D0A2","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA PROTOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A2"},118947:{"value":"1D0A3","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA ALLI PROTOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A3"},118948:{"value":"1D0A4","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA DEYTEROS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A4"},118949:{"value":"1D0A5","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA ALLI DEYTEROS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A5"},118950:{"value":"1D0A6","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA TRITOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A6"},118951:{"value":"1D0A7","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA TRIFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A7"},118952:{"value":"1D0A8","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA TETARTOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A8"},118953:{"value":"1D0A9","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA TETARTOS LEGETOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0A9"},118954:{"value":"1D0AA","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA LEGETOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AA"},118955:{"value":"1D0AB","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA PLAGIOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AB"},118956:{"value":"1D0AC","name":"BYZANTINE MUSICAL SYMBOL ISAKIA TELOUS ICHIMATOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AC"},118957:{"value":"1D0AD","name":"BYZANTINE MUSICAL SYMBOL APOSTROFOI TELOUS ICHIMATOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AD"},118958:{"value":"1D0AE","name":"BYZANTINE MUSICAL SYMBOL FANEROSIS TETRAFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AE"},118959:{"value":"1D0AF","name":"BYZANTINE MUSICAL SYMBOL FANEROSIS MONOFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0AF"},118960:{"value":"1D0B0","name":"BYZANTINE MUSICAL SYMBOL FANEROSIS DIFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B0"},118961:{"value":"1D0B1","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA VARYS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B1"},118962:{"value":"1D0B2","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA PROTOVARYS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B2"},118963:{"value":"1D0B3","name":"BYZANTINE MUSICAL SYMBOL MARTYRIA PLAGIOS TETARTOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B3"},118964:{"value":"1D0B4","name":"BYZANTINE MUSICAL SYMBOL GORTHMIKON N APLOUN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B4"},118965:{"value":"1D0B5","name":"BYZANTINE MUSICAL SYMBOL GORTHMIKON N DIPLOUN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B5"},118966:{"value":"1D0B6","name":"BYZANTINE MUSICAL SYMBOL ENARXIS KAI FTHORA VOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B6"},118967:{"value":"1D0B7","name":"BYZANTINE MUSICAL SYMBOL IMIFONON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B7"},118968:{"value":"1D0B8","name":"BYZANTINE MUSICAL SYMBOL IMIFTHORON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B8"},118969:{"value":"1D0B9","name":"BYZANTINE MUSICAL SYMBOL FTHORA ARCHAION DEYTEROU ICHOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0B9"},118970:{"value":"1D0BA","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI PA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BA"},118971:{"value":"1D0BB","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI NANA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BB"},118972:{"value":"1D0BC","name":"BYZANTINE MUSICAL SYMBOL FTHORA NAOS ICHOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BC"},118973:{"value":"1D0BD","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI DI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BD"},118974:{"value":"1D0BE","name":"BYZANTINE MUSICAL SYMBOL FTHORA SKLIRON DIATONON DI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BE"},118975:{"value":"1D0BF","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI KE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0BF"},118976:{"value":"1D0C0","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI ZO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C0"},118977:{"value":"1D0C1","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI NI KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C1"},118978:{"value":"1D0C2","name":"BYZANTINE MUSICAL SYMBOL FTHORA DIATONIKI NI ANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C2"},118979:{"value":"1D0C3","name":"BYZANTINE MUSICAL SYMBOL FTHORA MALAKON CHROMA DIFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C3"},118980:{"value":"1D0C4","name":"BYZANTINE MUSICAL SYMBOL FTHORA MALAKON CHROMA MONOFONIAS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C4"},118981:{"value":"1D0C5","name":"BYZANTINE MUSICAL SYMBOL FHTORA SKLIRON CHROMA VASIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C5"},118982:{"value":"1D0C6","name":"BYZANTINE MUSICAL SYMBOL FTHORA SKLIRON CHROMA SYNAFI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C6"},118983:{"value":"1D0C7","name":"BYZANTINE MUSICAL SYMBOL FTHORA NENANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C7"},118984:{"value":"1D0C8","name":"BYZANTINE MUSICAL SYMBOL CHROA ZYGOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C8"},118985:{"value":"1D0C9","name":"BYZANTINE MUSICAL SYMBOL CHROA KLITON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0C9"},118986:{"value":"1D0CA","name":"BYZANTINE MUSICAL SYMBOL CHROA SPATHI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CA"},118987:{"value":"1D0CB","name":"BYZANTINE MUSICAL SYMBOL FTHORA I YFESIS TETARTIMORION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CB"},118988:{"value":"1D0CC","name":"BYZANTINE MUSICAL SYMBOL FTHORA ENARMONIOS ANTIFONIA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CC"},118989:{"value":"1D0CD","name":"BYZANTINE MUSICAL SYMBOL YFESIS TRITIMORION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CD"},118990:{"value":"1D0CE","name":"BYZANTINE MUSICAL SYMBOL DIESIS TRITIMORION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CE"},118991:{"value":"1D0CF","name":"BYZANTINE MUSICAL SYMBOL DIESIS TETARTIMORION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0CF"},118992:{"value":"1D0D0","name":"BYZANTINE MUSICAL SYMBOL DIESIS APLI DYO DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D0"},118993:{"value":"1D0D1","name":"BYZANTINE MUSICAL SYMBOL DIESIS MONOGRAMMOS TESSERA DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D1"},118994:{"value":"1D0D2","name":"BYZANTINE MUSICAL SYMBOL DIESIS DIGRAMMOS EX DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D2"},118995:{"value":"1D0D3","name":"BYZANTINE MUSICAL SYMBOL DIESIS TRIGRAMMOS OKTO DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D3"},118996:{"value":"1D0D4","name":"BYZANTINE MUSICAL SYMBOL YFESIS APLI DYO DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D4"},118997:{"value":"1D0D5","name":"BYZANTINE MUSICAL SYMBOL YFESIS MONOGRAMMOS TESSERA DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D5"},118998:{"value":"1D0D6","name":"BYZANTINE MUSICAL SYMBOL YFESIS DIGRAMMOS EX DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D6"},118999:{"value":"1D0D7","name":"BYZANTINE MUSICAL SYMBOL YFESIS TRIGRAMMOS OKTO DODEKATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D7"},119000:{"value":"1D0D8","name":"BYZANTINE MUSICAL SYMBOL GENIKI DIESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D8"},119001:{"value":"1D0D9","name":"BYZANTINE MUSICAL SYMBOL GENIKI YFESIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0D9"},119002:{"value":"1D0DA","name":"BYZANTINE MUSICAL SYMBOL DIASTOLI APLI MIKRI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DA"},119003:{"value":"1D0DB","name":"BYZANTINE MUSICAL SYMBOL DIASTOLI APLI MEGALI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DB"},119004:{"value":"1D0DC","name":"BYZANTINE MUSICAL SYMBOL DIASTOLI DIPLI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DC"},119005:{"value":"1D0DD","name":"BYZANTINE MUSICAL SYMBOL DIASTOLI THESEOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DD"},119006:{"value":"1D0DE","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS THESEOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DE"},119007:{"value":"1D0DF","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS THESEOS DISIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0DF"},119008:{"value":"1D0E0","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS THESEOS TRISIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E0"},119009:{"value":"1D0E1","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS THESEOS TETRASIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E1"},119010:{"value":"1D0E2","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS ARSEOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E2"},119011:{"value":"1D0E3","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS ARSEOS DISIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E3"},119012:{"value":"1D0E4","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS ARSEOS TRISIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E4"},119013:{"value":"1D0E5","name":"BYZANTINE MUSICAL SYMBOL SIMANSIS ARSEOS TETRASIMOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E5"},119014:{"value":"1D0E6","name":"BYZANTINE MUSICAL SYMBOL DIGRAMMA GG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E6"},119015:{"value":"1D0E7","name":"BYZANTINE MUSICAL SYMBOL DIFTOGGOS OU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E7"},119016:{"value":"1D0E8","name":"BYZANTINE MUSICAL SYMBOL STIGMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E8"},119017:{"value":"1D0E9","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO PA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0E9"},119018:{"value":"1D0EA","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO VOU","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0EA"},119019:{"value":"1D0EB","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO GA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0EB"},119020:{"value":"1D0EC","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO DI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0EC"},119021:{"value":"1D0ED","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO KE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0ED"},119022:{"value":"1D0EE","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO ZO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0EE"},119023:{"value":"1D0EF","name":"BYZANTINE MUSICAL SYMBOL ARKTIKO NI","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0EF"},119024:{"value":"1D0F0","name":"BYZANTINE MUSICAL SYMBOL KENTIMATA NEO MESO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F0"},119025:{"value":"1D0F1","name":"BYZANTINE MUSICAL SYMBOL KENTIMA NEO MESO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F1"},119026:{"value":"1D0F2","name":"BYZANTINE MUSICAL SYMBOL KENTIMATA NEO KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F2"},119027:{"value":"1D0F3","name":"BYZANTINE MUSICAL SYMBOL KENTIMA NEO KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F3"},119028:{"value":"1D0F4","name":"BYZANTINE MUSICAL SYMBOL KLASMA KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F4"},119029:{"value":"1D0F5","name":"BYZANTINE MUSICAL SYMBOL GORGON NEO KATO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD0F5"},119040:{"value":"1D100","name":"MUSICAL SYMBOL SINGLE BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD100"},119041:{"value":"1D101","name":"MUSICAL SYMBOL DOUBLE BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD101"},119042:{"value":"1D102","name":"MUSICAL SYMBOL FINAL BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD102"},119043:{"value":"1D103","name":"MUSICAL SYMBOL REVERSE FINAL BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD103"},119044:{"value":"1D104","name":"MUSICAL SYMBOL DASHED BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD104"},119045:{"value":"1D105","name":"MUSICAL SYMBOL SHORT BARLINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD105"},119046:{"value":"1D106","name":"MUSICAL SYMBOL LEFT REPEAT SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD106"},119047:{"value":"1D107","name":"MUSICAL SYMBOL RIGHT REPEAT SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD107"},119048:{"value":"1D108","name":"MUSICAL SYMBOL REPEAT DOTS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD108"},119049:{"value":"1D109","name":"MUSICAL SYMBOL DAL SEGNO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD109"},119050:{"value":"1D10A","name":"MUSICAL SYMBOL DA CAPO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10A"},119051:{"value":"1D10B","name":"MUSICAL SYMBOL SEGNO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10B"},119052:{"value":"1D10C","name":"MUSICAL SYMBOL CODA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10C"},119053:{"value":"1D10D","name":"MUSICAL SYMBOL REPEATED FIGURE-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10D"},119054:{"value":"1D10E","name":"MUSICAL SYMBOL REPEATED FIGURE-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10E"},119055:{"value":"1D10F","name":"MUSICAL SYMBOL REPEATED FIGURE-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD10F"},119056:{"value":"1D110","name":"MUSICAL SYMBOL FERMATA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD110"},119057:{"value":"1D111","name":"MUSICAL SYMBOL FERMATA BELOW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD111"},119058:{"value":"1D112","name":"MUSICAL SYMBOL BREATH MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD112"},119059:{"value":"1D113","name":"MUSICAL SYMBOL CAESURA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD113"},119060:{"value":"1D114","name":"MUSICAL SYMBOL BRACE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD114"},119061:{"value":"1D115","name":"MUSICAL SYMBOL BRACKET","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD115"},119062:{"value":"1D116","name":"MUSICAL SYMBOL ONE-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD116"},119063:{"value":"1D117","name":"MUSICAL SYMBOL TWO-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD117"},119064:{"value":"1D118","name":"MUSICAL SYMBOL THREE-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD118"},119065:{"value":"1D119","name":"MUSICAL SYMBOL FOUR-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD119"},119066:{"value":"1D11A","name":"MUSICAL SYMBOL FIVE-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11A"},119067:{"value":"1D11B","name":"MUSICAL SYMBOL SIX-LINE STAFF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11B"},119068:{"value":"1D11C","name":"MUSICAL SYMBOL SIX-STRING FRETBOARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11C"},119069:{"value":"1D11D","name":"MUSICAL SYMBOL FOUR-STRING FRETBOARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11D"},119070:{"value":"1D11E","name":"MUSICAL SYMBOL G CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11E"},119071:{"value":"1D11F","name":"MUSICAL SYMBOL G CLEF OTTAVA ALTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD11F"},119072:{"value":"1D120","name":"MUSICAL SYMBOL G CLEF OTTAVA BASSA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD120"},119073:{"value":"1D121","name":"MUSICAL SYMBOL C CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD121"},119074:{"value":"1D122","name":"MUSICAL SYMBOL F CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD122"},119075:{"value":"1D123","name":"MUSICAL SYMBOL F CLEF OTTAVA ALTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD123"},119076:{"value":"1D124","name":"MUSICAL SYMBOL F CLEF OTTAVA BASSA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD124"},119077:{"value":"1D125","name":"MUSICAL SYMBOL DRUM CLEF-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD125"},119078:{"value":"1D126","name":"MUSICAL SYMBOL DRUM CLEF-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD126"},119081:{"value":"1D129","name":"MUSICAL SYMBOL MULTIPLE MEASURE REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD129"},119082:{"value":"1D12A","name":"MUSICAL SYMBOL DOUBLE SHARP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12A"},119083:{"value":"1D12B","name":"MUSICAL SYMBOL DOUBLE FLAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12B"},119084:{"value":"1D12C","name":"MUSICAL SYMBOL FLAT UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12C"},119085:{"value":"1D12D","name":"MUSICAL SYMBOL FLAT DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12D"},119086:{"value":"1D12E","name":"MUSICAL SYMBOL NATURAL UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12E"},119087:{"value":"1D12F","name":"MUSICAL SYMBOL NATURAL DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD12F"},119088:{"value":"1D130","name":"MUSICAL SYMBOL SHARP UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD130"},119089:{"value":"1D131","name":"MUSICAL SYMBOL SHARP DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD131"},119090:{"value":"1D132","name":"MUSICAL SYMBOL QUARTER TONE SHARP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD132"},119091:{"value":"1D133","name":"MUSICAL SYMBOL QUARTER TONE FLAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD133"},119092:{"value":"1D134","name":"MUSICAL SYMBOL COMMON TIME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD134"},119093:{"value":"1D135","name":"MUSICAL SYMBOL CUT TIME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD135"},119094:{"value":"1D136","name":"MUSICAL SYMBOL OTTAVA ALTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD136"},119095:{"value":"1D137","name":"MUSICAL SYMBOL OTTAVA BASSA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD137"},119096:{"value":"1D138","name":"MUSICAL SYMBOL QUINDICESIMA ALTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD138"},119097:{"value":"1D139","name":"MUSICAL SYMBOL QUINDICESIMA BASSA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD139"},119098:{"value":"1D13A","name":"MUSICAL SYMBOL MULTI REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13A"},119099:{"value":"1D13B","name":"MUSICAL SYMBOL WHOLE REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13B"},119100:{"value":"1D13C","name":"MUSICAL SYMBOL HALF REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13C"},119101:{"value":"1D13D","name":"MUSICAL SYMBOL QUARTER REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13D"},119102:{"value":"1D13E","name":"MUSICAL SYMBOL EIGHTH REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13E"},119103:{"value":"1D13F","name":"MUSICAL SYMBOL SIXTEENTH REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD13F"},119104:{"value":"1D140","name":"MUSICAL SYMBOL THIRTY-SECOND REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD140"},119105:{"value":"1D141","name":"MUSICAL SYMBOL SIXTY-FOURTH REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD141"},119106:{"value":"1D142","name":"MUSICAL SYMBOL ONE HUNDRED TWENTY-EIGHTH REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD142"},119107:{"value":"1D143","name":"MUSICAL SYMBOL X NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD143"},119108:{"value":"1D144","name":"MUSICAL SYMBOL PLUS NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD144"},119109:{"value":"1D145","name":"MUSICAL SYMBOL CIRCLE X NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD145"},119110:{"value":"1D146","name":"MUSICAL SYMBOL SQUARE NOTEHEAD WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD146"},119111:{"value":"1D147","name":"MUSICAL SYMBOL SQUARE NOTEHEAD BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD147"},119112:{"value":"1D148","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD UP WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD148"},119113:{"value":"1D149","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD UP BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD149"},119114:{"value":"1D14A","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD LEFT WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14A"},119115:{"value":"1D14B","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD LEFT BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14B"},119116:{"value":"1D14C","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD RIGHT WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14C"},119117:{"value":"1D14D","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD RIGHT BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14D"},119118:{"value":"1D14E","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD DOWN WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14E"},119119:{"value":"1D14F","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD DOWN BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD14F"},119120:{"value":"1D150","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD UP RIGHT WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD150"},119121:{"value":"1D151","name":"MUSICAL SYMBOL TRIANGLE NOTEHEAD UP RIGHT BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD151"},119122:{"value":"1D152","name":"MUSICAL SYMBOL MOON NOTEHEAD WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD152"},119123:{"value":"1D153","name":"MUSICAL SYMBOL MOON NOTEHEAD BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD153"},119124:{"value":"1D154","name":"MUSICAL SYMBOL TRIANGLE-ROUND NOTEHEAD DOWN WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD154"},119125:{"value":"1D155","name":"MUSICAL SYMBOL TRIANGLE-ROUND NOTEHEAD DOWN BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD155"},119126:{"value":"1D156","name":"MUSICAL SYMBOL PARENTHESIS NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD156"},119127:{"value":"1D157","name":"MUSICAL SYMBOL VOID NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD157"},119128:{"value":"1D158","name":"MUSICAL SYMBOL NOTEHEAD BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD158"},119129:{"value":"1D159","name":"MUSICAL SYMBOL NULL NOTEHEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD159"},119130:{"value":"1D15A","name":"MUSICAL SYMBOL CLUSTER NOTEHEAD WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15A"},119131:{"value":"1D15B","name":"MUSICAL SYMBOL CLUSTER NOTEHEAD BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15B"},119132:{"value":"1D15C","name":"MUSICAL SYMBOL BREVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15C"},119133:{"value":"1D15D","name":"MUSICAL SYMBOL WHOLE NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15D"},119134:{"value":"1D15E","name":"MUSICAL SYMBOL HALF NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D157 1D165","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15E"},119135:{"value":"1D15F","name":"MUSICAL SYMBOL QUARTER NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D158 1D165","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD15F"},119136:{"value":"1D160","name":"MUSICAL SYMBOL EIGHTH NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D15F 1D16E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD160"},119137:{"value":"1D161","name":"MUSICAL SYMBOL SIXTEENTH NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D15F 1D16F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD161"},119138:{"value":"1D162","name":"MUSICAL SYMBOL THIRTY-SECOND NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D15F 1D170","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD162"},119139:{"value":"1D163","name":"MUSICAL SYMBOL SIXTY-FOURTH NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D15F 1D171","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD163"},119140:{"value":"1D164","name":"MUSICAL SYMBOL ONE HUNDRED TWENTY-EIGHTH NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D15F 1D172","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD164"},119146:{"value":"1D16A","name":"MUSICAL SYMBOL FINGERED TREMOLO-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD16A"},119147:{"value":"1D16B","name":"MUSICAL SYMBOL FINGERED TREMOLO-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD16B"},119148:{"value":"1D16C","name":"MUSICAL SYMBOL FINGERED TREMOLO-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD16C"},119171:{"value":"1D183","name":"MUSICAL SYMBOL ARPEGGIATO UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD183"},119172:{"value":"1D184","name":"MUSICAL SYMBOL ARPEGGIATO DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD184"},119180:{"value":"1D18C","name":"MUSICAL SYMBOL RINFORZANDO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD18C"},119181:{"value":"1D18D","name":"MUSICAL SYMBOL SUBITO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD18D"},119182:{"value":"1D18E","name":"MUSICAL SYMBOL Z","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD18E"},119183:{"value":"1D18F","name":"MUSICAL SYMBOL PIANO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD18F"},119184:{"value":"1D190","name":"MUSICAL SYMBOL MEZZO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD190"},119185:{"value":"1D191","name":"MUSICAL SYMBOL FORTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD191"},119186:{"value":"1D192","name":"MUSICAL SYMBOL CRESCENDO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD192"},119187:{"value":"1D193","name":"MUSICAL SYMBOL DECRESCENDO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD193"},119188:{"value":"1D194","name":"MUSICAL SYMBOL GRACE NOTE SLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD194"},119189:{"value":"1D195","name":"MUSICAL SYMBOL GRACE NOTE NO SLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD195"},119190:{"value":"1D196","name":"MUSICAL SYMBOL TR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD196"},119191:{"value":"1D197","name":"MUSICAL SYMBOL TURN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD197"},119192:{"value":"1D198","name":"MUSICAL SYMBOL INVERTED TURN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD198"},119193:{"value":"1D199","name":"MUSICAL SYMBOL TURN SLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD199"},119194:{"value":"1D19A","name":"MUSICAL SYMBOL TURN UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19A"},119195:{"value":"1D19B","name":"MUSICAL SYMBOL ORNAMENT STROKE-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19B"},119196:{"value":"1D19C","name":"MUSICAL SYMBOL ORNAMENT STROKE-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19C"},119197:{"value":"1D19D","name":"MUSICAL SYMBOL ORNAMENT STROKE-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19D"},119198:{"value":"1D19E","name":"MUSICAL SYMBOL ORNAMENT STROKE-4","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19E"},119199:{"value":"1D19F","name":"MUSICAL SYMBOL ORNAMENT STROKE-5","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD19F"},119200:{"value":"1D1A0","name":"MUSICAL SYMBOL ORNAMENT STROKE-6","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A0"},119201:{"value":"1D1A1","name":"MUSICAL SYMBOL ORNAMENT STROKE-7","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A1"},119202:{"value":"1D1A2","name":"MUSICAL SYMBOL ORNAMENT STROKE-8","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A2"},119203:{"value":"1D1A3","name":"MUSICAL SYMBOL ORNAMENT STROKE-9","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A3"},119204:{"value":"1D1A4","name":"MUSICAL SYMBOL ORNAMENT STROKE-10","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A4"},119205:{"value":"1D1A5","name":"MUSICAL SYMBOL ORNAMENT STROKE-11","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A5"},119206:{"value":"1D1A6","name":"MUSICAL SYMBOL HAUPTSTIMME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A6"},119207:{"value":"1D1A7","name":"MUSICAL SYMBOL NEBENSTIMME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A7"},119208:{"value":"1D1A8","name":"MUSICAL SYMBOL END OF STIMME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A8"},119209:{"value":"1D1A9","name":"MUSICAL SYMBOL DEGREE SLASH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1A9"},119214:{"value":"1D1AE","name":"MUSICAL SYMBOL PEDAL MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1AE"},119215:{"value":"1D1AF","name":"MUSICAL SYMBOL PEDAL UP MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1AF"},119216:{"value":"1D1B0","name":"MUSICAL SYMBOL HALF PEDAL MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B0"},119217:{"value":"1D1B1","name":"MUSICAL SYMBOL GLISSANDO UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B1"},119218:{"value":"1D1B2","name":"MUSICAL SYMBOL GLISSANDO DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B2"},119219:{"value":"1D1B3","name":"MUSICAL SYMBOL WITH FINGERNAILS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B3"},119220:{"value":"1D1B4","name":"MUSICAL SYMBOL DAMP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B4"},119221:{"value":"1D1B5","name":"MUSICAL SYMBOL DAMP ALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B5"},119222:{"value":"1D1B6","name":"MUSICAL SYMBOL MAXIMA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B6"},119223:{"value":"1D1B7","name":"MUSICAL SYMBOL LONGA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B7"},119224:{"value":"1D1B8","name":"MUSICAL SYMBOL BREVIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B8"},119225:{"value":"1D1B9","name":"MUSICAL SYMBOL SEMIBREVIS WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1B9"},119226:{"value":"1D1BA","name":"MUSICAL SYMBOL SEMIBREVIS BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BA"},119227:{"value":"1D1BB","name":"MUSICAL SYMBOL MINIMA","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1B9 1D165","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BB"},119228:{"value":"1D1BC","name":"MUSICAL SYMBOL MINIMA BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1BA 1D165","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BC"},119229:{"value":"1D1BD","name":"MUSICAL SYMBOL SEMIMINIMA WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1BB 1D16E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BD"},119230:{"value":"1D1BE","name":"MUSICAL SYMBOL SEMIMINIMA BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1BC 1D16E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BE"},119231:{"value":"1D1BF","name":"MUSICAL SYMBOL FUSA WHITE","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1BB 1D16F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1BF"},119232:{"value":"1D1C0","name":"MUSICAL SYMBOL FUSA BLACK","category":"So","class":"0","bidirectional_category":"L","mapping":"1D1BC 1D16F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C0"},119233:{"value":"1D1C1","name":"MUSICAL SYMBOL LONGA PERFECTA REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C1"},119234:{"value":"1D1C2","name":"MUSICAL SYMBOL LONGA IMPERFECTA REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C2"},119235:{"value":"1D1C3","name":"MUSICAL SYMBOL BREVIS REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C3"},119236:{"value":"1D1C4","name":"MUSICAL SYMBOL SEMIBREVIS REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C4"},119237:{"value":"1D1C5","name":"MUSICAL SYMBOL MINIMA REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C5"},119238:{"value":"1D1C6","name":"MUSICAL SYMBOL SEMIMINIMA REST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C6"},119239:{"value":"1D1C7","name":"MUSICAL SYMBOL TEMPUS PERFECTUM CUM PROLATIONE PERFECTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C7"},119240:{"value":"1D1C8","name":"MUSICAL SYMBOL TEMPUS PERFECTUM CUM PROLATIONE IMPERFECTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C8"},119241:{"value":"1D1C9","name":"MUSICAL SYMBOL TEMPUS PERFECTUM CUM PROLATIONE PERFECTA DIMINUTION-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1C9"},119242:{"value":"1D1CA","name":"MUSICAL SYMBOL TEMPUS IMPERFECTUM CUM PROLATIONE PERFECTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CA"},119243:{"value":"1D1CB","name":"MUSICAL SYMBOL TEMPUS IMPERFECTUM CUM PROLATIONE IMPERFECTA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CB"},119244:{"value":"1D1CC","name":"MUSICAL SYMBOL TEMPUS IMPERFECTUM CUM PROLATIONE IMPERFECTA DIMINUTION-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CC"},119245:{"value":"1D1CD","name":"MUSICAL SYMBOL TEMPUS IMPERFECTUM CUM PROLATIONE IMPERFECTA DIMINUTION-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CD"},119246:{"value":"1D1CE","name":"MUSICAL SYMBOL TEMPUS IMPERFECTUM CUM PROLATIONE IMPERFECTA DIMINUTION-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CE"},119247:{"value":"1D1CF","name":"MUSICAL SYMBOL CROIX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1CF"},119248:{"value":"1D1D0","name":"MUSICAL SYMBOL GREGORIAN C CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D0"},119249:{"value":"1D1D1","name":"MUSICAL SYMBOL GREGORIAN F CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D1"},119250:{"value":"1D1D2","name":"MUSICAL SYMBOL SQUARE B","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D2"},119251:{"value":"1D1D3","name":"MUSICAL SYMBOL VIRGA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D3"},119252:{"value":"1D1D4","name":"MUSICAL SYMBOL PODATUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D4"},119253:{"value":"1D1D5","name":"MUSICAL SYMBOL CLIVIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D5"},119254:{"value":"1D1D6","name":"MUSICAL SYMBOL SCANDICUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D6"},119255:{"value":"1D1D7","name":"MUSICAL SYMBOL CLIMACUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D7"},119256:{"value":"1D1D8","name":"MUSICAL SYMBOL TORCULUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D8"},119257:{"value":"1D1D9","name":"MUSICAL SYMBOL PORRECTUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1D9"},119258:{"value":"1D1DA","name":"MUSICAL SYMBOL PORRECTUS FLEXUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DA"},119259:{"value":"1D1DB","name":"MUSICAL SYMBOL SCANDICUS FLEXUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DB"},119260:{"value":"1D1DC","name":"MUSICAL SYMBOL TORCULUS RESUPINUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DC"},119261:{"value":"1D1DD","name":"MUSICAL SYMBOL PES SUBPUNCTIS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DD"},119262:{"value":"1D1DE","name":"MUSICAL SYMBOL KIEVAN C CLEF","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DE"},119263:{"value":"1D1DF","name":"MUSICAL SYMBOL KIEVAN END OF PIECE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1DF"},119264:{"value":"1D1E0","name":"MUSICAL SYMBOL KIEVAN FINAL NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E0"},119265:{"value":"1D1E1","name":"MUSICAL SYMBOL KIEVAN RECITATIVE MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E1"},119266:{"value":"1D1E2","name":"MUSICAL SYMBOL KIEVAN WHOLE NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E2"},119267:{"value":"1D1E3","name":"MUSICAL SYMBOL KIEVAN HALF NOTE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E3"},119268:{"value":"1D1E4","name":"MUSICAL SYMBOL KIEVAN QUARTER NOTE STEM DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E4"},119269:{"value":"1D1E5","name":"MUSICAL SYMBOL KIEVAN QUARTER NOTE STEM UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E5"},119270:{"value":"1D1E6","name":"MUSICAL SYMBOL KIEVAN EIGHTH NOTE STEM DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E6"},119271:{"value":"1D1E7","name":"MUSICAL SYMBOL KIEVAN EIGHTH NOTE STEM UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E7"},119272:{"value":"1D1E8","name":"MUSICAL SYMBOL KIEVAN FLAT SIGN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD1E8"},119296:{"value":"1D200","name":"GREEK VOCAL NOTATION SYMBOL-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD200"},119297:{"value":"1D201","name":"GREEK VOCAL NOTATION SYMBOL-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD201"},119298:{"value":"1D202","name":"GREEK VOCAL NOTATION SYMBOL-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD202"},119299:{"value":"1D203","name":"GREEK VOCAL NOTATION SYMBOL-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD203"},119300:{"value":"1D204","name":"GREEK VOCAL NOTATION SYMBOL-5","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD204"},119301:{"value":"1D205","name":"GREEK VOCAL NOTATION SYMBOL-6","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD205"},119302:{"value":"1D206","name":"GREEK VOCAL NOTATION SYMBOL-7","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD206"},119303:{"value":"1D207","name":"GREEK VOCAL NOTATION SYMBOL-8","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD207"},119304:{"value":"1D208","name":"GREEK VOCAL NOTATION SYMBOL-9","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD208"},119305:{"value":"1D209","name":"GREEK VOCAL NOTATION SYMBOL-10","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD209"},119306:{"value":"1D20A","name":"GREEK VOCAL NOTATION SYMBOL-11","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20A"},119307:{"value":"1D20B","name":"GREEK VOCAL NOTATION SYMBOL-12","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20B"},119308:{"value":"1D20C","name":"GREEK VOCAL NOTATION SYMBOL-13","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20C"},119309:{"value":"1D20D","name":"GREEK VOCAL NOTATION SYMBOL-14","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20D"},119310:{"value":"1D20E","name":"GREEK VOCAL NOTATION SYMBOL-15","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20E"},119311:{"value":"1D20F","name":"GREEK VOCAL NOTATION SYMBOL-16","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD20F"},119312:{"value":"1D210","name":"GREEK VOCAL NOTATION SYMBOL-17","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD210"},119313:{"value":"1D211","name":"GREEK VOCAL NOTATION SYMBOL-18","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD211"},119314:{"value":"1D212","name":"GREEK VOCAL NOTATION SYMBOL-19","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD212"},119315:{"value":"1D213","name":"GREEK VOCAL NOTATION SYMBOL-20","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD213"},119316:{"value":"1D214","name":"GREEK VOCAL NOTATION SYMBOL-21","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD214"},119317:{"value":"1D215","name":"GREEK VOCAL NOTATION SYMBOL-22","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD215"},119318:{"value":"1D216","name":"GREEK VOCAL NOTATION SYMBOL-23","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD216"},119319:{"value":"1D217","name":"GREEK VOCAL NOTATION SYMBOL-24","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD217"},119320:{"value":"1D218","name":"GREEK VOCAL NOTATION SYMBOL-50","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD218"},119321:{"value":"1D219","name":"GREEK VOCAL NOTATION SYMBOL-51","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD219"},119322:{"value":"1D21A","name":"GREEK VOCAL NOTATION SYMBOL-52","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21A"},119323:{"value":"1D21B","name":"GREEK VOCAL NOTATION SYMBOL-53","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21B"},119324:{"value":"1D21C","name":"GREEK VOCAL NOTATION SYMBOL-54","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21C"},119325:{"value":"1D21D","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21D"},119326:{"value":"1D21E","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21E"},119327:{"value":"1D21F","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD21F"},119328:{"value":"1D220","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-5","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD220"},119329:{"value":"1D221","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-7","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD221"},119330:{"value":"1D222","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-8","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD222"},119331:{"value":"1D223","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-11","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD223"},119332:{"value":"1D224","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-12","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD224"},119333:{"value":"1D225","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-13","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD225"},119334:{"value":"1D226","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-14","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD226"},119335:{"value":"1D227","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-17","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD227"},119336:{"value":"1D228","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-18","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD228"},119337:{"value":"1D229","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-19","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD229"},119338:{"value":"1D22A","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-23","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22A"},119339:{"value":"1D22B","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-24","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22B"},119340:{"value":"1D22C","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-25","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22C"},119341:{"value":"1D22D","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-26","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22D"},119342:{"value":"1D22E","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-27","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22E"},119343:{"value":"1D22F","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-29","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD22F"},119344:{"value":"1D230","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-30","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD230"},119345:{"value":"1D231","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-32","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD231"},119346:{"value":"1D232","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-36","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD232"},119347:{"value":"1D233","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-37","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD233"},119348:{"value":"1D234","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-38","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD234"},119349:{"value":"1D235","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-39","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD235"},119350:{"value":"1D236","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-40","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD236"},119351:{"value":"1D237","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-42","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD237"},119352:{"value":"1D238","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-43","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD238"},119353:{"value":"1D239","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-45","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD239"},119354:{"value":"1D23A","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-47","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23A"},119355:{"value":"1D23B","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-48","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23B"},119356:{"value":"1D23C","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-49","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23C"},119357:{"value":"1D23D","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-50","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23D"},119358:{"value":"1D23E","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-51","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23E"},119359:{"value":"1D23F","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-52","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD23F"},119360:{"value":"1D240","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-53","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD240"},119361:{"value":"1D241","name":"GREEK INSTRUMENTAL NOTATION SYMBOL-54","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD241"},119365:{"value":"1D245","name":"GREEK MUSICAL LEIMMA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD245"},119552:{"value":"1D300","name":"MONOGRAM FOR EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD300"},119553:{"value":"1D301","name":"DIGRAM FOR HEAVENLY EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD301"},119554:{"value":"1D302","name":"DIGRAM FOR HUMAN EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD302"},119555:{"value":"1D303","name":"DIGRAM FOR EARTHLY HEAVEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD303"},119556:{"value":"1D304","name":"DIGRAM FOR EARTHLY HUMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD304"},119557:{"value":"1D305","name":"DIGRAM FOR EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD305"},119558:{"value":"1D306","name":"TETRAGRAM FOR CENTRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD306"},119559:{"value":"1D307","name":"TETRAGRAM FOR FULL CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD307"},119560:{"value":"1D308","name":"TETRAGRAM FOR MIRED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD308"},119561:{"value":"1D309","name":"TETRAGRAM FOR BARRIER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD309"},119562:{"value":"1D30A","name":"TETRAGRAM FOR KEEPING SMALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30A"},119563:{"value":"1D30B","name":"TETRAGRAM FOR CONTRARIETY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30B"},119564:{"value":"1D30C","name":"TETRAGRAM FOR ASCENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30C"},119565:{"value":"1D30D","name":"TETRAGRAM FOR OPPOSITION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30D"},119566:{"value":"1D30E","name":"TETRAGRAM FOR BRANCHING OUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30E"},119567:{"value":"1D30F","name":"TETRAGRAM FOR DEFECTIVENESS OR DISTORTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD30F"},119568:{"value":"1D310","name":"TETRAGRAM FOR DIVERGENCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD310"},119569:{"value":"1D311","name":"TETRAGRAM FOR YOUTHFULNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD311"},119570:{"value":"1D312","name":"TETRAGRAM FOR INCREASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD312"},119571:{"value":"1D313","name":"TETRAGRAM FOR PENETRATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD313"},119572:{"value":"1D314","name":"TETRAGRAM FOR REACH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD314"},119573:{"value":"1D315","name":"TETRAGRAM FOR CONTACT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD315"},119574:{"value":"1D316","name":"TETRAGRAM FOR HOLDING BACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD316"},119575:{"value":"1D317","name":"TETRAGRAM FOR WAITING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD317"},119576:{"value":"1D318","name":"TETRAGRAM FOR FOLLOWING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD318"},119577:{"value":"1D319","name":"TETRAGRAM FOR ADVANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD319"},119578:{"value":"1D31A","name":"TETRAGRAM FOR RELEASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31A"},119579:{"value":"1D31B","name":"TETRAGRAM FOR RESISTANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31B"},119580:{"value":"1D31C","name":"TETRAGRAM FOR EASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31C"},119581:{"value":"1D31D","name":"TETRAGRAM FOR JOY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31D"},119582:{"value":"1D31E","name":"TETRAGRAM FOR CONTENTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31E"},119583:{"value":"1D31F","name":"TETRAGRAM FOR ENDEAVOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD31F"},119584:{"value":"1D320","name":"TETRAGRAM FOR DUTIES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD320"},119585:{"value":"1D321","name":"TETRAGRAM FOR CHANGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD321"},119586:{"value":"1D322","name":"TETRAGRAM FOR DECISIVENESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD322"},119587:{"value":"1D323","name":"TETRAGRAM FOR BOLD RESOLUTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD323"},119588:{"value":"1D324","name":"TETRAGRAM FOR PACKING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD324"},119589:{"value":"1D325","name":"TETRAGRAM FOR LEGION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD325"},119590:{"value":"1D326","name":"TETRAGRAM FOR CLOSENESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD326"},119591:{"value":"1D327","name":"TETRAGRAM FOR KINSHIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD327"},119592:{"value":"1D328","name":"TETRAGRAM FOR GATHERING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD328"},119593:{"value":"1D329","name":"TETRAGRAM FOR STRENGTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD329"},119594:{"value":"1D32A","name":"TETRAGRAM FOR PURITY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32A"},119595:{"value":"1D32B","name":"TETRAGRAM FOR FULLNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32B"},119596:{"value":"1D32C","name":"TETRAGRAM FOR RESIDENCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32C"},119597:{"value":"1D32D","name":"TETRAGRAM FOR LAW OR MODEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32D"},119598:{"value":"1D32E","name":"TETRAGRAM FOR RESPONSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32E"},119599:{"value":"1D32F","name":"TETRAGRAM FOR GOING TO MEET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD32F"},119600:{"value":"1D330","name":"TETRAGRAM FOR ENCOUNTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD330"},119601:{"value":"1D331","name":"TETRAGRAM FOR STOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD331"},119602:{"value":"1D332","name":"TETRAGRAM FOR GREATNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD332"},119603:{"value":"1D333","name":"TETRAGRAM FOR ENLARGEMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD333"},119604:{"value":"1D334","name":"TETRAGRAM FOR PATTERN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD334"},119605:{"value":"1D335","name":"TETRAGRAM FOR RITUAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD335"},119606:{"value":"1D336","name":"TETRAGRAM FOR FLIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD336"},119607:{"value":"1D337","name":"TETRAGRAM FOR VASTNESS OR WASTING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD337"},119608:{"value":"1D338","name":"TETRAGRAM FOR CONSTANCY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD338"},119609:{"value":"1D339","name":"TETRAGRAM FOR MEASURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD339"},119610:{"value":"1D33A","name":"TETRAGRAM FOR ETERNITY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33A"},119611:{"value":"1D33B","name":"TETRAGRAM FOR UNITY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33B"},119612:{"value":"1D33C","name":"TETRAGRAM FOR DIMINISHMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33C"},119613:{"value":"1D33D","name":"TETRAGRAM FOR CLOSED MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33D"},119614:{"value":"1D33E","name":"TETRAGRAM FOR GUARDEDNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33E"},119615:{"value":"1D33F","name":"TETRAGRAM FOR GATHERING IN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD33F"},119616:{"value":"1D340","name":"TETRAGRAM FOR MASSING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD340"},119617:{"value":"1D341","name":"TETRAGRAM FOR ACCUMULATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD341"},119618:{"value":"1D342","name":"TETRAGRAM FOR EMBELLISHMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD342"},119619:{"value":"1D343","name":"TETRAGRAM FOR DOUBT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD343"},119620:{"value":"1D344","name":"TETRAGRAM FOR WATCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD344"},119621:{"value":"1D345","name":"TETRAGRAM FOR SINKING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD345"},119622:{"value":"1D346","name":"TETRAGRAM FOR INNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD346"},119623:{"value":"1D347","name":"TETRAGRAM FOR DEPARTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD347"},119624:{"value":"1D348","name":"TETRAGRAM FOR DARKENING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD348"},119625:{"value":"1D349","name":"TETRAGRAM FOR DIMMING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD349"},119626:{"value":"1D34A","name":"TETRAGRAM FOR EXHAUSTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34A"},119627:{"value":"1D34B","name":"TETRAGRAM FOR SEVERANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34B"},119628:{"value":"1D34C","name":"TETRAGRAM FOR STOPPAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34C"},119629:{"value":"1D34D","name":"TETRAGRAM FOR HARDNESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34D"},119630:{"value":"1D34E","name":"TETRAGRAM FOR COMPLETION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34E"},119631:{"value":"1D34F","name":"TETRAGRAM FOR CLOSURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD34F"},119632:{"value":"1D350","name":"TETRAGRAM FOR FAILURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD350"},119633:{"value":"1D351","name":"TETRAGRAM FOR AGGRAVATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD351"},119634:{"value":"1D352","name":"TETRAGRAM FOR COMPLIANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD352"},119635:{"value":"1D353","name":"TETRAGRAM FOR ON THE VERGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD353"},119636:{"value":"1D354","name":"TETRAGRAM FOR DIFFICULTIES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD354"},119637:{"value":"1D355","name":"TETRAGRAM FOR LABOURING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD355"},119638:{"value":"1D356","name":"TETRAGRAM FOR FOSTERING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD356"},120832:{"value":"1D800","name":"SIGNWRITING HAND-FIST INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD800"},120833:{"value":"1D801","name":"SIGNWRITING HAND-CIRCLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD801"},120834:{"value":"1D802","name":"SIGNWRITING HAND-CUP INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD802"},120835:{"value":"1D803","name":"SIGNWRITING HAND-OVAL INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD803"},120836:{"value":"1D804","name":"SIGNWRITING HAND-HINGE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD804"},120837:{"value":"1D805","name":"SIGNWRITING HAND-ANGLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD805"},120838:{"value":"1D806","name":"SIGNWRITING HAND-FIST INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD806"},120839:{"value":"1D807","name":"SIGNWRITING HAND-CIRCLE INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD807"},120840:{"value":"1D808","name":"SIGNWRITING HAND-FIST THUMB UNDER INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD808"},120841:{"value":"1D809","name":"SIGNWRITING HAND-FIST INDEX RAISED KNUCKLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD809"},120842:{"value":"1D80A","name":"SIGNWRITING HAND-FIST INDEX CUPPED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80A"},120843:{"value":"1D80B","name":"SIGNWRITING HAND-FIST INDEX HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80B"},120844:{"value":"1D80C","name":"SIGNWRITING HAND-FIST INDEX HINGED LOW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80C"},120845:{"value":"1D80D","name":"SIGNWRITING HAND-CIRCLE INDEX HINGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80D"},120846:{"value":"1D80E","name":"SIGNWRITING HAND-FIST INDEX MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80E"},120847:{"value":"1D80F","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD80F"},120848:{"value":"1D810","name":"SIGNWRITING HAND-FIST INDEX MIDDLE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD810"},120849:{"value":"1D811","name":"SIGNWRITING HAND-FIST INDEX MIDDLE RAISED KNUCKLES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD811"},120850:{"value":"1D812","name":"SIGNWRITING HAND-FIST INDEX MIDDLE HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD812"},120851:{"value":"1D813","name":"SIGNWRITING HAND-FIST INDEX UP MIDDLE HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD813"},120852:{"value":"1D814","name":"SIGNWRITING HAND-FIST INDEX HINGED MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD814"},120853:{"value":"1D815","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD815"},120854:{"value":"1D816","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD816"},120855:{"value":"1D817","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED MIDDLE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD817"},120856:{"value":"1D818","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED CUPPED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD818"},120857:{"value":"1D819","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD819"},120858:{"value":"1D81A","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CROSSED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81A"},120859:{"value":"1D81B","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE CROSSED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81B"},120860:{"value":"1D81C","name":"SIGNWRITING HAND-FIST MIDDLE BENT OVER INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81C"},120861:{"value":"1D81D","name":"SIGNWRITING HAND-FIST INDEX BENT OVER MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81D"},120862:{"value":"1D81E","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81E"},120863:{"value":"1D81F","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD81F"},120864:{"value":"1D820","name":"SIGNWRITING HAND-FIST INDEX MIDDLE STRAIGHT THUMB BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD820"},120865:{"value":"1D821","name":"SIGNWRITING HAND-FIST INDEX MIDDLE BENT THUMB STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD821"},120866:{"value":"1D822","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD822"},120867:{"value":"1D823","name":"SIGNWRITING HAND-FIST INDEX MIDDLE HINGED SPREAD THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD823"},120868:{"value":"1D824","name":"SIGNWRITING HAND-FIST INDEX UP MIDDLE HINGED THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD824"},120869:{"value":"1D825","name":"SIGNWRITING HAND-FIST INDEX UP MIDDLE HINGED THUMB CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD825"},120870:{"value":"1D826","name":"SIGNWRITING HAND-FIST INDEX HINGED MIDDLE UP THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD826"},120871:{"value":"1D827","name":"SIGNWRITING HAND-FIST INDEX MIDDLE UP SPREAD THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD827"},120872:{"value":"1D828","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB CUPPED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD828"},120873:{"value":"1D829","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB CIRCLED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD829"},120874:{"value":"1D82A","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB HOOKED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82A"},120875:{"value":"1D82B","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82B"},120876:{"value":"1D82C","name":"SIGNWRITING HAND-FIST THUMB BETWEEN INDEX MIDDLE STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82C"},120877:{"value":"1D82D","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82D"},120878:{"value":"1D82E","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED THUMB SIDE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82E"},120879:{"value":"1D82F","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED THUMB SIDE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD82F"},120880:{"value":"1D830","name":"SIGNWRITING HAND-FIST MIDDLE THUMB HOOKED INDEX UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD830"},120881:{"value":"1D831","name":"SIGNWRITING HAND-FIST INDEX THUMB HOOKED MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD831"},120882:{"value":"1D832","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED HINGED THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD832"},120883:{"value":"1D833","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CROSSED THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD833"},120884:{"value":"1D834","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD834"},120885:{"value":"1D835","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CONJOINED CUPPED THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD835"},120886:{"value":"1D836","name":"SIGNWRITING HAND-FIST MIDDLE THUMB CUPPED INDEX UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD836"},120887:{"value":"1D837","name":"SIGNWRITING HAND-FIST INDEX THUMB CUPPED MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD837"},120888:{"value":"1D838","name":"SIGNWRITING HAND-FIST MIDDLE THUMB CIRCLED INDEX UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD838"},120889:{"value":"1D839","name":"SIGNWRITING HAND-FIST MIDDLE THUMB CIRCLED INDEX HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD839"},120890:{"value":"1D83A","name":"SIGNWRITING HAND-FIST INDEX THUMB ANGLED OUT MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83A"},120891:{"value":"1D83B","name":"SIGNWRITING HAND-FIST INDEX THUMB ANGLED IN MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83B"},120892:{"value":"1D83C","name":"SIGNWRITING HAND-FIST INDEX THUMB CIRCLED MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83C"},120893:{"value":"1D83D","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB CONJOINED HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83D"},120894:{"value":"1D83E","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB ANGLED OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83E"},120895:{"value":"1D83F","name":"SIGNWRITING HAND-FIST INDEX MIDDLE THUMB ANGLED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD83F"},120896:{"value":"1D840","name":"SIGNWRITING HAND-FIST MIDDLE THUMB ANGLED OUT INDEX UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD840"},120897:{"value":"1D841","name":"SIGNWRITING HAND-FIST MIDDLE THUMB ANGLED OUT INDEX CROSSED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD841"},120898:{"value":"1D842","name":"SIGNWRITING HAND-FIST MIDDLE THUMB ANGLED INDEX UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD842"},120899:{"value":"1D843","name":"SIGNWRITING HAND-FIST INDEX THUMB HOOKED MIDDLE HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD843"},120900:{"value":"1D844","name":"SIGNWRITING HAND-FLAT FOUR FINGERS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD844"},120901:{"value":"1D845","name":"SIGNWRITING HAND-FLAT FOUR FINGERS BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD845"},120902:{"value":"1D846","name":"SIGNWRITING HAND-FLAT FOUR FINGERS HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD846"},120903:{"value":"1D847","name":"SIGNWRITING HAND-FLAT FOUR FINGERS CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD847"},120904:{"value":"1D848","name":"SIGNWRITING HAND-FLAT FOUR FINGERS CONJOINED SPLIT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD848"},120905:{"value":"1D849","name":"SIGNWRITING HAND-CLAW FOUR FINGERS CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD849"},120906:{"value":"1D84A","name":"SIGNWRITING HAND-FIST FOUR FINGERS CONJOINED BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84A"},120907:{"value":"1D84B","name":"SIGNWRITING HAND-HINGE FOUR FINGERS CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84B"},120908:{"value":"1D84C","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84C"},120909:{"value":"1D84D","name":"SIGNWRITING HAND-FLAT HEEL FIVE FINGERS SPREAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84D"},120910:{"value":"1D84E","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD FOUR BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84E"},120911:{"value":"1D84F","name":"SIGNWRITING HAND-FLAT HEEL FIVE FINGERS SPREAD FOUR BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD84F"},120912:{"value":"1D850","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD850"},120913:{"value":"1D851","name":"SIGNWRITING HAND-FLAT HEEL FIVE FINGERS SPREAD BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD851"},120914:{"value":"1D852","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD852"},120915:{"value":"1D853","name":"SIGNWRITING HAND-CUP FIVE FINGERS SPREAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD853"},120916:{"value":"1D854","name":"SIGNWRITING HAND-CUP FIVE FINGERS SPREAD OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD854"},120917:{"value":"1D855","name":"SIGNWRITING HAND-HINGE FIVE FINGERS SPREAD OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD855"},120918:{"value":"1D856","name":"SIGNWRITING HAND-OVAL FIVE FINGERS SPREAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD856"},120919:{"value":"1D857","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD857"},120920:{"value":"1D858","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD HINGED THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD858"},120921:{"value":"1D859","name":"SIGNWRITING HAND-FLAT FIVE FINGERS SPREAD HINGED NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD859"},120922:{"value":"1D85A","name":"SIGNWRITING HAND-FLAT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85A"},120923:{"value":"1D85B","name":"SIGNWRITING HAND-FLAT BETWEEN PALM FACINGS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85B"},120924:{"value":"1D85C","name":"SIGNWRITING HAND-FLAT HEEL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85C"},120925:{"value":"1D85D","name":"SIGNWRITING HAND-FLAT THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85D"},120926:{"value":"1D85E","name":"SIGNWRITING HAND-FLAT HEEL THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85E"},120927:{"value":"1D85F","name":"SIGNWRITING HAND-FLAT THUMB BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD85F"},120928:{"value":"1D860","name":"SIGNWRITING HAND-FLAT THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD860"},120929:{"value":"1D861","name":"SIGNWRITING HAND-FLAT SPLIT INDEX THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD861"},120930:{"value":"1D862","name":"SIGNWRITING HAND-FLAT SPLIT CENTRE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD862"},120931:{"value":"1D863","name":"SIGNWRITING HAND-FLAT SPLIT CENTRE THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD863"},120932:{"value":"1D864","name":"SIGNWRITING HAND-FLAT SPLIT CENTRE THUMB SIDE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD864"},120933:{"value":"1D865","name":"SIGNWRITING HAND-FLAT SPLIT LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD865"},120934:{"value":"1D866","name":"SIGNWRITING HAND-CLAW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD866"},120935:{"value":"1D867","name":"SIGNWRITING HAND-CLAW THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD867"},120936:{"value":"1D868","name":"SIGNWRITING HAND-CLAW NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD868"},120937:{"value":"1D869","name":"SIGNWRITING HAND-CLAW THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD869"},120938:{"value":"1D86A","name":"SIGNWRITING HAND-HOOK CURLICUE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86A"},120939:{"value":"1D86B","name":"SIGNWRITING HAND-HOOK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86B"},120940:{"value":"1D86C","name":"SIGNWRITING HAND-CUP OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86C"},120941:{"value":"1D86D","name":"SIGNWRITING HAND-CUP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86D"},120942:{"value":"1D86E","name":"SIGNWRITING HAND-CUP OPEN THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86E"},120943:{"value":"1D86F","name":"SIGNWRITING HAND-CUP THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD86F"},120944:{"value":"1D870","name":"SIGNWRITING HAND-CUP OPEN NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD870"},120945:{"value":"1D871","name":"SIGNWRITING HAND-CUP NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD871"},120946:{"value":"1D872","name":"SIGNWRITING HAND-CUP OPEN THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD872"},120947:{"value":"1D873","name":"SIGNWRITING HAND-CUP THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD873"},120948:{"value":"1D874","name":"SIGNWRITING HAND-CURLICUE OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD874"},120949:{"value":"1D875","name":"SIGNWRITING HAND-CURLICUE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD875"},120950:{"value":"1D876","name":"SIGNWRITING HAND-CIRCLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD876"},120951:{"value":"1D877","name":"SIGNWRITING HAND-OVAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD877"},120952:{"value":"1D878","name":"SIGNWRITING HAND-OVAL THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD878"},120953:{"value":"1D879","name":"SIGNWRITING HAND-OVAL NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD879"},120954:{"value":"1D87A","name":"SIGNWRITING HAND-OVAL THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87A"},120955:{"value":"1D87B","name":"SIGNWRITING HAND-HINGE OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87B"},120956:{"value":"1D87C","name":"SIGNWRITING HAND-HINGE OPEN THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87C"},120957:{"value":"1D87D","name":"SIGNWRITING HAND-HINGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87D"},120958:{"value":"1D87E","name":"SIGNWRITING HAND-HINGE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87E"},120959:{"value":"1D87F","name":"SIGNWRITING HAND-HINGE OPEN THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD87F"},120960:{"value":"1D880","name":"SIGNWRITING HAND-HINGE THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD880"},120961:{"value":"1D881","name":"SIGNWRITING HAND-HINGE OPEN NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD881"},120962:{"value":"1D882","name":"SIGNWRITING HAND-HINGE NO THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD882"},120963:{"value":"1D883","name":"SIGNWRITING HAND-HINGE THUMB SIDE TOUCHING INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD883"},120964:{"value":"1D884","name":"SIGNWRITING HAND-HINGE THUMB BETWEEN MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD884"},120965:{"value":"1D885","name":"SIGNWRITING HAND-ANGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD885"},120966:{"value":"1D886","name":"SIGNWRITING HAND-FIST INDEX MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD886"},120967:{"value":"1D887","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD887"},120968:{"value":"1D888","name":"SIGNWRITING HAND-HINGE INDEX MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD888"},120969:{"value":"1D889","name":"SIGNWRITING HAND-ANGLE INDEX MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD889"},120970:{"value":"1D88A","name":"SIGNWRITING HAND-HINGE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88A"},120971:{"value":"1D88B","name":"SIGNWRITING HAND-FIST INDEX MIDDLE RING BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88B"},120972:{"value":"1D88C","name":"SIGNWRITING HAND-FIST INDEX MIDDLE RING CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88C"},120973:{"value":"1D88D","name":"SIGNWRITING HAND-HINGE INDEX MIDDLE RING CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88D"},120974:{"value":"1D88E","name":"SIGNWRITING HAND-FIST LITTLE DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88E"},120975:{"value":"1D88F","name":"SIGNWRITING HAND-FIST LITTLE DOWN RIPPLE STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD88F"},120976:{"value":"1D890","name":"SIGNWRITING HAND-FIST LITTLE DOWN RIPPLE CURVED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD890"},120977:{"value":"1D891","name":"SIGNWRITING HAND-FIST LITTLE DOWN OTHERS CIRCLED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD891"},120978:{"value":"1D892","name":"SIGNWRITING HAND-FIST LITTLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD892"},120979:{"value":"1D893","name":"SIGNWRITING HAND-FIST THUMB UNDER LITTLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD893"},120980:{"value":"1D894","name":"SIGNWRITING HAND-CIRCLE LITTLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD894"},120981:{"value":"1D895","name":"SIGNWRITING HAND-OVAL LITTLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD895"},120982:{"value":"1D896","name":"SIGNWRITING HAND-ANGLE LITTLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD896"},120983:{"value":"1D897","name":"SIGNWRITING HAND-FIST LITTLE RAISED KNUCKLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD897"},120984:{"value":"1D898","name":"SIGNWRITING HAND-FIST LITTLE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD898"},120985:{"value":"1D899","name":"SIGNWRITING HAND-FIST LITTLE TOUCHES THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD899"},120986:{"value":"1D89A","name":"SIGNWRITING HAND-FIST LITTLE THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89A"},120987:{"value":"1D89B","name":"SIGNWRITING HAND-HINGE LITTLE THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89B"},120988:{"value":"1D89C","name":"SIGNWRITING HAND-FIST LITTLE INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89C"},120989:{"value":"1D89D","name":"SIGNWRITING HAND-HINGE LITTLE INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89D"},120990:{"value":"1D89E","name":"SIGNWRITING HAND-ANGLE LITTLE INDEX THUMB INDEX THUMB OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89E"},120991:{"value":"1D89F","name":"SIGNWRITING HAND-ANGLE LITTLE INDEX THUMB INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD89F"},120992:{"value":"1D8A0","name":"SIGNWRITING HAND-FIST LITTLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A0"},120993:{"value":"1D8A1","name":"SIGNWRITING HAND-CIRCLE LITTLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A1"},120994:{"value":"1D8A2","name":"SIGNWRITING HAND-HINGE LITTLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A2"},120995:{"value":"1D8A3","name":"SIGNWRITING HAND-ANGLE LITTLE INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A3"},120996:{"value":"1D8A4","name":"SIGNWRITING HAND-FIST INDEX MIDDLE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A4"},120997:{"value":"1D8A5","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A5"},120998:{"value":"1D8A6","name":"SIGNWRITING HAND-HINGE INDEX MIDDLE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A6"},120999:{"value":"1D8A7","name":"SIGNWRITING HAND-HINGE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A7"},121000:{"value":"1D8A8","name":"SIGNWRITING HAND-ANGLE INDEX MIDDLE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A8"},121001:{"value":"1D8A9","name":"SIGNWRITING HAND-FIST INDEX MIDDLE CROSS LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8A9"},121002:{"value":"1D8AA","name":"SIGNWRITING HAND-CIRCLE INDEX MIDDLE CROSS LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AA"},121003:{"value":"1D8AB","name":"SIGNWRITING HAND-FIST RING DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AB"},121004:{"value":"1D8AC","name":"SIGNWRITING HAND-HINGE RING DOWN INDEX THUMB HOOK MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AC"},121005:{"value":"1D8AD","name":"SIGNWRITING HAND-ANGLE RING DOWN MIDDLE THUMB INDEX CROSS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AD"},121006:{"value":"1D8AE","name":"SIGNWRITING HAND-FIST RING UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AE"},121007:{"value":"1D8AF","name":"SIGNWRITING HAND-FIST RING RAISED KNUCKLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8AF"},121008:{"value":"1D8B0","name":"SIGNWRITING HAND-FIST RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B0"},121009:{"value":"1D8B1","name":"SIGNWRITING HAND-CIRCLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B1"},121010:{"value":"1D8B2","name":"SIGNWRITING HAND-OVAL RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B2"},121011:{"value":"1D8B3","name":"SIGNWRITING HAND-ANGLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B3"},121012:{"value":"1D8B4","name":"SIGNWRITING HAND-FIST RING MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B4"},121013:{"value":"1D8B5","name":"SIGNWRITING HAND-FIST RING MIDDLE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B5"},121014:{"value":"1D8B6","name":"SIGNWRITING HAND-FIST RING MIDDLE RAISED KNUCKLES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B6"},121015:{"value":"1D8B7","name":"SIGNWRITING HAND-FIST RING INDEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B7"},121016:{"value":"1D8B8","name":"SIGNWRITING HAND-FIST RING THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B8"},121017:{"value":"1D8B9","name":"SIGNWRITING HAND-HOOK RING THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8B9"},121018:{"value":"1D8BA","name":"SIGNWRITING HAND-FIST INDEX RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BA"},121019:{"value":"1D8BB","name":"SIGNWRITING HAND-CIRCLE INDEX RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BB"},121020:{"value":"1D8BC","name":"SIGNWRITING HAND-CURLICUE INDEX RING LITTLE ON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BC"},121021:{"value":"1D8BD","name":"SIGNWRITING HAND-HOOK INDEX RING LITTLE OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BD"},121022:{"value":"1D8BE","name":"SIGNWRITING HAND-HOOK INDEX RING LITTLE IN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BE"},121023:{"value":"1D8BF","name":"SIGNWRITING HAND-HOOK INDEX RING LITTLE UNDER","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8BF"},121024:{"value":"1D8C0","name":"SIGNWRITING HAND-CUP INDEX RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C0"},121025:{"value":"1D8C1","name":"SIGNWRITING HAND-HINGE INDEX RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C1"},121026:{"value":"1D8C2","name":"SIGNWRITING HAND-ANGLE INDEX RING LITTLE OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C2"},121027:{"value":"1D8C3","name":"SIGNWRITING HAND-ANGLE INDEX RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C3"},121028:{"value":"1D8C4","name":"SIGNWRITING HAND-FIST MIDDLE DOWN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C4"},121029:{"value":"1D8C5","name":"SIGNWRITING HAND-HINGE MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C5"},121030:{"value":"1D8C6","name":"SIGNWRITING HAND-FIST MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C6"},121031:{"value":"1D8C7","name":"SIGNWRITING HAND-CIRCLE MIDDLE UP","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C7"},121032:{"value":"1D8C8","name":"SIGNWRITING HAND-FIST MIDDLE RAISED KNUCKLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C8"},121033:{"value":"1D8C9","name":"SIGNWRITING HAND-FIST MIDDLE UP THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8C9"},121034:{"value":"1D8CA","name":"SIGNWRITING HAND-HOOK MIDDLE THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CA"},121035:{"value":"1D8CB","name":"SIGNWRITING HAND-FIST MIDDLE THUMB LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CB"},121036:{"value":"1D8CC","name":"SIGNWRITING HAND-FIST MIDDLE LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CC"},121037:{"value":"1D8CD","name":"SIGNWRITING HAND-FIST MIDDLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CD"},121038:{"value":"1D8CE","name":"SIGNWRITING HAND-CIRCLE MIDDLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CE"},121039:{"value":"1D8CF","name":"SIGNWRITING HAND-CURLICUE MIDDLE RING LITTLE ON","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8CF"},121040:{"value":"1D8D0","name":"SIGNWRITING HAND-CUP MIDDLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D0"},121041:{"value":"1D8D1","name":"SIGNWRITING HAND-HINGE MIDDLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D1"},121042:{"value":"1D8D2","name":"SIGNWRITING HAND-ANGLE MIDDLE RING LITTLE OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D2"},121043:{"value":"1D8D3","name":"SIGNWRITING HAND-ANGLE MIDDLE RING LITTLE IN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D3"},121044:{"value":"1D8D4","name":"SIGNWRITING HAND-ANGLE MIDDLE RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D4"},121045:{"value":"1D8D5","name":"SIGNWRITING HAND-CIRCLE MIDDLE RING LITTLE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D5"},121046:{"value":"1D8D6","name":"SIGNWRITING HAND-CLAW MIDDLE RING LITTLE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D6"},121047:{"value":"1D8D7","name":"SIGNWRITING HAND-CLAW MIDDLE RING LITTLE CONJOINED SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D7"},121048:{"value":"1D8D8","name":"SIGNWRITING HAND-HOOK MIDDLE RING LITTLE CONJOINED OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D8"},121049:{"value":"1D8D9","name":"SIGNWRITING HAND-HOOK MIDDLE RING LITTLE CONJOINED IN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8D9"},121050:{"value":"1D8DA","name":"SIGNWRITING HAND-HOOK MIDDLE RING LITTLE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DA"},121051:{"value":"1D8DB","name":"SIGNWRITING HAND-HINGE INDEX HINGED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DB"},121052:{"value":"1D8DC","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DC"},121053:{"value":"1D8DD","name":"SIGNWRITING HAND-HINGE INDEX THUMB SIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DD"},121054:{"value":"1D8DE","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE THUMB DIAGONAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DE"},121055:{"value":"1D8DF","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE THUMB CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8DF"},121056:{"value":"1D8E0","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE THUMB BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E0"},121057:{"value":"1D8E1","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E1"},121058:{"value":"1D8E2","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE BOTH BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E2"},121059:{"value":"1D8E3","name":"SIGNWRITING HAND-FIST INDEX THUMB SIDE INDEX HINGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E3"},121060:{"value":"1D8E4","name":"SIGNWRITING HAND-FIST INDEX THUMB FORWARD INDEX STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E4"},121061:{"value":"1D8E5","name":"SIGNWRITING HAND-FIST INDEX THUMB FORWARD INDEX BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E5"},121062:{"value":"1D8E6","name":"SIGNWRITING HAND-FIST INDEX THUMB HOOK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E6"},121063:{"value":"1D8E7","name":"SIGNWRITING HAND-FIST INDEX THUMB CURLICUE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E7"},121064:{"value":"1D8E8","name":"SIGNWRITING HAND-FIST INDEX THUMB CURVE THUMB INSIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E8"},121065:{"value":"1D8E9","name":"SIGNWRITING HAND-CLAW INDEX THUMB CURVE THUMB INSIDE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8E9"},121066:{"value":"1D8EA","name":"SIGNWRITING HAND-FIST INDEX THUMB CURVE THUMB UNDER","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8EA"},121067:{"value":"1D8EB","name":"SIGNWRITING HAND-FIST INDEX THUMB CIRCLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8EB"},121068:{"value":"1D8EC","name":"SIGNWRITING HAND-CUP INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8EC"},121069:{"value":"1D8ED","name":"SIGNWRITING HAND-CUP INDEX THUMB OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8ED"},121070:{"value":"1D8EE","name":"SIGNWRITING HAND-HINGE INDEX THUMB OPEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8EE"},121071:{"value":"1D8EF","name":"SIGNWRITING HAND-HINGE INDEX THUMB LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8EF"},121072:{"value":"1D8F0","name":"SIGNWRITING HAND-HINGE INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F0"},121073:{"value":"1D8F1","name":"SIGNWRITING HAND-HINGE INDEX THUMB SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F1"},121074:{"value":"1D8F2","name":"SIGNWRITING HAND-ANGLE INDEX THUMB OUT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F2"},121075:{"value":"1D8F3","name":"SIGNWRITING HAND-ANGLE INDEX THUMB IN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F3"},121076:{"value":"1D8F4","name":"SIGNWRITING HAND-ANGLE INDEX THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F4"},121077:{"value":"1D8F5","name":"SIGNWRITING HAND-FIST THUMB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F5"},121078:{"value":"1D8F6","name":"SIGNWRITING HAND-FIST THUMB HEEL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F6"},121079:{"value":"1D8F7","name":"SIGNWRITING HAND-FIST THUMB SIDE DIAGONAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F7"},121080:{"value":"1D8F8","name":"SIGNWRITING HAND-FIST THUMB SIDE CONJOINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F8"},121081:{"value":"1D8F9","name":"SIGNWRITING HAND-FIST THUMB SIDE BENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8F9"},121082:{"value":"1D8FA","name":"SIGNWRITING HAND-FIST THUMB FORWARD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FA"},121083:{"value":"1D8FB","name":"SIGNWRITING HAND-FIST THUMB BETWEEN INDEX MIDDLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FB"},121084:{"value":"1D8FC","name":"SIGNWRITING HAND-FIST THUMB BETWEEN MIDDLE RING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FC"},121085:{"value":"1D8FD","name":"SIGNWRITING HAND-FIST THUMB BETWEEN RING LITTLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FD"},121086:{"value":"1D8FE","name":"SIGNWRITING HAND-FIST THUMB UNDER TWO FINGERS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FE"},121087:{"value":"1D8FF","name":"SIGNWRITING HAND-FIST THUMB OVER TWO FINGERS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD8FF"},121088:{"value":"1D900","name":"SIGNWRITING HAND-FIST THUMB UNDER THREE FINGERS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD900"},121089:{"value":"1D901","name":"SIGNWRITING HAND-FIST THUMB UNDER FOUR FINGERS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD901"},121090:{"value":"1D902","name":"SIGNWRITING HAND-FIST THUMB OVER FOUR RAISED KNUCKLES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD902"},121091:{"value":"1D903","name":"SIGNWRITING HAND-FIST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD903"},121092:{"value":"1D904","name":"SIGNWRITING HAND-FIST HEEL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD904"},121093:{"value":"1D905","name":"SIGNWRITING TOUCH SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD905"},121094:{"value":"1D906","name":"SIGNWRITING TOUCH MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD906"},121095:{"value":"1D907","name":"SIGNWRITING TOUCH BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD907"},121096:{"value":"1D908","name":"SIGNWRITING GRASP SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD908"},121097:{"value":"1D909","name":"SIGNWRITING GRASP MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD909"},121098:{"value":"1D90A","name":"SIGNWRITING GRASP BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90A"},121099:{"value":"1D90B","name":"SIGNWRITING STRIKE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90B"},121100:{"value":"1D90C","name":"SIGNWRITING STRIKE MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90C"},121101:{"value":"1D90D","name":"SIGNWRITING STRIKE BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90D"},121102:{"value":"1D90E","name":"SIGNWRITING BRUSH SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90E"},121103:{"value":"1D90F","name":"SIGNWRITING BRUSH MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD90F"},121104:{"value":"1D910","name":"SIGNWRITING BRUSH BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD910"},121105:{"value":"1D911","name":"SIGNWRITING RUB SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD911"},121106:{"value":"1D912","name":"SIGNWRITING RUB MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD912"},121107:{"value":"1D913","name":"SIGNWRITING RUB BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD913"},121108:{"value":"1D914","name":"SIGNWRITING SURFACE SYMBOLS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD914"},121109:{"value":"1D915","name":"SIGNWRITING SURFACE BETWEEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD915"},121110:{"value":"1D916","name":"SIGNWRITING SQUEEZE LARGE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD916"},121111:{"value":"1D917","name":"SIGNWRITING SQUEEZE SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD917"},121112:{"value":"1D918","name":"SIGNWRITING SQUEEZE LARGE MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD918"},121113:{"value":"1D919","name":"SIGNWRITING SQUEEZE SMALL MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD919"},121114:{"value":"1D91A","name":"SIGNWRITING SQUEEZE SEQUENTIAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91A"},121115:{"value":"1D91B","name":"SIGNWRITING FLICK LARGE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91B"},121116:{"value":"1D91C","name":"SIGNWRITING FLICK SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91C"},121117:{"value":"1D91D","name":"SIGNWRITING FLICK LARGE MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91D"},121118:{"value":"1D91E","name":"SIGNWRITING FLICK SMALL MULTIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91E"},121119:{"value":"1D91F","name":"SIGNWRITING FLICK SEQUENTIAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD91F"},121120:{"value":"1D920","name":"SIGNWRITING SQUEEZE FLICK ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD920"},121121:{"value":"1D921","name":"SIGNWRITING MOVEMENT-HINGE UP DOWN LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD921"},121122:{"value":"1D922","name":"SIGNWRITING MOVEMENT-HINGE UP DOWN SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD922"},121123:{"value":"1D923","name":"SIGNWRITING MOVEMENT-HINGE UP SEQUENTIAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD923"},121124:{"value":"1D924","name":"SIGNWRITING MOVEMENT-HINGE DOWN SEQUENTIAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD924"},121125:{"value":"1D925","name":"SIGNWRITING MOVEMENT-HINGE UP DOWN ALTERNATING LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD925"},121126:{"value":"1D926","name":"SIGNWRITING MOVEMENT-HINGE UP DOWN ALTERNATING SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD926"},121127:{"value":"1D927","name":"SIGNWRITING MOVEMENT-HINGE SIDE TO SIDE SCISSORS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD927"},121128:{"value":"1D928","name":"SIGNWRITING MOVEMENT-WALLPLANE FINGER CONTACT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD928"},121129:{"value":"1D929","name":"SIGNWRITING MOVEMENT-FLOORPLANE FINGER CONTACT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD929"},121130:{"value":"1D92A","name":"SIGNWRITING MOVEMENT-WALLPLANE SINGLE STRAIGHT SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92A"},121131:{"value":"1D92B","name":"SIGNWRITING MOVEMENT-WALLPLANE SINGLE STRAIGHT MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92B"},121132:{"value":"1D92C","name":"SIGNWRITING MOVEMENT-WALLPLANE SINGLE STRAIGHT LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92C"},121133:{"value":"1D92D","name":"SIGNWRITING MOVEMENT-WALLPLANE SINGLE STRAIGHT LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92D"},121134:{"value":"1D92E","name":"SIGNWRITING MOVEMENT-WALLPLANE SINGLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92E"},121135:{"value":"1D92F","name":"SIGNWRITING MOVEMENT-WALLPLANE DOUBLE STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD92F"},121136:{"value":"1D930","name":"SIGNWRITING MOVEMENT-WALLPLANE DOUBLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD930"},121137:{"value":"1D931","name":"SIGNWRITING MOVEMENT-WALLPLANE DOUBLE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD931"},121138:{"value":"1D932","name":"SIGNWRITING MOVEMENT-WALLPLANE DOUBLE ALTERNATING WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD932"},121139:{"value":"1D933","name":"SIGNWRITING MOVEMENT-WALLPLANE CROSS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD933"},121140:{"value":"1D934","name":"SIGNWRITING MOVEMENT-WALLPLANE TRIPLE STRAIGHT MOVEMENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD934"},121141:{"value":"1D935","name":"SIGNWRITING MOVEMENT-WALLPLANE TRIPLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD935"},121142:{"value":"1D936","name":"SIGNWRITING MOVEMENT-WALLPLANE TRIPLE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD936"},121143:{"value":"1D937","name":"SIGNWRITING MOVEMENT-WALLPLANE TRIPLE ALTERNATING WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD937"},121144:{"value":"1D938","name":"SIGNWRITING MOVEMENT-WALLPLANE BEND SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD938"},121145:{"value":"1D939","name":"SIGNWRITING MOVEMENT-WALLPLANE BEND MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD939"},121146:{"value":"1D93A","name":"SIGNWRITING MOVEMENT-WALLPLANE BEND LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93A"},121147:{"value":"1D93B","name":"SIGNWRITING MOVEMENT-WALLPLANE CORNER SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93B"},121148:{"value":"1D93C","name":"SIGNWRITING MOVEMENT-WALLPLANE CORNER MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93C"},121149:{"value":"1D93D","name":"SIGNWRITING MOVEMENT-WALLPLANE CORNER LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93D"},121150:{"value":"1D93E","name":"SIGNWRITING MOVEMENT-WALLPLANE CORNER ROTATION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93E"},121151:{"value":"1D93F","name":"SIGNWRITING MOVEMENT-WALLPLANE CHECK SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD93F"},121152:{"value":"1D940","name":"SIGNWRITING MOVEMENT-WALLPLANE CHECK MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD940"},121153:{"value":"1D941","name":"SIGNWRITING MOVEMENT-WALLPLANE CHECK LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD941"},121154:{"value":"1D942","name":"SIGNWRITING MOVEMENT-WALLPLANE BOX SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD942"},121155:{"value":"1D943","name":"SIGNWRITING MOVEMENT-WALLPLANE BOX MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD943"},121156:{"value":"1D944","name":"SIGNWRITING MOVEMENT-WALLPLANE BOX LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD944"},121157:{"value":"1D945","name":"SIGNWRITING MOVEMENT-WALLPLANE ZIGZAG SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD945"},121158:{"value":"1D946","name":"SIGNWRITING MOVEMENT-WALLPLANE ZIGZAG MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD946"},121159:{"value":"1D947","name":"SIGNWRITING MOVEMENT-WALLPLANE ZIGZAG LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD947"},121160:{"value":"1D948","name":"SIGNWRITING MOVEMENT-WALLPLANE PEAKS SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD948"},121161:{"value":"1D949","name":"SIGNWRITING MOVEMENT-WALLPLANE PEAKS MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD949"},121162:{"value":"1D94A","name":"SIGNWRITING MOVEMENT-WALLPLANE PEAKS LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94A"},121163:{"value":"1D94B","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-WALLPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94B"},121164:{"value":"1D94C","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-WALLPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94C"},121165:{"value":"1D94D","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-WALLPLANE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94D"},121166:{"value":"1D94E","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-FLOORPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94E"},121167:{"value":"1D94F","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-FLOORPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD94F"},121168:{"value":"1D950","name":"SIGNWRITING TRAVEL-WALLPLANE ROTATION-FLOORPLANE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD950"},121169:{"value":"1D951","name":"SIGNWRITING TRAVEL-WALLPLANE SHAKING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD951"},121170:{"value":"1D952","name":"SIGNWRITING TRAVEL-WALLPLANE ARM SPIRAL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD952"},121171:{"value":"1D953","name":"SIGNWRITING TRAVEL-WALLPLANE ARM SPIRAL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD953"},121172:{"value":"1D954","name":"SIGNWRITING TRAVEL-WALLPLANE ARM SPIRAL TRIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD954"},121173:{"value":"1D955","name":"SIGNWRITING MOVEMENT-DIAGONAL AWAY SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD955"},121174:{"value":"1D956","name":"SIGNWRITING MOVEMENT-DIAGONAL AWAY MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD956"},121175:{"value":"1D957","name":"SIGNWRITING MOVEMENT-DIAGONAL AWAY LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD957"},121176:{"value":"1D958","name":"SIGNWRITING MOVEMENT-DIAGONAL AWAY LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD958"},121177:{"value":"1D959","name":"SIGNWRITING MOVEMENT-DIAGONAL TOWARDS SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD959"},121178:{"value":"1D95A","name":"SIGNWRITING MOVEMENT-DIAGONAL TOWARDS MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95A"},121179:{"value":"1D95B","name":"SIGNWRITING MOVEMENT-DIAGONAL TOWARDS LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95B"},121180:{"value":"1D95C","name":"SIGNWRITING MOVEMENT-DIAGONAL TOWARDS LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95C"},121181:{"value":"1D95D","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN AWAY SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95D"},121182:{"value":"1D95E","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN AWAY MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95E"},121183:{"value":"1D95F","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN AWAY LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD95F"},121184:{"value":"1D960","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN AWAY LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD960"},121185:{"value":"1D961","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN TOWARDS SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD961"},121186:{"value":"1D962","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN TOWARDS MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD962"},121187:{"value":"1D963","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN TOWARDS LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD963"},121188:{"value":"1D964","name":"SIGNWRITING MOVEMENT-DIAGONAL BETWEEN TOWARDS LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD964"},121189:{"value":"1D965","name":"SIGNWRITING MOVEMENT-FLOORPLANE SINGLE STRAIGHT SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD965"},121190:{"value":"1D966","name":"SIGNWRITING MOVEMENT-FLOORPLANE SINGLE STRAIGHT MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD966"},121191:{"value":"1D967","name":"SIGNWRITING MOVEMENT-FLOORPLANE SINGLE STRAIGHT LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD967"},121192:{"value":"1D968","name":"SIGNWRITING MOVEMENT-FLOORPLANE SINGLE STRAIGHT LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD968"},121193:{"value":"1D969","name":"SIGNWRITING MOVEMENT-FLOORPLANE SINGLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD969"},121194:{"value":"1D96A","name":"SIGNWRITING MOVEMENT-FLOORPLANE DOUBLE STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96A"},121195:{"value":"1D96B","name":"SIGNWRITING MOVEMENT-FLOORPLANE DOUBLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96B"},121196:{"value":"1D96C","name":"SIGNWRITING MOVEMENT-FLOORPLANE DOUBLE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96C"},121197:{"value":"1D96D","name":"SIGNWRITING MOVEMENT-FLOORPLANE DOUBLE ALTERNATING WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96D"},121198:{"value":"1D96E","name":"SIGNWRITING MOVEMENT-FLOORPLANE CROSS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96E"},121199:{"value":"1D96F","name":"SIGNWRITING MOVEMENT-FLOORPLANE TRIPLE STRAIGHT MOVEMENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD96F"},121200:{"value":"1D970","name":"SIGNWRITING MOVEMENT-FLOORPLANE TRIPLE WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD970"},121201:{"value":"1D971","name":"SIGNWRITING MOVEMENT-FLOORPLANE TRIPLE ALTERNATING MOVEMENT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD971"},121202:{"value":"1D972","name":"SIGNWRITING MOVEMENT-FLOORPLANE TRIPLE ALTERNATING WRIST FLEX","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD972"},121203:{"value":"1D973","name":"SIGNWRITING MOVEMENT-FLOORPLANE BEND","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD973"},121204:{"value":"1D974","name":"SIGNWRITING MOVEMENT-FLOORPLANE CORNER SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD974"},121205:{"value":"1D975","name":"SIGNWRITING MOVEMENT-FLOORPLANE CORNER MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD975"},121206:{"value":"1D976","name":"SIGNWRITING MOVEMENT-FLOORPLANE CORNER LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD976"},121207:{"value":"1D977","name":"SIGNWRITING MOVEMENT-FLOORPLANE CHECK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD977"},121208:{"value":"1D978","name":"SIGNWRITING MOVEMENT-FLOORPLANE BOX SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD978"},121209:{"value":"1D979","name":"SIGNWRITING MOVEMENT-FLOORPLANE BOX MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD979"},121210:{"value":"1D97A","name":"SIGNWRITING MOVEMENT-FLOORPLANE BOX LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97A"},121211:{"value":"1D97B","name":"SIGNWRITING MOVEMENT-FLOORPLANE ZIGZAG SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97B"},121212:{"value":"1D97C","name":"SIGNWRITING MOVEMENT-FLOORPLANE ZIGZAG MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97C"},121213:{"value":"1D97D","name":"SIGNWRITING MOVEMENT-FLOORPLANE ZIGZAG LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97D"},121214:{"value":"1D97E","name":"SIGNWRITING MOVEMENT-FLOORPLANE PEAKS SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97E"},121215:{"value":"1D97F","name":"SIGNWRITING MOVEMENT-FLOORPLANE PEAKS MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD97F"},121216:{"value":"1D980","name":"SIGNWRITING MOVEMENT-FLOORPLANE PEAKS LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD980"},121217:{"value":"1D981","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-FLOORPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD981"},121218:{"value":"1D982","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-FLOORPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD982"},121219:{"value":"1D983","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-FLOORPLANE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD983"},121220:{"value":"1D984","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-WALLPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD984"},121221:{"value":"1D985","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-WALLPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD985"},121222:{"value":"1D986","name":"SIGNWRITING TRAVEL-FLOORPLANE ROTATION-WALLPLANE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD986"},121223:{"value":"1D987","name":"SIGNWRITING TRAVEL-FLOORPLANE SHAKING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD987"},121224:{"value":"1D988","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE QUARTER SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD988"},121225:{"value":"1D989","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE QUARTER MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD989"},121226:{"value":"1D98A","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE QUARTER LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98A"},121227:{"value":"1D98B","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE QUARTER LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98B"},121228:{"value":"1D98C","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HALF-CIRCLE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98C"},121229:{"value":"1D98D","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HALF-CIRCLE MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98D"},121230:{"value":"1D98E","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HALF-CIRCLE LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98E"},121231:{"value":"1D98F","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HALF-CIRCLE LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD98F"},121232:{"value":"1D990","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE THREE-QUARTER CIRCLE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD990"},121233:{"value":"1D991","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE THREE-QUARTER CIRCLE MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD991"},121234:{"value":"1D992","name":"SIGNWRITING MOVEMENT-WALLPLANE HUMP SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD992"},121235:{"value":"1D993","name":"SIGNWRITING MOVEMENT-WALLPLANE HUMP MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD993"},121236:{"value":"1D994","name":"SIGNWRITING MOVEMENT-WALLPLANE HUMP LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD994"},121237:{"value":"1D995","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD995"},121238:{"value":"1D996","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD996"},121239:{"value":"1D997","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD997"},121240:{"value":"1D998","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD998"},121241:{"value":"1D999","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE DOUBLE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD999"},121242:{"value":"1D99A","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE DOUBLE MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99A"},121243:{"value":"1D99B","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE DOUBLE LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99B"},121244:{"value":"1D99C","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE TRIPLE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99C"},121245:{"value":"1D99D","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE TRIPLE MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99D"},121246:{"value":"1D99E","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE CURVE TRIPLE LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99E"},121247:{"value":"1D99F","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE THEN STRAIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD99F"},121248:{"value":"1D9A0","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVED CROSS SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A0"},121249:{"value":"1D9A1","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVED CROSS MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A1"},121250:{"value":"1D9A2","name":"SIGNWRITING ROTATION-WALLPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A2"},121251:{"value":"1D9A3","name":"SIGNWRITING ROTATION-WALLPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A3"},121252:{"value":"1D9A4","name":"SIGNWRITING ROTATION-WALLPLANE ALTERNATE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A4"},121253:{"value":"1D9A5","name":"SIGNWRITING MOVEMENT-WALLPLANE SHAKING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A5"},121254:{"value":"1D9A6","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A6"},121255:{"value":"1D9A7","name":"SIGNWRITING MOVEMENT-WALLPLANE HUMP HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A7"},121256:{"value":"1D9A8","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A8"},121257:{"value":"1D9A9","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9A9"},121258:{"value":"1D9AA","name":"SIGNWRITING ROTATION-WALLPLANE SINGLE HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AA"},121259:{"value":"1D9AB","name":"SIGNWRITING ROTATION-WALLPLANE DOUBLE HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AB"},121260:{"value":"1D9AC","name":"SIGNWRITING ROTATION-WALLPLANE ALTERNATING HITTING FRONT WALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AC"},121261:{"value":"1D9AD","name":"SIGNWRITING MOVEMENT-WALLPLANE CURVE HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AD"},121262:{"value":"1D9AE","name":"SIGNWRITING MOVEMENT-WALLPLANE HUMP HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AE"},121263:{"value":"1D9AF","name":"SIGNWRITING MOVEMENT-WALLPLANE LOOP HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9AF"},121264:{"value":"1D9B0","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B0"},121265:{"value":"1D9B1","name":"SIGNWRITING ROTATION-WALLPLANE SINGLE HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B1"},121266:{"value":"1D9B2","name":"SIGNWRITING ROTATION-WALLPLANE DOUBLE HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B2"},121267:{"value":"1D9B3","name":"SIGNWRITING ROTATION-WALLPLANE ALTERNATING HITTING CHEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B3"},121268:{"value":"1D9B4","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE DIAGONAL PATH SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B4"},121269:{"value":"1D9B5","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE DIAGONAL PATH MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B5"},121270:{"value":"1D9B6","name":"SIGNWRITING MOVEMENT-WALLPLANE WAVE DIAGONAL PATH LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B6"},121271:{"value":"1D9B7","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE HITTING CEILING SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B7"},121272:{"value":"1D9B8","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE HITTING CEILING LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B8"},121273:{"value":"1D9B9","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING CEILING SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9B9"},121274:{"value":"1D9BA","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING CEILING LARGE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BA"},121275:{"value":"1D9BB","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING CEILING SMALL TRIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BB"},121276:{"value":"1D9BC","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING CEILING LARGE TRIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BC"},121277:{"value":"1D9BD","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING CEILING SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BD"},121278:{"value":"1D9BE","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING CEILING LARGE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BE"},121279:{"value":"1D9BF","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING CEILING SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9BF"},121280:{"value":"1D9C0","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING CEILING LARGE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C0"},121281:{"value":"1D9C1","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE HITTING CEILING SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C1"},121282:{"value":"1D9C2","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE HITTING CEILING LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C2"},121283:{"value":"1D9C3","name":"SIGNWRITING ROTATION-FLOORPLANE SINGLE HITTING CEILING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C3"},121284:{"value":"1D9C4","name":"SIGNWRITING ROTATION-FLOORPLANE DOUBLE HITTING CEILING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C4"},121285:{"value":"1D9C5","name":"SIGNWRITING ROTATION-FLOORPLANE ALTERNATING HITTING CEILING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C5"},121286:{"value":"1D9C6","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE HITTING FLOOR SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C6"},121287:{"value":"1D9C7","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE HITTING FLOOR LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C7"},121288:{"value":"1D9C8","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING FLOOR SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C8"},121289:{"value":"1D9C9","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING FLOOR LARGE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9C9"},121290:{"value":"1D9CA","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING FLOOR TRIPLE SMALL TRIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CA"},121291:{"value":"1D9CB","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP HITTING FLOOR TRIPLE LARGE TRIPLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CB"},121292:{"value":"1D9CC","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING FLOOR SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CC"},121293:{"value":"1D9CD","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING FLOOR LARGE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CD"},121294:{"value":"1D9CE","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING FLOOR SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CE"},121295:{"value":"1D9CF","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP HITTING FLOOR LARGE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9CF"},121296:{"value":"1D9D0","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE HITTING FLOOR SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D0"},121297:{"value":"1D9D1","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE HITTING FLOOR LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D1"},121298:{"value":"1D9D2","name":"SIGNWRITING ROTATION-FLOORPLANE SINGLE HITTING FLOOR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D2"},121299:{"value":"1D9D3","name":"SIGNWRITING ROTATION-FLOORPLANE DOUBLE HITTING FLOOR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D3"},121300:{"value":"1D9D4","name":"SIGNWRITING ROTATION-FLOORPLANE ALTERNATING HITTING FLOOR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D4"},121301:{"value":"1D9D5","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D5"},121302:{"value":"1D9D6","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE MEDIUM","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D6"},121303:{"value":"1D9D7","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D7"},121304:{"value":"1D9D8","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE LARGEST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D8"},121305:{"value":"1D9D9","name":"SIGNWRITING MOVEMENT-FLOORPLANE CURVE COMBINED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9D9"},121306:{"value":"1D9DA","name":"SIGNWRITING MOVEMENT-FLOORPLANE HUMP SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DA"},121307:{"value":"1D9DB","name":"SIGNWRITING MOVEMENT-FLOORPLANE LOOP SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DB"},121308:{"value":"1D9DC","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE SNAKE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DC"},121309:{"value":"1D9DD","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DD"},121310:{"value":"1D9DE","name":"SIGNWRITING MOVEMENT-FLOORPLANE WAVE LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DE"},121311:{"value":"1D9DF","name":"SIGNWRITING ROTATION-FLOORPLANE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9DF"},121312:{"value":"1D9E0","name":"SIGNWRITING ROTATION-FLOORPLANE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E0"},121313:{"value":"1D9E1","name":"SIGNWRITING ROTATION-FLOORPLANE ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E1"},121314:{"value":"1D9E2","name":"SIGNWRITING MOVEMENT-FLOORPLANE SHAKING PARALLEL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E2"},121315:{"value":"1D9E3","name":"SIGNWRITING MOVEMENT-WALLPLANE ARM CIRCLE SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E3"},121316:{"value":"1D9E4","name":"SIGNWRITING MOVEMENT-WALLPLANE ARM CIRCLE MEDIUM SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E4"},121317:{"value":"1D9E5","name":"SIGNWRITING MOVEMENT-WALLPLANE ARM CIRCLE SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E5"},121318:{"value":"1D9E6","name":"SIGNWRITING MOVEMENT-WALLPLANE ARM CIRCLE MEDIUM DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E6"},121319:{"value":"1D9E7","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL SMALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E7"},121320:{"value":"1D9E8","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL MEDIUM SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E8"},121321:{"value":"1D9E9","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL LARGE SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9E9"},121322:{"value":"1D9EA","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL SMALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9EA"},121323:{"value":"1D9EB","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL MEDIUM DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9EB"},121324:{"value":"1D9EC","name":"SIGNWRITING MOVEMENT-FLOORPLANE ARM CIRCLE HITTING WALL LARGE DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9EC"},121325:{"value":"1D9ED","name":"SIGNWRITING MOVEMENT-WALLPLANE WRIST CIRCLE FRONT SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9ED"},121326:{"value":"1D9EE","name":"SIGNWRITING MOVEMENT-WALLPLANE WRIST CIRCLE FRONT DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9EE"},121327:{"value":"1D9EF","name":"SIGNWRITING MOVEMENT-FLOORPLANE WRIST CIRCLE HITTING WALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9EF"},121328:{"value":"1D9F0","name":"SIGNWRITING MOVEMENT-FLOORPLANE WRIST CIRCLE HITTING WALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F0"},121329:{"value":"1D9F1","name":"SIGNWRITING MOVEMENT-WALLPLANE FINGER CIRCLES SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F1"},121330:{"value":"1D9F2","name":"SIGNWRITING MOVEMENT-WALLPLANE FINGER CIRCLES DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F2"},121331:{"value":"1D9F3","name":"SIGNWRITING MOVEMENT-FLOORPLANE FINGER CIRCLES HITTING WALL SINGLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F3"},121332:{"value":"1D9F4","name":"SIGNWRITING MOVEMENT-FLOORPLANE FINGER CIRCLES HITTING WALL DOUBLE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F4"},121333:{"value":"1D9F5","name":"SIGNWRITING DYNAMIC ARROWHEAD SMALL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F5"},121334:{"value":"1D9F6","name":"SIGNWRITING DYNAMIC ARROWHEAD LARGE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F6"},121335:{"value":"1D9F7","name":"SIGNWRITING DYNAMIC FAST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F7"},121336:{"value":"1D9F8","name":"SIGNWRITING DYNAMIC SLOW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F8"},121337:{"value":"1D9F9","name":"SIGNWRITING DYNAMIC TENSE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9F9"},121338:{"value":"1D9FA","name":"SIGNWRITING DYNAMIC RELAXED","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FA"},121339:{"value":"1D9FB","name":"SIGNWRITING DYNAMIC SIMULTANEOUS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FB"},121340:{"value":"1D9FC","name":"SIGNWRITING DYNAMIC SIMULTANEOUS ALTERNATING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FC"},121341:{"value":"1D9FD","name":"SIGNWRITING DYNAMIC EVERY OTHER TIME","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FD"},121342:{"value":"1D9FE","name":"SIGNWRITING DYNAMIC GRADUAL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FE"},121343:{"value":"1D9FF","name":"SIGNWRITING HEAD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uD9FF"},121399:{"value":"1DA37","name":"SIGNWRITING AIR BLOW SMALL ROTATIONS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA37"},121400:{"value":"1DA38","name":"SIGNWRITING AIR SUCK SMALL ROTATIONS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA38"},121401:{"value":"1DA39","name":"SIGNWRITING BREATH INHALE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA39"},121402:{"value":"1DA3A","name":"SIGNWRITING BREATH EXHALE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA3A"},121453:{"value":"1DA6D","name":"SIGNWRITING SHOULDER HIP SPINE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA6D"},121454:{"value":"1DA6E","name":"SIGNWRITING SHOULDER HIP POSITIONS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA6E"},121455:{"value":"1DA6F","name":"SIGNWRITING WALLPLANE SHOULDER HIP MOVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA6F"},121456:{"value":"1DA70","name":"SIGNWRITING FLOORPLANE SHOULDER HIP MOVE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA70"},121457:{"value":"1DA71","name":"SIGNWRITING SHOULDER TILTING FROM WAIST","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA71"},121458:{"value":"1DA72","name":"SIGNWRITING TORSO-WALLPLANE STRAIGHT STRETCH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA72"},121459:{"value":"1DA73","name":"SIGNWRITING TORSO-WALLPLANE CURVED BEND","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA73"},121460:{"value":"1DA74","name":"SIGNWRITING TORSO-FLOORPLANE TWISTING","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA74"},121462:{"value":"1DA76","name":"SIGNWRITING LIMB COMBINATION","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA76"},121463:{"value":"1DA77","name":"SIGNWRITING LIMB LENGTH-1","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA77"},121464:{"value":"1DA78","name":"SIGNWRITING LIMB LENGTH-2","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA78"},121465:{"value":"1DA79","name":"SIGNWRITING LIMB LENGTH-3","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA79"},121466:{"value":"1DA7A","name":"SIGNWRITING LIMB LENGTH-4","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7A"},121467:{"value":"1DA7B","name":"SIGNWRITING LIMB LENGTH-5","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7B"},121468:{"value":"1DA7C","name":"SIGNWRITING LIMB LENGTH-6","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7C"},121469:{"value":"1DA7D","name":"SIGNWRITING LIMB LENGTH-7","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7D"},121470:{"value":"1DA7E","name":"SIGNWRITING FINGER","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7E"},121471:{"value":"1DA7F","name":"SIGNWRITING LOCATION-WALLPLANE SPACE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA7F"},121472:{"value":"1DA80","name":"SIGNWRITING LOCATION-FLOORPLANE SPACE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA80"},121473:{"value":"1DA81","name":"SIGNWRITING LOCATION HEIGHT","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA81"},121474:{"value":"1DA82","name":"SIGNWRITING LOCATION WIDTH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA82"},121475:{"value":"1DA83","name":"SIGNWRITING LOCATION DEPTH","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA83"},121477:{"value":"1DA85","name":"SIGNWRITING LOCATION TORSO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA85"},121478:{"value":"1DA86","name":"SIGNWRITING LOCATION LIMBS DIGITS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uDA86"},123215:{"value":"1E14F","name":"NYIAKENG PUACHUE HMONG CIRCLED CA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uE14F"},126124:{"value":"1ECAC","name":"INDIC SIYAQ PLACEHOLDER","category":"So","class":"0","bidirectional_category":"AL","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uECAC"},126254:{"value":"1ED2E","name":"OTTOMAN SIYAQ MARRATAN","category":"So","class":"0","bidirectional_category":"AL","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uED2E"},126976:{"value":"1F000","name":"MAHJONG TILE EAST WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF000"},126977:{"value":"1F001","name":"MAHJONG TILE SOUTH WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF001"},126978:{"value":"1F002","name":"MAHJONG TILE WEST WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF002"},126979:{"value":"1F003","name":"MAHJONG TILE NORTH WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF003"},126980:{"value":"1F004","name":"MAHJONG TILE RED DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF004"},126981:{"value":"1F005","name":"MAHJONG TILE GREEN DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF005"},126982:{"value":"1F006","name":"MAHJONG TILE WHITE DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF006"},126983:{"value":"1F007","name":"MAHJONG TILE ONE OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF007"},126984:{"value":"1F008","name":"MAHJONG TILE TWO OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF008"},126985:{"value":"1F009","name":"MAHJONG TILE THREE OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF009"},126986:{"value":"1F00A","name":"MAHJONG TILE FOUR OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00A"},126987:{"value":"1F00B","name":"MAHJONG TILE FIVE OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00B"},126988:{"value":"1F00C","name":"MAHJONG TILE SIX OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00C"},126989:{"value":"1F00D","name":"MAHJONG TILE SEVEN OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00D"},126990:{"value":"1F00E","name":"MAHJONG TILE EIGHT OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00E"},126991:{"value":"1F00F","name":"MAHJONG TILE NINE OF CHARACTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF00F"},126992:{"value":"1F010","name":"MAHJONG TILE ONE OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF010"},126993:{"value":"1F011","name":"MAHJONG TILE TWO OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF011"},126994:{"value":"1F012","name":"MAHJONG TILE THREE OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF012"},126995:{"value":"1F013","name":"MAHJONG TILE FOUR OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF013"},126996:{"value":"1F014","name":"MAHJONG TILE FIVE OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF014"},126997:{"value":"1F015","name":"MAHJONG TILE SIX OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF015"},126998:{"value":"1F016","name":"MAHJONG TILE SEVEN OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF016"},126999:{"value":"1F017","name":"MAHJONG TILE EIGHT OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF017"},127000:{"value":"1F018","name":"MAHJONG TILE NINE OF BAMBOOS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF018"},127001:{"value":"1F019","name":"MAHJONG TILE ONE OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF019"},127002:{"value":"1F01A","name":"MAHJONG TILE TWO OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01A"},127003:{"value":"1F01B","name":"MAHJONG TILE THREE OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01B"},127004:{"value":"1F01C","name":"MAHJONG TILE FOUR OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01C"},127005:{"value":"1F01D","name":"MAHJONG TILE FIVE OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01D"},127006:{"value":"1F01E","name":"MAHJONG TILE SIX OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01E"},127007:{"value":"1F01F","name":"MAHJONG TILE SEVEN OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF01F"},127008:{"value":"1F020","name":"MAHJONG TILE EIGHT OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF020"},127009:{"value":"1F021","name":"MAHJONG TILE NINE OF CIRCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF021"},127010:{"value":"1F022","name":"MAHJONG TILE PLUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF022"},127011:{"value":"1F023","name":"MAHJONG TILE ORCHID","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF023"},127012:{"value":"1F024","name":"MAHJONG TILE BAMBOO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF024"},127013:{"value":"1F025","name":"MAHJONG TILE CHRYSANTHEMUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF025"},127014:{"value":"1F026","name":"MAHJONG TILE SPRING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF026"},127015:{"value":"1F027","name":"MAHJONG TILE SUMMER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF027"},127016:{"value":"1F028","name":"MAHJONG TILE AUTUMN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF028"},127017:{"value":"1F029","name":"MAHJONG TILE WINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF029"},127018:{"value":"1F02A","name":"MAHJONG TILE JOKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF02A"},127019:{"value":"1F02B","name":"MAHJONG TILE BACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF02B"},127024:{"value":"1F030","name":"DOMINO TILE HORIZONTAL BACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF030"},127025:{"value":"1F031","name":"DOMINO TILE HORIZONTAL-00-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF031"},127026:{"value":"1F032","name":"DOMINO TILE HORIZONTAL-00-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF032"},127027:{"value":"1F033","name":"DOMINO TILE HORIZONTAL-00-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF033"},127028:{"value":"1F034","name":"DOMINO TILE HORIZONTAL-00-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF034"},127029:{"value":"1F035","name":"DOMINO TILE HORIZONTAL-00-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF035"},127030:{"value":"1F036","name":"DOMINO TILE HORIZONTAL-00-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF036"},127031:{"value":"1F037","name":"DOMINO TILE HORIZONTAL-00-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF037"},127032:{"value":"1F038","name":"DOMINO TILE HORIZONTAL-01-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF038"},127033:{"value":"1F039","name":"DOMINO TILE HORIZONTAL-01-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF039"},127034:{"value":"1F03A","name":"DOMINO TILE HORIZONTAL-01-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03A"},127035:{"value":"1F03B","name":"DOMINO TILE HORIZONTAL-01-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03B"},127036:{"value":"1F03C","name":"DOMINO TILE HORIZONTAL-01-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03C"},127037:{"value":"1F03D","name":"DOMINO TILE HORIZONTAL-01-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03D"},127038:{"value":"1F03E","name":"DOMINO TILE HORIZONTAL-01-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03E"},127039:{"value":"1F03F","name":"DOMINO TILE HORIZONTAL-02-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF03F"},127040:{"value":"1F040","name":"DOMINO TILE HORIZONTAL-02-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF040"},127041:{"value":"1F041","name":"DOMINO TILE HORIZONTAL-02-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF041"},127042:{"value":"1F042","name":"DOMINO TILE HORIZONTAL-02-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF042"},127043:{"value":"1F043","name":"DOMINO TILE HORIZONTAL-02-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF043"},127044:{"value":"1F044","name":"DOMINO TILE HORIZONTAL-02-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF044"},127045:{"value":"1F045","name":"DOMINO TILE HORIZONTAL-02-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF045"},127046:{"value":"1F046","name":"DOMINO TILE HORIZONTAL-03-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF046"},127047:{"value":"1F047","name":"DOMINO TILE HORIZONTAL-03-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF047"},127048:{"value":"1F048","name":"DOMINO TILE HORIZONTAL-03-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF048"},127049:{"value":"1F049","name":"DOMINO TILE HORIZONTAL-03-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF049"},127050:{"value":"1F04A","name":"DOMINO TILE HORIZONTAL-03-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04A"},127051:{"value":"1F04B","name":"DOMINO TILE HORIZONTAL-03-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04B"},127052:{"value":"1F04C","name":"DOMINO TILE HORIZONTAL-03-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04C"},127053:{"value":"1F04D","name":"DOMINO TILE HORIZONTAL-04-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04D"},127054:{"value":"1F04E","name":"DOMINO TILE HORIZONTAL-04-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04E"},127055:{"value":"1F04F","name":"DOMINO TILE HORIZONTAL-04-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF04F"},127056:{"value":"1F050","name":"DOMINO TILE HORIZONTAL-04-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF050"},127057:{"value":"1F051","name":"DOMINO TILE HORIZONTAL-04-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF051"},127058:{"value":"1F052","name":"DOMINO TILE HORIZONTAL-04-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF052"},127059:{"value":"1F053","name":"DOMINO TILE HORIZONTAL-04-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF053"},127060:{"value":"1F054","name":"DOMINO TILE HORIZONTAL-05-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF054"},127061:{"value":"1F055","name":"DOMINO TILE HORIZONTAL-05-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF055"},127062:{"value":"1F056","name":"DOMINO TILE HORIZONTAL-05-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF056"},127063:{"value":"1F057","name":"DOMINO TILE HORIZONTAL-05-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF057"},127064:{"value":"1F058","name":"DOMINO TILE HORIZONTAL-05-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF058"},127065:{"value":"1F059","name":"DOMINO TILE HORIZONTAL-05-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF059"},127066:{"value":"1F05A","name":"DOMINO TILE HORIZONTAL-05-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05A"},127067:{"value":"1F05B","name":"DOMINO TILE HORIZONTAL-06-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05B"},127068:{"value":"1F05C","name":"DOMINO TILE HORIZONTAL-06-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05C"},127069:{"value":"1F05D","name":"DOMINO TILE HORIZONTAL-06-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05D"},127070:{"value":"1F05E","name":"DOMINO TILE HORIZONTAL-06-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05E"},127071:{"value":"1F05F","name":"DOMINO TILE HORIZONTAL-06-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF05F"},127072:{"value":"1F060","name":"DOMINO TILE HORIZONTAL-06-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF060"},127073:{"value":"1F061","name":"DOMINO TILE HORIZONTAL-06-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF061"},127074:{"value":"1F062","name":"DOMINO TILE VERTICAL BACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF062"},127075:{"value":"1F063","name":"DOMINO TILE VERTICAL-00-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF063"},127076:{"value":"1F064","name":"DOMINO TILE VERTICAL-00-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF064"},127077:{"value":"1F065","name":"DOMINO TILE VERTICAL-00-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF065"},127078:{"value":"1F066","name":"DOMINO TILE VERTICAL-00-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF066"},127079:{"value":"1F067","name":"DOMINO TILE VERTICAL-00-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF067"},127080:{"value":"1F068","name":"DOMINO TILE VERTICAL-00-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF068"},127081:{"value":"1F069","name":"DOMINO TILE VERTICAL-00-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF069"},127082:{"value":"1F06A","name":"DOMINO TILE VERTICAL-01-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06A"},127083:{"value":"1F06B","name":"DOMINO TILE VERTICAL-01-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06B"},127084:{"value":"1F06C","name":"DOMINO TILE VERTICAL-01-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06C"},127085:{"value":"1F06D","name":"DOMINO TILE VERTICAL-01-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06D"},127086:{"value":"1F06E","name":"DOMINO TILE VERTICAL-01-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06E"},127087:{"value":"1F06F","name":"DOMINO TILE VERTICAL-01-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF06F"},127088:{"value":"1F070","name":"DOMINO TILE VERTICAL-01-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF070"},127089:{"value":"1F071","name":"DOMINO TILE VERTICAL-02-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF071"},127090:{"value":"1F072","name":"DOMINO TILE VERTICAL-02-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF072"},127091:{"value":"1F073","name":"DOMINO TILE VERTICAL-02-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF073"},127092:{"value":"1F074","name":"DOMINO TILE VERTICAL-02-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF074"},127093:{"value":"1F075","name":"DOMINO TILE VERTICAL-02-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF075"},127094:{"value":"1F076","name":"DOMINO TILE VERTICAL-02-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF076"},127095:{"value":"1F077","name":"DOMINO TILE VERTICAL-02-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF077"},127096:{"value":"1F078","name":"DOMINO TILE VERTICAL-03-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF078"},127097:{"value":"1F079","name":"DOMINO TILE VERTICAL-03-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF079"},127098:{"value":"1F07A","name":"DOMINO TILE VERTICAL-03-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07A"},127099:{"value":"1F07B","name":"DOMINO TILE VERTICAL-03-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07B"},127100:{"value":"1F07C","name":"DOMINO TILE VERTICAL-03-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07C"},127101:{"value":"1F07D","name":"DOMINO TILE VERTICAL-03-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07D"},127102:{"value":"1F07E","name":"DOMINO TILE VERTICAL-03-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07E"},127103:{"value":"1F07F","name":"DOMINO TILE VERTICAL-04-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF07F"},127104:{"value":"1F080","name":"DOMINO TILE VERTICAL-04-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF080"},127105:{"value":"1F081","name":"DOMINO TILE VERTICAL-04-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF081"},127106:{"value":"1F082","name":"DOMINO TILE VERTICAL-04-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF082"},127107:{"value":"1F083","name":"DOMINO TILE VERTICAL-04-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF083"},127108:{"value":"1F084","name":"DOMINO TILE VERTICAL-04-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF084"},127109:{"value":"1F085","name":"DOMINO TILE VERTICAL-04-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF085"},127110:{"value":"1F086","name":"DOMINO TILE VERTICAL-05-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF086"},127111:{"value":"1F087","name":"DOMINO TILE VERTICAL-05-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF087"},127112:{"value":"1F088","name":"DOMINO TILE VERTICAL-05-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF088"},127113:{"value":"1F089","name":"DOMINO TILE VERTICAL-05-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF089"},127114:{"value":"1F08A","name":"DOMINO TILE VERTICAL-05-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08A"},127115:{"value":"1F08B","name":"DOMINO TILE VERTICAL-05-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08B"},127116:{"value":"1F08C","name":"DOMINO TILE VERTICAL-05-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08C"},127117:{"value":"1F08D","name":"DOMINO TILE VERTICAL-06-00","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08D"},127118:{"value":"1F08E","name":"DOMINO TILE VERTICAL-06-01","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08E"},127119:{"value":"1F08F","name":"DOMINO TILE VERTICAL-06-02","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF08F"},127120:{"value":"1F090","name":"DOMINO TILE VERTICAL-06-03","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF090"},127121:{"value":"1F091","name":"DOMINO TILE VERTICAL-06-04","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF091"},127122:{"value":"1F092","name":"DOMINO TILE VERTICAL-06-05","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF092"},127123:{"value":"1F093","name":"DOMINO TILE VERTICAL-06-06","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF093"},127136:{"value":"1F0A0","name":"PLAYING CARD BACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A0"},127137:{"value":"1F0A1","name":"PLAYING CARD ACE OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A1"},127138:{"value":"1F0A2","name":"PLAYING CARD TWO OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A2"},127139:{"value":"1F0A3","name":"PLAYING CARD THREE OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A3"},127140:{"value":"1F0A4","name":"PLAYING CARD FOUR OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A4"},127141:{"value":"1F0A5","name":"PLAYING CARD FIVE OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A5"},127142:{"value":"1F0A6","name":"PLAYING CARD SIX OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A6"},127143:{"value":"1F0A7","name":"PLAYING CARD SEVEN OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A7"},127144:{"value":"1F0A8","name":"PLAYING CARD EIGHT OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A8"},127145:{"value":"1F0A9","name":"PLAYING CARD NINE OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0A9"},127146:{"value":"1F0AA","name":"PLAYING CARD TEN OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0AA"},127147:{"value":"1F0AB","name":"PLAYING CARD JACK OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0AB"},127148:{"value":"1F0AC","name":"PLAYING CARD KNIGHT OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0AC"},127149:{"value":"1F0AD","name":"PLAYING CARD QUEEN OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0AD"},127150:{"value":"1F0AE","name":"PLAYING CARD KING OF SPADES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0AE"},127153:{"value":"1F0B1","name":"PLAYING CARD ACE OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B1"},127154:{"value":"1F0B2","name":"PLAYING CARD TWO OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B2"},127155:{"value":"1F0B3","name":"PLAYING CARD THREE OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B3"},127156:{"value":"1F0B4","name":"PLAYING CARD FOUR OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B4"},127157:{"value":"1F0B5","name":"PLAYING CARD FIVE OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B5"},127158:{"value":"1F0B6","name":"PLAYING CARD SIX OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B6"},127159:{"value":"1F0B7","name":"PLAYING CARD SEVEN OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B7"},127160:{"value":"1F0B8","name":"PLAYING CARD EIGHT OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B8"},127161:{"value":"1F0B9","name":"PLAYING CARD NINE OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0B9"},127162:{"value":"1F0BA","name":"PLAYING CARD TEN OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BA"},127163:{"value":"1F0BB","name":"PLAYING CARD JACK OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BB"},127164:{"value":"1F0BC","name":"PLAYING CARD KNIGHT OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BC"},127165:{"value":"1F0BD","name":"PLAYING CARD QUEEN OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BD"},127166:{"value":"1F0BE","name":"PLAYING CARD KING OF HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BE"},127167:{"value":"1F0BF","name":"PLAYING CARD RED JOKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0BF"},127169:{"value":"1F0C1","name":"PLAYING CARD ACE OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C1"},127170:{"value":"1F0C2","name":"PLAYING CARD TWO OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C2"},127171:{"value":"1F0C3","name":"PLAYING CARD THREE OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C3"},127172:{"value":"1F0C4","name":"PLAYING CARD FOUR OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C4"},127173:{"value":"1F0C5","name":"PLAYING CARD FIVE OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C5"},127174:{"value":"1F0C6","name":"PLAYING CARD SIX OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C6"},127175:{"value":"1F0C7","name":"PLAYING CARD SEVEN OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C7"},127176:{"value":"1F0C8","name":"PLAYING CARD EIGHT OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C8"},127177:{"value":"1F0C9","name":"PLAYING CARD NINE OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0C9"},127178:{"value":"1F0CA","name":"PLAYING CARD TEN OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CA"},127179:{"value":"1F0CB","name":"PLAYING CARD JACK OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CB"},127180:{"value":"1F0CC","name":"PLAYING CARD KNIGHT OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CC"},127181:{"value":"1F0CD","name":"PLAYING CARD QUEEN OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CD"},127182:{"value":"1F0CE","name":"PLAYING CARD KING OF DIAMONDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CE"},127183:{"value":"1F0CF","name":"PLAYING CARD BLACK JOKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0CF"},127185:{"value":"1F0D1","name":"PLAYING CARD ACE OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D1"},127186:{"value":"1F0D2","name":"PLAYING CARD TWO OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D2"},127187:{"value":"1F0D3","name":"PLAYING CARD THREE OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D3"},127188:{"value":"1F0D4","name":"PLAYING CARD FOUR OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D4"},127189:{"value":"1F0D5","name":"PLAYING CARD FIVE OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D5"},127190:{"value":"1F0D6","name":"PLAYING CARD SIX OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D6"},127191:{"value":"1F0D7","name":"PLAYING CARD SEVEN OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D7"},127192:{"value":"1F0D8","name":"PLAYING CARD EIGHT OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D8"},127193:{"value":"1F0D9","name":"PLAYING CARD NINE OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0D9"},127194:{"value":"1F0DA","name":"PLAYING CARD TEN OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DA"},127195:{"value":"1F0DB","name":"PLAYING CARD JACK OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DB"},127196:{"value":"1F0DC","name":"PLAYING CARD KNIGHT OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DC"},127197:{"value":"1F0DD","name":"PLAYING CARD QUEEN OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DD"},127198:{"value":"1F0DE","name":"PLAYING CARD KING OF CLUBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DE"},127199:{"value":"1F0DF","name":"PLAYING CARD WHITE JOKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0DF"},127200:{"value":"1F0E0","name":"PLAYING CARD FOOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E0"},127201:{"value":"1F0E1","name":"PLAYING CARD TRUMP-1","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E1"},127202:{"value":"1F0E2","name":"PLAYING CARD TRUMP-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E2"},127203:{"value":"1F0E3","name":"PLAYING CARD TRUMP-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E3"},127204:{"value":"1F0E4","name":"PLAYING CARD TRUMP-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E4"},127205:{"value":"1F0E5","name":"PLAYING CARD TRUMP-5","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E5"},127206:{"value":"1F0E6","name":"PLAYING CARD TRUMP-6","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E6"},127207:{"value":"1F0E7","name":"PLAYING CARD TRUMP-7","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E7"},127208:{"value":"1F0E8","name":"PLAYING CARD TRUMP-8","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E8"},127209:{"value":"1F0E9","name":"PLAYING CARD TRUMP-9","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0E9"},127210:{"value":"1F0EA","name":"PLAYING CARD TRUMP-10","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0EA"},127211:{"value":"1F0EB","name":"PLAYING CARD TRUMP-11","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0EB"},127212:{"value":"1F0EC","name":"PLAYING CARD TRUMP-12","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0EC"},127213:{"value":"1F0ED","name":"PLAYING CARD TRUMP-13","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0ED"},127214:{"value":"1F0EE","name":"PLAYING CARD TRUMP-14","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0EE"},127215:{"value":"1F0EF","name":"PLAYING CARD TRUMP-15","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0EF"},127216:{"value":"1F0F0","name":"PLAYING CARD TRUMP-16","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F0"},127217:{"value":"1F0F1","name":"PLAYING CARD TRUMP-17","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F1"},127218:{"value":"1F0F2","name":"PLAYING CARD TRUMP-18","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F2"},127219:{"value":"1F0F3","name":"PLAYING CARD TRUMP-19","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F3"},127220:{"value":"1F0F4","name":"PLAYING CARD TRUMP-20","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F4"},127221:{"value":"1F0F5","name":"PLAYING CARD TRUMP-21","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF0F5"},127248:{"value":"1F110","name":"PARENTHESIZED LATIN CAPITAL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0041 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF110"},127249:{"value":"1F111","name":"PARENTHESIZED LATIN CAPITAL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0042 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF111"},127250:{"value":"1F112","name":"PARENTHESIZED LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0043 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF112"},127251:{"value":"1F113","name":"PARENTHESIZED LATIN CAPITAL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0044 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF113"},127252:{"value":"1F114","name":"PARENTHESIZED LATIN CAPITAL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0045 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF114"},127253:{"value":"1F115","name":"PARENTHESIZED LATIN CAPITAL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0046 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF115"},127254:{"value":"1F116","name":"PARENTHESIZED LATIN CAPITAL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0047 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF116"},127255:{"value":"1F117","name":"PARENTHESIZED LATIN CAPITAL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0048 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF117"},127256:{"value":"1F118","name":"PARENTHESIZED LATIN CAPITAL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0049 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF118"},127257:{"value":"1F119","name":"PARENTHESIZED LATIN CAPITAL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004A 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF119"},127258:{"value":"1F11A","name":"PARENTHESIZED LATIN CAPITAL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004B 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11A"},127259:{"value":"1F11B","name":"PARENTHESIZED LATIN CAPITAL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004C 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11B"},127260:{"value":"1F11C","name":"PARENTHESIZED LATIN CAPITAL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004D 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11C"},127261:{"value":"1F11D","name":"PARENTHESIZED LATIN CAPITAL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004E 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11D"},127262:{"value":"1F11E","name":"PARENTHESIZED LATIN CAPITAL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 004F 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11E"},127263:{"value":"1F11F","name":"PARENTHESIZED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0050 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF11F"},127264:{"value":"1F120","name":"PARENTHESIZED LATIN CAPITAL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0051 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF120"},127265:{"value":"1F121","name":"PARENTHESIZED LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0052 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF121"},127266:{"value":"1F122","name":"PARENTHESIZED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0053 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF122"},127267:{"value":"1F123","name":"PARENTHESIZED LATIN CAPITAL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0054 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF123"},127268:{"value":"1F124","name":"PARENTHESIZED LATIN CAPITAL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0055 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF124"},127269:{"value":"1F125","name":"PARENTHESIZED LATIN CAPITAL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0056 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF125"},127270:{"value":"1F126","name":"PARENTHESIZED LATIN CAPITAL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0057 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF126"},127271:{"value":"1F127","name":"PARENTHESIZED LATIN CAPITAL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0058 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF127"},127272:{"value":"1F128","name":"PARENTHESIZED LATIN CAPITAL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 0059 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF128"},127273:{"value":"1F129","name":"PARENTHESIZED LATIN CAPITAL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":" 0028 005A 0029","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF129"},127274:{"value":"1F12A","name":"TORTOISE SHELL BRACKETED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 0053 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12A"},127275:{"value":"1F12B","name":"CIRCLED ITALIC LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12B"},127276:{"value":"1F12C","name":"CIRCLED ITALIC LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0052","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12C"},127277:{"value":"1F12D","name":"CIRCLED CD","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12D"},127278:{"value":"1F12E","name":"CIRCLED WZ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0057 005A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12E"},127279:{"value":"1F12F","name":"COPYLEFT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF12F"},127280:{"value":"1F130","name":"SQUARED LATIN CAPITAL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":" 0041","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF130"},127281:{"value":"1F131","name":"SQUARED LATIN CAPITAL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":" 0042","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF131"},127282:{"value":"1F132","name":"SQUARED LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":" 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF132"},127283:{"value":"1F133","name":"SQUARED LATIN CAPITAL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":" 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF133"},127284:{"value":"1F134","name":"SQUARED LATIN CAPITAL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":" 0045","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF134"},127285:{"value":"1F135","name":"SQUARED LATIN CAPITAL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":" 0046","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF135"},127286:{"value":"1F136","name":"SQUARED LATIN CAPITAL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":" 0047","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF136"},127287:{"value":"1F137","name":"SQUARED LATIN CAPITAL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":" 0048","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF137"},127288:{"value":"1F138","name":"SQUARED LATIN CAPITAL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":" 0049","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF138"},127289:{"value":"1F139","name":"SQUARED LATIN CAPITAL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":" 004A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF139"},127290:{"value":"1F13A","name":"SQUARED LATIN CAPITAL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":" 004B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13A"},127291:{"value":"1F13B","name":"SQUARED LATIN CAPITAL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":" 004C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13B"},127292:{"value":"1F13C","name":"SQUARED LATIN CAPITAL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13C"},127293:{"value":"1F13D","name":"SQUARED LATIN CAPITAL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":" 004E","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13D"},127294:{"value":"1F13E","name":"SQUARED LATIN CAPITAL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":" 004F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13E"},127295:{"value":"1F13F","name":"SQUARED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF13F"},127296:{"value":"1F140","name":"SQUARED LATIN CAPITAL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":" 0051","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF140"},127297:{"value":"1F141","name":"SQUARED LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":" 0052","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF141"},127298:{"value":"1F142","name":"SQUARED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":" 0053","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF142"},127299:{"value":"1F143","name":"SQUARED LATIN CAPITAL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":" 0054","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF143"},127300:{"value":"1F144","name":"SQUARED LATIN CAPITAL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":" 0055","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF144"},127301:{"value":"1F145","name":"SQUARED LATIN CAPITAL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":" 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF145"},127302:{"value":"1F146","name":"SQUARED LATIN CAPITAL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":" 0057","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF146"},127303:{"value":"1F147","name":"SQUARED LATIN CAPITAL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":" 0058","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF147"},127304:{"value":"1F148","name":"SQUARED LATIN CAPITAL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":" 0059","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF148"},127305:{"value":"1F149","name":"SQUARED LATIN CAPITAL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":" 005A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF149"},127306:{"value":"1F14A","name":"SQUARED HV","category":"So","class":"0","bidirectional_category":"L","mapping":" 0048 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14A"},127307:{"value":"1F14B","name":"SQUARED MV","category":"So","class":"0","bidirectional_category":"L","mapping":" 004D 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14B"},127308:{"value":"1F14C","name":"SQUARED SD","category":"So","class":"0","bidirectional_category":"L","mapping":" 0053 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14C"},127309:{"value":"1F14D","name":"SQUARED SS","category":"So","class":"0","bidirectional_category":"L","mapping":" 0053 0053","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14D"},127310:{"value":"1F14E","name":"SQUARED PPV","category":"So","class":"0","bidirectional_category":"L","mapping":" 0050 0050 0056","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14E"},127311:{"value":"1F14F","name":"SQUARED WC","category":"So","class":"0","bidirectional_category":"L","mapping":" 0057 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF14F"},127312:{"value":"1F150","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF150"},127313:{"value":"1F151","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF151"},127314:{"value":"1F152","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF152"},127315:{"value":"1F153","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF153"},127316:{"value":"1F154","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF154"},127317:{"value":"1F155","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF155"},127318:{"value":"1F156","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF156"},127319:{"value":"1F157","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF157"},127320:{"value":"1F158","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF158"},127321:{"value":"1F159","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF159"},127322:{"value":"1F15A","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15A"},127323:{"value":"1F15B","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15B"},127324:{"value":"1F15C","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15C"},127325:{"value":"1F15D","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15D"},127326:{"value":"1F15E","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15E"},127327:{"value":"1F15F","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF15F"},127328:{"value":"1F160","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF160"},127329:{"value":"1F161","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF161"},127330:{"value":"1F162","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF162"},127331:{"value":"1F163","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF163"},127332:{"value":"1F164","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF164"},127333:{"value":"1F165","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF165"},127334:{"value":"1F166","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF166"},127335:{"value":"1F167","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF167"},127336:{"value":"1F168","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF168"},127337:{"value":"1F169","name":"NEGATIVE CIRCLED LATIN CAPITAL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF169"},127338:{"value":"1F16A","name":"RAISED MC SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 004D 0043","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF16A"},127339:{"value":"1F16B","name":"RAISED MD SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 004D 0044","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF16B"},127340:{"value":"1F16C","name":"RAISED MR SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":" 004D 0052","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF16C"},127344:{"value":"1F170","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF170"},127345:{"value":"1F171","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF171"},127346:{"value":"1F172","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF172"},127347:{"value":"1F173","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF173"},127348:{"value":"1F174","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF174"},127349:{"value":"1F175","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF175"},127350:{"value":"1F176","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF176"},127351:{"value":"1F177","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF177"},127352:{"value":"1F178","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF178"},127353:{"value":"1F179","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF179"},127354:{"value":"1F17A","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17A"},127355:{"value":"1F17B","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17B"},127356:{"value":"1F17C","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17C"},127357:{"value":"1F17D","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17D"},127358:{"value":"1F17E","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17E"},127359:{"value":"1F17F","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF17F"},127360:{"value":"1F180","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF180"},127361:{"value":"1F181","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF181"},127362:{"value":"1F182","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF182"},127363:{"value":"1F183","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF183"},127364:{"value":"1F184","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF184"},127365:{"value":"1F185","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF185"},127366:{"value":"1F186","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF186"},127367:{"value":"1F187","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF187"},127368:{"value":"1F188","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF188"},127369:{"value":"1F189","name":"NEGATIVE SQUARED LATIN CAPITAL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF189"},127370:{"value":"1F18A","name":"CROSSED NEGATIVE SQUARED LATIN CAPITAL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18A"},127371:{"value":"1F18B","name":"NEGATIVE SQUARED IC","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18B"},127372:{"value":"1F18C","name":"NEGATIVE SQUARED PA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18C"},127373:{"value":"1F18D","name":"NEGATIVE SQUARED SA","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18D"},127374:{"value":"1F18E","name":"NEGATIVE SQUARED AB","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18E"},127375:{"value":"1F18F","name":"NEGATIVE SQUARED WC","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF18F"},127376:{"value":"1F190","name":"SQUARE DJ","category":"So","class":"0","bidirectional_category":"L","mapping":" 0044 004A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF190"},127377:{"value":"1F191","name":"SQUARED CL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF191"},127378:{"value":"1F192","name":"SQUARED COOL","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF192"},127379:{"value":"1F193","name":"SQUARED FREE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF193"},127380:{"value":"1F194","name":"SQUARED ID","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF194"},127381:{"value":"1F195","name":"SQUARED NEW","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF195"},127382:{"value":"1F196","name":"SQUARED NG","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF196"},127383:{"value":"1F197","name":"SQUARED OK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF197"},127384:{"value":"1F198","name":"SQUARED SOS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF198"},127385:{"value":"1F199","name":"SQUARED UP WITH EXCLAMATION MARK","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF199"},127386:{"value":"1F19A","name":"SQUARED VS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19A"},127387:{"value":"1F19B","name":"SQUARED THREE D","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19B"},127388:{"value":"1F19C","name":"SQUARED SECOND SCREEN","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19C"},127389:{"value":"1F19D","name":"SQUARED TWO K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19D"},127390:{"value":"1F19E","name":"SQUARED FOUR K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19E"},127391:{"value":"1F19F","name":"SQUARED EIGHT K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF19F"},127392:{"value":"1F1A0","name":"SQUARED FIVE POINT ONE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A0"},127393:{"value":"1F1A1","name":"SQUARED SEVEN POINT ONE","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A1"},127394:{"value":"1F1A2","name":"SQUARED TWENTY-TWO POINT TWO","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A2"},127395:{"value":"1F1A3","name":"SQUARED SIXTY P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A3"},127396:{"value":"1F1A4","name":"SQUARED ONE HUNDRED TWENTY P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A4"},127397:{"value":"1F1A5","name":"SQUARED LATIN SMALL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A5"},127398:{"value":"1F1A6","name":"SQUARED HC","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A6"},127399:{"value":"1F1A7","name":"SQUARED HDR","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A7"},127400:{"value":"1F1A8","name":"SQUARED HI-RES","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A8"},127401:{"value":"1F1A9","name":"SQUARED LOSSLESS","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1A9"},127402:{"value":"1F1AA","name":"SQUARED SHV","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1AA"},127403:{"value":"1F1AB","name":"SQUARED UHD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1AB"},127404:{"value":"1F1AC","name":"SQUARED VOD","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1AC"},127462:{"value":"1F1E6","name":"REGIONAL INDICATOR SYMBOL LETTER A","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1E6"},127463:{"value":"1F1E7","name":"REGIONAL INDICATOR SYMBOL LETTER B","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1E7"},127464:{"value":"1F1E8","name":"REGIONAL INDICATOR SYMBOL LETTER C","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1E8"},127465:{"value":"1F1E9","name":"REGIONAL INDICATOR SYMBOL LETTER D","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1E9"},127466:{"value":"1F1EA","name":"REGIONAL INDICATOR SYMBOL LETTER E","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1EA"},127467:{"value":"1F1EB","name":"REGIONAL INDICATOR SYMBOL LETTER F","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1EB"},127468:{"value":"1F1EC","name":"REGIONAL INDICATOR SYMBOL LETTER G","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1EC"},127469:{"value":"1F1ED","name":"REGIONAL INDICATOR SYMBOL LETTER H","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1ED"},127470:{"value":"1F1EE","name":"REGIONAL INDICATOR SYMBOL LETTER I","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1EE"},127471:{"value":"1F1EF","name":"REGIONAL INDICATOR SYMBOL LETTER J","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1EF"},127472:{"value":"1F1F0","name":"REGIONAL INDICATOR SYMBOL LETTER K","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F0"},127473:{"value":"1F1F1","name":"REGIONAL INDICATOR SYMBOL LETTER L","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F1"},127474:{"value":"1F1F2","name":"REGIONAL INDICATOR SYMBOL LETTER M","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F2"},127475:{"value":"1F1F3","name":"REGIONAL INDICATOR SYMBOL LETTER N","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F3"},127476:{"value":"1F1F4","name":"REGIONAL INDICATOR SYMBOL LETTER O","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F4"},127477:{"value":"1F1F5","name":"REGIONAL INDICATOR SYMBOL LETTER P","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F5"},127478:{"value":"1F1F6","name":"REGIONAL INDICATOR SYMBOL LETTER Q","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F6"},127479:{"value":"1F1F7","name":"REGIONAL INDICATOR SYMBOL LETTER R","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F7"},127480:{"value":"1F1F8","name":"REGIONAL INDICATOR SYMBOL LETTER S","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F8"},127481:{"value":"1F1F9","name":"REGIONAL INDICATOR SYMBOL LETTER T","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1F9"},127482:{"value":"1F1FA","name":"REGIONAL INDICATOR SYMBOL LETTER U","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FA"},127483:{"value":"1F1FB","name":"REGIONAL INDICATOR SYMBOL LETTER V","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FB"},127484:{"value":"1F1FC","name":"REGIONAL INDICATOR SYMBOL LETTER W","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FC"},127485:{"value":"1F1FD","name":"REGIONAL INDICATOR SYMBOL LETTER X","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FD"},127486:{"value":"1F1FE","name":"REGIONAL INDICATOR SYMBOL LETTER Y","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FE"},127487:{"value":"1F1FF","name":"REGIONAL INDICATOR SYMBOL LETTER Z","category":"So","class":"0","bidirectional_category":"L","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF1FF"},127488:{"value":"1F200","name":"SQUARE HIRAGANA HOKA","category":"So","class":"0","bidirectional_category":"L","mapping":" 307B 304B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF200"},127489:{"value":"1F201","name":"SQUARED KATAKANA KOKO","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B3 30B3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF201"},127490:{"value":"1F202","name":"SQUARED KATAKANA SA","category":"So","class":"0","bidirectional_category":"L","mapping":" 30B5","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF202"},127504:{"value":"1F210","name":"SQUARED CJK UNIFIED IDEOGRAPH-624B","category":"So","class":"0","bidirectional_category":"L","mapping":" 624B","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF210"},127505:{"value":"1F211","name":"SQUARED CJK UNIFIED IDEOGRAPH-5B57","category":"So","class":"0","bidirectional_category":"L","mapping":" 5B57","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF211"},127506:{"value":"1F212","name":"SQUARED CJK UNIFIED IDEOGRAPH-53CC","category":"So","class":"0","bidirectional_category":"L","mapping":" 53CC","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF212"},127507:{"value":"1F213","name":"SQUARED KATAKANA DE","category":"So","class":"0","bidirectional_category":"L","mapping":" 30C7","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF213"},127508:{"value":"1F214","name":"SQUARED CJK UNIFIED IDEOGRAPH-4E8C","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E8C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF214"},127509:{"value":"1F215","name":"SQUARED CJK UNIFIED IDEOGRAPH-591A","category":"So","class":"0","bidirectional_category":"L","mapping":" 591A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF215"},127510:{"value":"1F216","name":"SQUARED CJK UNIFIED IDEOGRAPH-89E3","category":"So","class":"0","bidirectional_category":"L","mapping":" 89E3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF216"},127511:{"value":"1F217","name":"SQUARED CJK UNIFIED IDEOGRAPH-5929","category":"So","class":"0","bidirectional_category":"L","mapping":" 5929","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF217"},127512:{"value":"1F218","name":"SQUARED CJK UNIFIED IDEOGRAPH-4EA4","category":"So","class":"0","bidirectional_category":"L","mapping":" 4EA4","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF218"},127513:{"value":"1F219","name":"SQUARED CJK UNIFIED IDEOGRAPH-6620","category":"So","class":"0","bidirectional_category":"L","mapping":" 6620","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF219"},127514:{"value":"1F21A","name":"SQUARED CJK UNIFIED IDEOGRAPH-7121","category":"So","class":"0","bidirectional_category":"L","mapping":" 7121","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21A"},127515:{"value":"1F21B","name":"SQUARED CJK UNIFIED IDEOGRAPH-6599","category":"So","class":"0","bidirectional_category":"L","mapping":" 6599","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21B"},127516:{"value":"1F21C","name":"SQUARED CJK UNIFIED IDEOGRAPH-524D","category":"So","class":"0","bidirectional_category":"L","mapping":" 524D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21C"},127517:{"value":"1F21D","name":"SQUARED CJK UNIFIED IDEOGRAPH-5F8C","category":"So","class":"0","bidirectional_category":"L","mapping":" 5F8C","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21D"},127518:{"value":"1F21E","name":"SQUARED CJK UNIFIED IDEOGRAPH-518D","category":"So","class":"0","bidirectional_category":"L","mapping":" 518D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21E"},127519:{"value":"1F21F","name":"SQUARED CJK UNIFIED IDEOGRAPH-65B0","category":"So","class":"0","bidirectional_category":"L","mapping":" 65B0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF21F"},127520:{"value":"1F220","name":"SQUARED CJK UNIFIED IDEOGRAPH-521D","category":"So","class":"0","bidirectional_category":"L","mapping":" 521D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF220"},127521:{"value":"1F221","name":"SQUARED CJK UNIFIED IDEOGRAPH-7D42","category":"So","class":"0","bidirectional_category":"L","mapping":" 7D42","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF221"},127522:{"value":"1F222","name":"SQUARED CJK UNIFIED IDEOGRAPH-751F","category":"So","class":"0","bidirectional_category":"L","mapping":" 751F","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF222"},127523:{"value":"1F223","name":"SQUARED CJK UNIFIED IDEOGRAPH-8CA9","category":"So","class":"0","bidirectional_category":"L","mapping":" 8CA9","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF223"},127524:{"value":"1F224","name":"SQUARED CJK UNIFIED IDEOGRAPH-58F0","category":"So","class":"0","bidirectional_category":"L","mapping":" 58F0","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF224"},127525:{"value":"1F225","name":"SQUARED CJK UNIFIED IDEOGRAPH-5439","category":"So","class":"0","bidirectional_category":"L","mapping":" 5439","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF225"},127526:{"value":"1F226","name":"SQUARED CJK UNIFIED IDEOGRAPH-6F14","category":"So","class":"0","bidirectional_category":"L","mapping":" 6F14","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF226"},127527:{"value":"1F227","name":"SQUARED CJK UNIFIED IDEOGRAPH-6295","category":"So","class":"0","bidirectional_category":"L","mapping":" 6295","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF227"},127528:{"value":"1F228","name":"SQUARED CJK UNIFIED IDEOGRAPH-6355","category":"So","class":"0","bidirectional_category":"L","mapping":" 6355","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF228"},127529:{"value":"1F229","name":"SQUARED CJK UNIFIED IDEOGRAPH-4E00","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E00","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF229"},127530:{"value":"1F22A","name":"SQUARED CJK UNIFIED IDEOGRAPH-4E09","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E09","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22A"},127531:{"value":"1F22B","name":"SQUARED CJK UNIFIED IDEOGRAPH-904A","category":"So","class":"0","bidirectional_category":"L","mapping":" 904A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22B"},127532:{"value":"1F22C","name":"SQUARED CJK UNIFIED IDEOGRAPH-5DE6","category":"So","class":"0","bidirectional_category":"L","mapping":" 5DE6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22C"},127533:{"value":"1F22D","name":"SQUARED CJK UNIFIED IDEOGRAPH-4E2D","category":"So","class":"0","bidirectional_category":"L","mapping":" 4E2D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22D"},127534:{"value":"1F22E","name":"SQUARED CJK UNIFIED IDEOGRAPH-53F3","category":"So","class":"0","bidirectional_category":"L","mapping":" 53F3","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22E"},127535:{"value":"1F22F","name":"SQUARED CJK UNIFIED IDEOGRAPH-6307","category":"So","class":"0","bidirectional_category":"L","mapping":" 6307","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF22F"},127536:{"value":"1F230","name":"SQUARED CJK UNIFIED IDEOGRAPH-8D70","category":"So","class":"0","bidirectional_category":"L","mapping":" 8D70","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF230"},127537:{"value":"1F231","name":"SQUARED CJK UNIFIED IDEOGRAPH-6253","category":"So","class":"0","bidirectional_category":"L","mapping":" 6253","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF231"},127538:{"value":"1F232","name":"SQUARED CJK UNIFIED IDEOGRAPH-7981","category":"So","class":"0","bidirectional_category":"L","mapping":" 7981","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF232"},127539:{"value":"1F233","name":"SQUARED CJK UNIFIED IDEOGRAPH-7A7A","category":"So","class":"0","bidirectional_category":"L","mapping":" 7A7A","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF233"},127540:{"value":"1F234","name":"SQUARED CJK UNIFIED IDEOGRAPH-5408","category":"So","class":"0","bidirectional_category":"L","mapping":" 5408","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF234"},127541:{"value":"1F235","name":"SQUARED CJK UNIFIED IDEOGRAPH-6E80","category":"So","class":"0","bidirectional_category":"L","mapping":" 6E80","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF235"},127542:{"value":"1F236","name":"SQUARED CJK UNIFIED IDEOGRAPH-6709","category":"So","class":"0","bidirectional_category":"L","mapping":" 6709","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF236"},127543:{"value":"1F237","name":"SQUARED CJK UNIFIED IDEOGRAPH-6708","category":"So","class":"0","bidirectional_category":"L","mapping":" 6708","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF237"},127544:{"value":"1F238","name":"SQUARED CJK UNIFIED IDEOGRAPH-7533","category":"So","class":"0","bidirectional_category":"L","mapping":" 7533","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF238"},127545:{"value":"1F239","name":"SQUARED CJK UNIFIED IDEOGRAPH-5272","category":"So","class":"0","bidirectional_category":"L","mapping":" 5272","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF239"},127546:{"value":"1F23A","name":"SQUARED CJK UNIFIED IDEOGRAPH-55B6","category":"So","class":"0","bidirectional_category":"L","mapping":" 55B6","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF23A"},127547:{"value":"1F23B","name":"SQUARED CJK UNIFIED IDEOGRAPH-914D","category":"So","class":"0","bidirectional_category":"L","mapping":" 914D","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF23B"},127552:{"value":"1F240","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-672C","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 672C 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF240"},127553:{"value":"1F241","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-4E09","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 4E09 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF241"},127554:{"value":"1F242","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-4E8C","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 4E8C 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF242"},127555:{"value":"1F243","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-5B89","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 5B89 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF243"},127556:{"value":"1F244","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-70B9","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 70B9 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF244"},127557:{"value":"1F245","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-6253","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 6253 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF245"},127558:{"value":"1F246","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-76D7","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 76D7 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF246"},127559:{"value":"1F247","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-52DD","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 52DD 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF247"},127560:{"value":"1F248","name":"TORTOISE SHELL BRACKETED CJK UNIFIED IDEOGRAPH-6557","category":"So","class":"0","bidirectional_category":"L","mapping":" 3014 6557 3015","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF248"},127568:{"value":"1F250","name":"CIRCLED IDEOGRAPH ADVANTAGE","category":"So","class":"0","bidirectional_category":"L","mapping":" 5F97","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF250"},127569:{"value":"1F251","name":"CIRCLED IDEOGRAPH ACCEPT","category":"So","class":"0","bidirectional_category":"L","mapping":" 53EF","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF251"},127584:{"value":"1F260","name":"ROUNDED SYMBOL FOR FU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF260"},127585:{"value":"1F261","name":"ROUNDED SYMBOL FOR LU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF261"},127586:{"value":"1F262","name":"ROUNDED SYMBOL FOR SHOU","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF262"},127587:{"value":"1F263","name":"ROUNDED SYMBOL FOR XI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF263"},127588:{"value":"1F264","name":"ROUNDED SYMBOL FOR SHUANGXI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF264"},127589:{"value":"1F265","name":"ROUNDED SYMBOL FOR CAI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF265"},127744:{"value":"1F300","name":"CYCLONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF300"},127745:{"value":"1F301","name":"FOGGY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF301"},127746:{"value":"1F302","name":"CLOSED UMBRELLA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF302"},127747:{"value":"1F303","name":"NIGHT WITH STARS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF303"},127748:{"value":"1F304","name":"SUNRISE OVER MOUNTAINS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF304"},127749:{"value":"1F305","name":"SUNRISE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF305"},127750:{"value":"1F306","name":"CITYSCAPE AT DUSK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF306"},127751:{"value":"1F307","name":"SUNSET OVER BUILDINGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF307"},127752:{"value":"1F308","name":"RAINBOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF308"},127753:{"value":"1F309","name":"BRIDGE AT NIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF309"},127754:{"value":"1F30A","name":"WATER WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30A"},127755:{"value":"1F30B","name":"VOLCANO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30B"},127756:{"value":"1F30C","name":"MILKY WAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30C"},127757:{"value":"1F30D","name":"EARTH GLOBE EUROPE-AFRICA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30D"},127758:{"value":"1F30E","name":"EARTH GLOBE AMERICAS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30E"},127759:{"value":"1F30F","name":"EARTH GLOBE ASIA-AUSTRALIA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF30F"},127760:{"value":"1F310","name":"GLOBE WITH MERIDIANS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF310"},127761:{"value":"1F311","name":"NEW MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF311"},127762:{"value":"1F312","name":"WAXING CRESCENT MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF312"},127763:{"value":"1F313","name":"FIRST QUARTER MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF313"},127764:{"value":"1F314","name":"WAXING GIBBOUS MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF314"},127765:{"value":"1F315","name":"FULL MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF315"},127766:{"value":"1F316","name":"WANING GIBBOUS MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF316"},127767:{"value":"1F317","name":"LAST QUARTER MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF317"},127768:{"value":"1F318","name":"WANING CRESCENT MOON SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF318"},127769:{"value":"1F319","name":"CRESCENT MOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF319"},127770:{"value":"1F31A","name":"NEW MOON WITH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31A"},127771:{"value":"1F31B","name":"FIRST QUARTER MOON WITH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31B"},127772:{"value":"1F31C","name":"LAST QUARTER MOON WITH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31C"},127773:{"value":"1F31D","name":"FULL MOON WITH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31D"},127774:{"value":"1F31E","name":"SUN WITH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31E"},127775:{"value":"1F31F","name":"GLOWING STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF31F"},127776:{"value":"1F320","name":"SHOOTING STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF320"},127777:{"value":"1F321","name":"THERMOMETER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF321"},127778:{"value":"1F322","name":"BLACK DROPLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF322"},127779:{"value":"1F323","name":"WHITE SUN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF323"},127780:{"value":"1F324","name":"WHITE SUN WITH SMALL CLOUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF324"},127781:{"value":"1F325","name":"WHITE SUN BEHIND CLOUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF325"},127782:{"value":"1F326","name":"WHITE SUN BEHIND CLOUD WITH RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF326"},127783:{"value":"1F327","name":"CLOUD WITH RAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF327"},127784:{"value":"1F328","name":"CLOUD WITH SNOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF328"},127785:{"value":"1F329","name":"CLOUD WITH LIGHTNING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF329"},127786:{"value":"1F32A","name":"CLOUD WITH TORNADO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32A"},127787:{"value":"1F32B","name":"FOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32B"},127788:{"value":"1F32C","name":"WIND BLOWING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32C"},127789:{"value":"1F32D","name":"HOT DOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32D"},127790:{"value":"1F32E","name":"TACO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32E"},127791:{"value":"1F32F","name":"BURRITO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF32F"},127792:{"value":"1F330","name":"CHESTNUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF330"},127793:{"value":"1F331","name":"SEEDLING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF331"},127794:{"value":"1F332","name":"EVERGREEN TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF332"},127795:{"value":"1F333","name":"DECIDUOUS TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF333"},127796:{"value":"1F334","name":"PALM TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF334"},127797:{"value":"1F335","name":"CACTUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF335"},127798:{"value":"1F336","name":"HOT PEPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF336"},127799:{"value":"1F337","name":"TULIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF337"},127800:{"value":"1F338","name":"CHERRY BLOSSOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF338"},127801:{"value":"1F339","name":"ROSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF339"},127802:{"value":"1F33A","name":"HIBISCUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33A"},127803:{"value":"1F33B","name":"SUNFLOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33B"},127804:{"value":"1F33C","name":"BLOSSOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33C"},127805:{"value":"1F33D","name":"EAR OF MAIZE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33D"},127806:{"value":"1F33E","name":"EAR OF RICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33E"},127807:{"value":"1F33F","name":"HERB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF33F"},127808:{"value":"1F340","name":"FOUR LEAF CLOVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF340"},127809:{"value":"1F341","name":"MAPLE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF341"},127810:{"value":"1F342","name":"FALLEN LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF342"},127811:{"value":"1F343","name":"LEAF FLUTTERING IN WIND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF343"},127812:{"value":"1F344","name":"MUSHROOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF344"},127813:{"value":"1F345","name":"TOMATO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF345"},127814:{"value":"1F346","name":"AUBERGINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF346"},127815:{"value":"1F347","name":"GRAPES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF347"},127816:{"value":"1F348","name":"MELON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF348"},127817:{"value":"1F349","name":"WATERMELON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF349"},127818:{"value":"1F34A","name":"TANGERINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34A"},127819:{"value":"1F34B","name":"LEMON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34B"},127820:{"value":"1F34C","name":"BANANA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34C"},127821:{"value":"1F34D","name":"PINEAPPLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34D"},127822:{"value":"1F34E","name":"RED APPLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34E"},127823:{"value":"1F34F","name":"GREEN APPLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF34F"},127824:{"value":"1F350","name":"PEAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF350"},127825:{"value":"1F351","name":"PEACH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF351"},127826:{"value":"1F352","name":"CHERRIES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF352"},127827:{"value":"1F353","name":"STRAWBERRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF353"},127828:{"value":"1F354","name":"HAMBURGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF354"},127829:{"value":"1F355","name":"SLICE OF PIZZA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF355"},127830:{"value":"1F356","name":"MEAT ON BONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF356"},127831:{"value":"1F357","name":"POULTRY LEG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF357"},127832:{"value":"1F358","name":"RICE CRACKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF358"},127833:{"value":"1F359","name":"RICE BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF359"},127834:{"value":"1F35A","name":"COOKED RICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35A"},127835:{"value":"1F35B","name":"CURRY AND RICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35B"},127836:{"value":"1F35C","name":"STEAMING BOWL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35C"},127837:{"value":"1F35D","name":"SPAGHETTI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35D"},127838:{"value":"1F35E","name":"BREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35E"},127839:{"value":"1F35F","name":"FRENCH FRIES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF35F"},127840:{"value":"1F360","name":"ROASTED SWEET POTATO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF360"},127841:{"value":"1F361","name":"DANGO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF361"},127842:{"value":"1F362","name":"ODEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF362"},127843:{"value":"1F363","name":"SUSHI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF363"},127844:{"value":"1F364","name":"FRIED SHRIMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF364"},127845:{"value":"1F365","name":"FISH CAKE WITH SWIRL DESIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF365"},127846:{"value":"1F366","name":"SOFT ICE CREAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF366"},127847:{"value":"1F367","name":"SHAVED ICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF367"},127848:{"value":"1F368","name":"ICE CREAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF368"},127849:{"value":"1F369","name":"DOUGHNUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF369"},127850:{"value":"1F36A","name":"COOKIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36A"},127851:{"value":"1F36B","name":"CHOCOLATE BAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36B"},127852:{"value":"1F36C","name":"CANDY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36C"},127853:{"value":"1F36D","name":"LOLLIPOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36D"},127854:{"value":"1F36E","name":"CUSTARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36E"},127855:{"value":"1F36F","name":"HONEY POT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF36F"},127856:{"value":"1F370","name":"SHORTCAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF370"},127857:{"value":"1F371","name":"BENTO BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF371"},127858:{"value":"1F372","name":"POT OF FOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF372"},127859:{"value":"1F373","name":"COOKING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF373"},127860:{"value":"1F374","name":"FORK AND KNIFE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF374"},127861:{"value":"1F375","name":"TEACUP WITHOUT HANDLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF375"},127862:{"value":"1F376","name":"SAKE BOTTLE AND CUP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF376"},127863:{"value":"1F377","name":"WINE GLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF377"},127864:{"value":"1F378","name":"COCKTAIL GLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF378"},127865:{"value":"1F379","name":"TROPICAL DRINK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF379"},127866:{"value":"1F37A","name":"BEER MUG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37A"},127867:{"value":"1F37B","name":"CLINKING BEER MUGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37B"},127868:{"value":"1F37C","name":"BABY BOTTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37C"},127869:{"value":"1F37D","name":"FORK AND KNIFE WITH PLATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37D"},127870:{"value":"1F37E","name":"BOTTLE WITH POPPING CORK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37E"},127871:{"value":"1F37F","name":"POPCORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF37F"},127872:{"value":"1F380","name":"RIBBON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF380"},127873:{"value":"1F381","name":"WRAPPED PRESENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF381"},127874:{"value":"1F382","name":"BIRTHDAY CAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF382"},127875:{"value":"1F383","name":"JACK-O-LANTERN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF383"},127876:{"value":"1F384","name":"CHRISTMAS TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF384"},127877:{"value":"1F385","name":"FATHER CHRISTMAS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF385"},127878:{"value":"1F386","name":"FIREWORKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF386"},127879:{"value":"1F387","name":"FIREWORK SPARKLER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF387"},127880:{"value":"1F388","name":"BALLOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF388"},127881:{"value":"1F389","name":"PARTY POPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF389"},127882:{"value":"1F38A","name":"CONFETTI BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38A"},127883:{"value":"1F38B","name":"TANABATA TREE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38B"},127884:{"value":"1F38C","name":"CROSSED FLAGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38C"},127885:{"value":"1F38D","name":"PINE DECORATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38D"},127886:{"value":"1F38E","name":"JAPANESE DOLLS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38E"},127887:{"value":"1F38F","name":"CARP STREAMER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF38F"},127888:{"value":"1F390","name":"WIND CHIME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF390"},127889:{"value":"1F391","name":"MOON VIEWING CEREMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF391"},127890:{"value":"1F392","name":"SCHOOL SATCHEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF392"},127891:{"value":"1F393","name":"GRADUATION CAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF393"},127892:{"value":"1F394","name":"HEART WITH TIP ON THE LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF394"},127893:{"value":"1F395","name":"BOUQUET OF FLOWERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF395"},127894:{"value":"1F396","name":"MILITARY MEDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF396"},127895:{"value":"1F397","name":"REMINDER RIBBON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF397"},127896:{"value":"1F398","name":"MUSICAL KEYBOARD WITH JACKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF398"},127897:{"value":"1F399","name":"STUDIO MICROPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF399"},127898:{"value":"1F39A","name":"LEVEL SLIDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39A"},127899:{"value":"1F39B","name":"CONTROL KNOBS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39B"},127900:{"value":"1F39C","name":"BEAMED ASCENDING MUSICAL NOTES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39C"},127901:{"value":"1F39D","name":"BEAMED DESCENDING MUSICAL NOTES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39D"},127902:{"value":"1F39E","name":"FILM FRAMES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39E"},127903:{"value":"1F39F","name":"ADMISSION TICKETS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF39F"},127904:{"value":"1F3A0","name":"CAROUSEL HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A0"},127905:{"value":"1F3A1","name":"FERRIS WHEEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A1"},127906:{"value":"1F3A2","name":"ROLLER COASTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A2"},127907:{"value":"1F3A3","name":"FISHING POLE AND FISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A3"},127908:{"value":"1F3A4","name":"MICROPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A4"},127909:{"value":"1F3A5","name":"MOVIE CAMERA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A5"},127910:{"value":"1F3A6","name":"CINEMA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A6"},127911:{"value":"1F3A7","name":"HEADPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A7"},127912:{"value":"1F3A8","name":"ARTIST PALETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A8"},127913:{"value":"1F3A9","name":"TOP HAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3A9"},127914:{"value":"1F3AA","name":"CIRCUS TENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AA"},127915:{"value":"1F3AB","name":"TICKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AB"},127916:{"value":"1F3AC","name":"CLAPPER BOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AC"},127917:{"value":"1F3AD","name":"PERFORMING ARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AD"},127918:{"value":"1F3AE","name":"VIDEO GAME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AE"},127919:{"value":"1F3AF","name":"DIRECT HIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3AF"},127920:{"value":"1F3B0","name":"SLOT MACHINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B0"},127921:{"value":"1F3B1","name":"BILLIARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B1"},127922:{"value":"1F3B2","name":"GAME DIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B2"},127923:{"value":"1F3B3","name":"BOWLING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B3"},127924:{"value":"1F3B4","name":"FLOWER PLAYING CARDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B4"},127925:{"value":"1F3B5","name":"MUSICAL NOTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B5"},127926:{"value":"1F3B6","name":"MULTIPLE MUSICAL NOTES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B6"},127927:{"value":"1F3B7","name":"SAXOPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B7"},127928:{"value":"1F3B8","name":"GUITAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B8"},127929:{"value":"1F3B9","name":"MUSICAL KEYBOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3B9"},127930:{"value":"1F3BA","name":"TRUMPET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BA"},127931:{"value":"1F3BB","name":"VIOLIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BB"},127932:{"value":"1F3BC","name":"MUSICAL SCORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BC"},127933:{"value":"1F3BD","name":"RUNNING SHIRT WITH SASH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BD"},127934:{"value":"1F3BE","name":"TENNIS RACQUET AND BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BE"},127935:{"value":"1F3BF","name":"SKI AND SKI BOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3BF"},127936:{"value":"1F3C0","name":"BASKETBALL AND HOOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C0"},127937:{"value":"1F3C1","name":"CHEQUERED FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C1"},127938:{"value":"1F3C2","name":"SNOWBOARDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C2"},127939:{"value":"1F3C3","name":"RUNNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C3"},127940:{"value":"1F3C4","name":"SURFER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C4"},127941:{"value":"1F3C5","name":"SPORTS MEDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C5"},127942:{"value":"1F3C6","name":"TROPHY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C6"},127943:{"value":"1F3C7","name":"HORSE RACING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C7"},127944:{"value":"1F3C8","name":"AMERICAN FOOTBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C8"},127945:{"value":"1F3C9","name":"RUGBY FOOTBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3C9"},127946:{"value":"1F3CA","name":"SWIMMER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CA"},127947:{"value":"1F3CB","name":"WEIGHT LIFTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CB"},127948:{"value":"1F3CC","name":"GOLFER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CC"},127949:{"value":"1F3CD","name":"RACING MOTORCYCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CD"},127950:{"value":"1F3CE","name":"RACING CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CE"},127951:{"value":"1F3CF","name":"CRICKET BAT AND BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3CF"},127952:{"value":"1F3D0","name":"VOLLEYBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D0"},127953:{"value":"1F3D1","name":"FIELD HOCKEY STICK AND BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D1"},127954:{"value":"1F3D2","name":"ICE HOCKEY STICK AND PUCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D2"},127955:{"value":"1F3D3","name":"TABLE TENNIS PADDLE AND BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D3"},127956:{"value":"1F3D4","name":"SNOW CAPPED MOUNTAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D4"},127957:{"value":"1F3D5","name":"CAMPING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D5"},127958:{"value":"1F3D6","name":"BEACH WITH UMBRELLA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D6"},127959:{"value":"1F3D7","name":"BUILDING CONSTRUCTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D7"},127960:{"value":"1F3D8","name":"HOUSE BUILDINGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D8"},127961:{"value":"1F3D9","name":"CITYSCAPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3D9"},127962:{"value":"1F3DA","name":"DERELICT HOUSE BUILDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DA"},127963:{"value":"1F3DB","name":"CLASSICAL BUILDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DB"},127964:{"value":"1F3DC","name":"DESERT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DC"},127965:{"value":"1F3DD","name":"DESERT ISLAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DD"},127966:{"value":"1F3DE","name":"NATIONAL PARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DE"},127967:{"value":"1F3DF","name":"STADIUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3DF"},127968:{"value":"1F3E0","name":"HOUSE BUILDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E0"},127969:{"value":"1F3E1","name":"HOUSE WITH GARDEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E1"},127970:{"value":"1F3E2","name":"OFFICE BUILDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E2"},127971:{"value":"1F3E3","name":"JAPANESE POST OFFICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E3"},127972:{"value":"1F3E4","name":"EUROPEAN POST OFFICE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E4"},127973:{"value":"1F3E5","name":"HOSPITAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E5"},127974:{"value":"1F3E6","name":"BANK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E6"},127975:{"value":"1F3E7","name":"AUTOMATED TELLER MACHINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E7"},127976:{"value":"1F3E8","name":"HOTEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E8"},127977:{"value":"1F3E9","name":"LOVE HOTEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3E9"},127978:{"value":"1F3EA","name":"CONVENIENCE STORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3EA"},127979:{"value":"1F3EB","name":"SCHOOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3EB"},127980:{"value":"1F3EC","name":"DEPARTMENT STORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3EC"},127981:{"value":"1F3ED","name":"FACTORY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3ED"},127982:{"value":"1F3EE","name":"IZAKAYA LANTERN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3EE"},127983:{"value":"1F3EF","name":"JAPANESE CASTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3EF"},127984:{"value":"1F3F0","name":"EUROPEAN CASTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F0"},127985:{"value":"1F3F1","name":"WHITE PENNANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F1"},127986:{"value":"1F3F2","name":"BLACK PENNANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F2"},127987:{"value":"1F3F3","name":"WAVING WHITE FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F3"},127988:{"value":"1F3F4","name":"WAVING BLACK FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F4"},127989:{"value":"1F3F5","name":"ROSETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F5"},127990:{"value":"1F3F6","name":"BLACK ROSETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F6"},127991:{"value":"1F3F7","name":"LABEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F7"},127992:{"value":"1F3F8","name":"BADMINTON RACQUET AND SHUTTLECOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F8"},127993:{"value":"1F3F9","name":"BOW AND ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3F9"},127994:{"value":"1F3FA","name":"AMPHORA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF3FA"},128000:{"value":"1F400","name":"RAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF400"},128001:{"value":"1F401","name":"MOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF401"},128002:{"value":"1F402","name":"OX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF402"},128003:{"value":"1F403","name":"WATER BUFFALO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF403"},128004:{"value":"1F404","name":"COW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF404"},128005:{"value":"1F405","name":"TIGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF405"},128006:{"value":"1F406","name":"LEOPARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF406"},128007:{"value":"1F407","name":"RABBIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF407"},128008:{"value":"1F408","name":"CAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF408"},128009:{"value":"1F409","name":"DRAGON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF409"},128010:{"value":"1F40A","name":"CROCODILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40A"},128011:{"value":"1F40B","name":"WHALE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40B"},128012:{"value":"1F40C","name":"SNAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40C"},128013:{"value":"1F40D","name":"SNAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40D"},128014:{"value":"1F40E","name":"HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40E"},128015:{"value":"1F40F","name":"RAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF40F"},128016:{"value":"1F410","name":"GOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF410"},128017:{"value":"1F411","name":"SHEEP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF411"},128018:{"value":"1F412","name":"MONKEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF412"},128019:{"value":"1F413","name":"ROOSTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF413"},128020:{"value":"1F414","name":"CHICKEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF414"},128021:{"value":"1F415","name":"DOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF415"},128022:{"value":"1F416","name":"PIG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF416"},128023:{"value":"1F417","name":"BOAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF417"},128024:{"value":"1F418","name":"ELEPHANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF418"},128025:{"value":"1F419","name":"OCTOPUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF419"},128026:{"value":"1F41A","name":"SPIRAL SHELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41A"},128027:{"value":"1F41B","name":"BUG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41B"},128028:{"value":"1F41C","name":"ANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41C"},128029:{"value":"1F41D","name":"HONEYBEE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41D"},128030:{"value":"1F41E","name":"LADY BEETLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41E"},128031:{"value":"1F41F","name":"FISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF41F"},128032:{"value":"1F420","name":"TROPICAL FISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF420"},128033:{"value":"1F421","name":"BLOWFISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF421"},128034:{"value":"1F422","name":"TURTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF422"},128035:{"value":"1F423","name":"HATCHING CHICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF423"},128036:{"value":"1F424","name":"BABY CHICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF424"},128037:{"value":"1F425","name":"FRONT-FACING BABY CHICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF425"},128038:{"value":"1F426","name":"BIRD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF426"},128039:{"value":"1F427","name":"PENGUIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF427"},128040:{"value":"1F428","name":"KOALA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF428"},128041:{"value":"1F429","name":"POODLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF429"},128042:{"value":"1F42A","name":"DROMEDARY CAMEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42A"},128043:{"value":"1F42B","name":"BACTRIAN CAMEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42B"},128044:{"value":"1F42C","name":"DOLPHIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42C"},128045:{"value":"1F42D","name":"MOUSE FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42D"},128046:{"value":"1F42E","name":"COW FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42E"},128047:{"value":"1F42F","name":"TIGER FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF42F"},128048:{"value":"1F430","name":"RABBIT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF430"},128049:{"value":"1F431","name":"CAT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF431"},128050:{"value":"1F432","name":"DRAGON FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF432"},128051:{"value":"1F433","name":"SPOUTING WHALE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF433"},128052:{"value":"1F434","name":"HORSE FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF434"},128053:{"value":"1F435","name":"MONKEY FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF435"},128054:{"value":"1F436","name":"DOG FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF436"},128055:{"value":"1F437","name":"PIG FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF437"},128056:{"value":"1F438","name":"FROG FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF438"},128057:{"value":"1F439","name":"HAMSTER FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF439"},128058:{"value":"1F43A","name":"WOLF FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43A"},128059:{"value":"1F43B","name":"BEAR FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43B"},128060:{"value":"1F43C","name":"PANDA FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43C"},128061:{"value":"1F43D","name":"PIG NOSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43D"},128062:{"value":"1F43E","name":"PAW PRINTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43E"},128063:{"value":"1F43F","name":"CHIPMUNK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF43F"},128064:{"value":"1F440","name":"EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF440"},128065:{"value":"1F441","name":"EYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF441"},128066:{"value":"1F442","name":"EAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF442"},128067:{"value":"1F443","name":"NOSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF443"},128068:{"value":"1F444","name":"MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF444"},128069:{"value":"1F445","name":"TONGUE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF445"},128070:{"value":"1F446","name":"WHITE UP POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF446"},128071:{"value":"1F447","name":"WHITE DOWN POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF447"},128072:{"value":"1F448","name":"WHITE LEFT POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF448"},128073:{"value":"1F449","name":"WHITE RIGHT POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF449"},128074:{"value":"1F44A","name":"FISTED HAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44A"},128075:{"value":"1F44B","name":"WAVING HAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44B"},128076:{"value":"1F44C","name":"OK HAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44C"},128077:{"value":"1F44D","name":"THUMBS UP SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44D"},128078:{"value":"1F44E","name":"THUMBS DOWN SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44E"},128079:{"value":"1F44F","name":"CLAPPING HANDS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF44F"},128080:{"value":"1F450","name":"OPEN HANDS SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF450"},128081:{"value":"1F451","name":"CROWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF451"},128082:{"value":"1F452","name":"WOMANS HAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF452"},128083:{"value":"1F453","name":"EYEGLASSES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF453"},128084:{"value":"1F454","name":"NECKTIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF454"},128085:{"value":"1F455","name":"T-SHIRT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF455"},128086:{"value":"1F456","name":"JEANS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF456"},128087:{"value":"1F457","name":"DRESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF457"},128088:{"value":"1F458","name":"KIMONO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF458"},128089:{"value":"1F459","name":"BIKINI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF459"},128090:{"value":"1F45A","name":"WOMANS CLOTHES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45A"},128091:{"value":"1F45B","name":"PURSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45B"},128092:{"value":"1F45C","name":"HANDBAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45C"},128093:{"value":"1F45D","name":"POUCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45D"},128094:{"value":"1F45E","name":"MANS SHOE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45E"},128095:{"value":"1F45F","name":"ATHLETIC SHOE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF45F"},128096:{"value":"1F460","name":"HIGH-HEELED SHOE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF460"},128097:{"value":"1F461","name":"WOMANS SANDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF461"},128098:{"value":"1F462","name":"WOMANS BOOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF462"},128099:{"value":"1F463","name":"FOOTPRINTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF463"},128100:{"value":"1F464","name":"BUST IN SILHOUETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF464"},128101:{"value":"1F465","name":"BUSTS IN SILHOUETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF465"},128102:{"value":"1F466","name":"BOY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF466"},128103:{"value":"1F467","name":"GIRL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF467"},128104:{"value":"1F468","name":"MAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF468"},128105:{"value":"1F469","name":"WOMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF469"},128106:{"value":"1F46A","name":"FAMILY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46A"},128107:{"value":"1F46B","name":"MAN AND WOMAN HOLDING HANDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46B"},128108:{"value":"1F46C","name":"TWO MEN HOLDING HANDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46C"},128109:{"value":"1F46D","name":"TWO WOMEN HOLDING HANDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46D"},128110:{"value":"1F46E","name":"POLICE OFFICER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46E"},128111:{"value":"1F46F","name":"WOMAN WITH BUNNY EARS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF46F"},128112:{"value":"1F470","name":"BRIDE WITH VEIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF470"},128113:{"value":"1F471","name":"PERSON WITH BLOND HAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF471"},128114:{"value":"1F472","name":"MAN WITH GUA PI MAO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF472"},128115:{"value":"1F473","name":"MAN WITH TURBAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF473"},128116:{"value":"1F474","name":"OLDER MAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF474"},128117:{"value":"1F475","name":"OLDER WOMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF475"},128118:{"value":"1F476","name":"BABY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF476"},128119:{"value":"1F477","name":"CONSTRUCTION WORKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF477"},128120:{"value":"1F478","name":"PRINCESS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF478"},128121:{"value":"1F479","name":"JAPANESE OGRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF479"},128122:{"value":"1F47A","name":"JAPANESE GOBLIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47A"},128123:{"value":"1F47B","name":"GHOST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47B"},128124:{"value":"1F47C","name":"BABY ANGEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47C"},128125:{"value":"1F47D","name":"EXTRATERRESTRIAL ALIEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47D"},128126:{"value":"1F47E","name":"ALIEN MONSTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47E"},128127:{"value":"1F47F","name":"IMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF47F"},128128:{"value":"1F480","name":"SKULL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF480"},128129:{"value":"1F481","name":"INFORMATION DESK PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF481"},128130:{"value":"1F482","name":"GUARDSMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF482"},128131:{"value":"1F483","name":"DANCER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF483"},128132:{"value":"1F484","name":"LIPSTICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF484"},128133:{"value":"1F485","name":"NAIL POLISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF485"},128134:{"value":"1F486","name":"FACE MASSAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF486"},128135:{"value":"1F487","name":"HAIRCUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF487"},128136:{"value":"1F488","name":"BARBER POLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF488"},128137:{"value":"1F489","name":"SYRINGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF489"},128138:{"value":"1F48A","name":"PILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48A"},128139:{"value":"1F48B","name":"KISS MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48B"},128140:{"value":"1F48C","name":"LOVE LETTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48C"},128141:{"value":"1F48D","name":"RING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48D"},128142:{"value":"1F48E","name":"GEM STONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48E"},128143:{"value":"1F48F","name":"KISS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF48F"},128144:{"value":"1F490","name":"BOUQUET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF490"},128145:{"value":"1F491","name":"COUPLE WITH HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF491"},128146:{"value":"1F492","name":"WEDDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF492"},128147:{"value":"1F493","name":"BEATING HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF493"},128148:{"value":"1F494","name":"BROKEN HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF494"},128149:{"value":"1F495","name":"TWO HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF495"},128150:{"value":"1F496","name":"SPARKLING HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF496"},128151:{"value":"1F497","name":"GROWING HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF497"},128152:{"value":"1F498","name":"HEART WITH ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF498"},128153:{"value":"1F499","name":"BLUE HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF499"},128154:{"value":"1F49A","name":"GREEN HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49A"},128155:{"value":"1F49B","name":"YELLOW HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49B"},128156:{"value":"1F49C","name":"PURPLE HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49C"},128157:{"value":"1F49D","name":"HEART WITH RIBBON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49D"},128158:{"value":"1F49E","name":"REVOLVING HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49E"},128159:{"value":"1F49F","name":"HEART DECORATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF49F"},128160:{"value":"1F4A0","name":"DIAMOND SHAPE WITH A DOT INSIDE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A0"},128161:{"value":"1F4A1","name":"ELECTRIC LIGHT BULB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A1"},128162:{"value":"1F4A2","name":"ANGER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A2"},128163:{"value":"1F4A3","name":"BOMB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A3"},128164:{"value":"1F4A4","name":"SLEEPING SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A4"},128165:{"value":"1F4A5","name":"COLLISION SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A5"},128166:{"value":"1F4A6","name":"SPLASHING SWEAT SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A6"},128167:{"value":"1F4A7","name":"DROPLET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A7"},128168:{"value":"1F4A8","name":"DASH SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A8"},128169:{"value":"1F4A9","name":"PILE OF POO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4A9"},128170:{"value":"1F4AA","name":"FLEXED BICEPS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AA"},128171:{"value":"1F4AB","name":"DIZZY SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AB"},128172:{"value":"1F4AC","name":"SPEECH BALLOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AC"},128173:{"value":"1F4AD","name":"THOUGHT BALLOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AD"},128174:{"value":"1F4AE","name":"WHITE FLOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AE"},128175:{"value":"1F4AF","name":"HUNDRED POINTS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4AF"},128176:{"value":"1F4B0","name":"MONEY BAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B0"},128177:{"value":"1F4B1","name":"CURRENCY EXCHANGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B1"},128178:{"value":"1F4B2","name":"HEAVY DOLLAR SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B2"},128179:{"value":"1F4B3","name":"CREDIT CARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B3"},128180:{"value":"1F4B4","name":"BANKNOTE WITH YEN SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B4"},128181:{"value":"1F4B5","name":"BANKNOTE WITH DOLLAR SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B5"},128182:{"value":"1F4B6","name":"BANKNOTE WITH EURO SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B6"},128183:{"value":"1F4B7","name":"BANKNOTE WITH POUND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B7"},128184:{"value":"1F4B8","name":"MONEY WITH WINGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B8"},128185:{"value":"1F4B9","name":"CHART WITH UPWARDS TREND AND YEN SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4B9"},128186:{"value":"1F4BA","name":"SEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BA"},128187:{"value":"1F4BB","name":"PERSONAL COMPUTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BB"},128188:{"value":"1F4BC","name":"BRIEFCASE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BC"},128189:{"value":"1F4BD","name":"MINIDISC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BD"},128190:{"value":"1F4BE","name":"FLOPPY DISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BE"},128191:{"value":"1F4BF","name":"OPTICAL DISC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4BF"},128192:{"value":"1F4C0","name":"DVD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C0"},128193:{"value":"1F4C1","name":"FILE FOLDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C1"},128194:{"value":"1F4C2","name":"OPEN FILE FOLDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C2"},128195:{"value":"1F4C3","name":"PAGE WITH CURL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C3"},128196:{"value":"1F4C4","name":"PAGE FACING UP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C4"},128197:{"value":"1F4C5","name":"CALENDAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C5"},128198:{"value":"1F4C6","name":"TEAR-OFF CALENDAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C6"},128199:{"value":"1F4C7","name":"CARD INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C7"},128200:{"value":"1F4C8","name":"CHART WITH UPWARDS TREND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C8"},128201:{"value":"1F4C9","name":"CHART WITH DOWNWARDS TREND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4C9"},128202:{"value":"1F4CA","name":"BAR CHART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CA"},128203:{"value":"1F4CB","name":"CLIPBOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CB"},128204:{"value":"1F4CC","name":"PUSHPIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CC"},128205:{"value":"1F4CD","name":"ROUND PUSHPIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CD"},128206:{"value":"1F4CE","name":"PAPERCLIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CE"},128207:{"value":"1F4CF","name":"STRAIGHT RULER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4CF"},128208:{"value":"1F4D0","name":"TRIANGULAR RULER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D0"},128209:{"value":"1F4D1","name":"BOOKMARK TABS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D1"},128210:{"value":"1F4D2","name":"LEDGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D2"},128211:{"value":"1F4D3","name":"NOTEBOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D3"},128212:{"value":"1F4D4","name":"NOTEBOOK WITH DECORATIVE COVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D4"},128213:{"value":"1F4D5","name":"CLOSED BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D5"},128214:{"value":"1F4D6","name":"OPEN BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D6"},128215:{"value":"1F4D7","name":"GREEN BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D7"},128216:{"value":"1F4D8","name":"BLUE BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D8"},128217:{"value":"1F4D9","name":"ORANGE BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4D9"},128218:{"value":"1F4DA","name":"BOOKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DA"},128219:{"value":"1F4DB","name":"NAME BADGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DB"},128220:{"value":"1F4DC","name":"SCROLL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DC"},128221:{"value":"1F4DD","name":"MEMO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DD"},128222:{"value":"1F4DE","name":"TELEPHONE RECEIVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DE"},128223:{"value":"1F4DF","name":"PAGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4DF"},128224:{"value":"1F4E0","name":"FAX MACHINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E0"},128225:{"value":"1F4E1","name":"SATELLITE ANTENNA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E1"},128226:{"value":"1F4E2","name":"PUBLIC ADDRESS LOUDSPEAKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E2"},128227:{"value":"1F4E3","name":"CHEERING MEGAPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E3"},128228:{"value":"1F4E4","name":"OUTBOX TRAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E4"},128229:{"value":"1F4E5","name":"INBOX TRAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E5"},128230:{"value":"1F4E6","name":"PACKAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E6"},128231:{"value":"1F4E7","name":"E-MAIL SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E7"},128232:{"value":"1F4E8","name":"INCOMING ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E8"},128233:{"value":"1F4E9","name":"ENVELOPE WITH DOWNWARDS ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4E9"},128234:{"value":"1F4EA","name":"CLOSED MAILBOX WITH LOWERED FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4EA"},128235:{"value":"1F4EB","name":"CLOSED MAILBOX WITH RAISED FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4EB"},128236:{"value":"1F4EC","name":"OPEN MAILBOX WITH RAISED FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4EC"},128237:{"value":"1F4ED","name":"OPEN MAILBOX WITH LOWERED FLAG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4ED"},128238:{"value":"1F4EE","name":"POSTBOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4EE"},128239:{"value":"1F4EF","name":"POSTAL HORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4EF"},128240:{"value":"1F4F0","name":"NEWSPAPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F0"},128241:{"value":"1F4F1","name":"MOBILE PHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F1"},128242:{"value":"1F4F2","name":"MOBILE PHONE WITH RIGHTWARDS ARROW AT LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F2"},128243:{"value":"1F4F3","name":"VIBRATION MODE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F3"},128244:{"value":"1F4F4","name":"MOBILE PHONE OFF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F4"},128245:{"value":"1F4F5","name":"NO MOBILE PHONES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F5"},128246:{"value":"1F4F6","name":"ANTENNA WITH BARS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F6"},128247:{"value":"1F4F7","name":"CAMERA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F7"},128248:{"value":"1F4F8","name":"CAMERA WITH FLASH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F8"},128249:{"value":"1F4F9","name":"VIDEO CAMERA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4F9"},128250:{"value":"1F4FA","name":"TELEVISION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FA"},128251:{"value":"1F4FB","name":"RADIO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FB"},128252:{"value":"1F4FC","name":"VIDEOCASSETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FC"},128253:{"value":"1F4FD","name":"FILM PROJECTOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FD"},128254:{"value":"1F4FE","name":"PORTABLE STEREO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FE"},128255:{"value":"1F4FF","name":"PRAYER BEADS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF4FF"},128256:{"value":"1F500","name":"TWISTED RIGHTWARDS ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF500"},128257:{"value":"1F501","name":"CLOCKWISE RIGHTWARDS AND LEFTWARDS OPEN CIRCLE ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF501"},128258:{"value":"1F502","name":"CLOCKWISE RIGHTWARDS AND LEFTWARDS OPEN CIRCLE ARROWS WITH CIRCLED ONE OVERLAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF502"},128259:{"value":"1F503","name":"CLOCKWISE DOWNWARDS AND UPWARDS OPEN CIRCLE ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF503"},128260:{"value":"1F504","name":"ANTICLOCKWISE DOWNWARDS AND UPWARDS OPEN CIRCLE ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF504"},128261:{"value":"1F505","name":"LOW BRIGHTNESS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF505"},128262:{"value":"1F506","name":"HIGH BRIGHTNESS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF506"},128263:{"value":"1F507","name":"SPEAKER WITH CANCELLATION STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF507"},128264:{"value":"1F508","name":"SPEAKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF508"},128265:{"value":"1F509","name":"SPEAKER WITH ONE SOUND WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF509"},128266:{"value":"1F50A","name":"SPEAKER WITH THREE SOUND WAVES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50A"},128267:{"value":"1F50B","name":"BATTERY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50B"},128268:{"value":"1F50C","name":"ELECTRIC PLUG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50C"},128269:{"value":"1F50D","name":"LEFT-POINTING MAGNIFYING GLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50D"},128270:{"value":"1F50E","name":"RIGHT-POINTING MAGNIFYING GLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50E"},128271:{"value":"1F50F","name":"LOCK WITH INK PEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF50F"},128272:{"value":"1F510","name":"CLOSED LOCK WITH KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF510"},128273:{"value":"1F511","name":"KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF511"},128274:{"value":"1F512","name":"LOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF512"},128275:{"value":"1F513","name":"OPEN LOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF513"},128276:{"value":"1F514","name":"BELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF514"},128277:{"value":"1F515","name":"BELL WITH CANCELLATION STROKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF515"},128278:{"value":"1F516","name":"BOOKMARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF516"},128279:{"value":"1F517","name":"LINK SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF517"},128280:{"value":"1F518","name":"RADIO BUTTON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF518"},128281:{"value":"1F519","name":"BACK WITH LEFTWARDS ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF519"},128282:{"value":"1F51A","name":"END WITH LEFTWARDS ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51A"},128283:{"value":"1F51B","name":"ON WITH EXCLAMATION MARK WITH LEFT RIGHT ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51B"},128284:{"value":"1F51C","name":"SOON WITH RIGHTWARDS ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51C"},128285:{"value":"1F51D","name":"TOP WITH UPWARDS ARROW ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51D"},128286:{"value":"1F51E","name":"NO ONE UNDER EIGHTEEN SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51E"},128287:{"value":"1F51F","name":"KEYCAP TEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF51F"},128288:{"value":"1F520","name":"INPUT SYMBOL FOR LATIN CAPITAL LETTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF520"},128289:{"value":"1F521","name":"INPUT SYMBOL FOR LATIN SMALL LETTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF521"},128290:{"value":"1F522","name":"INPUT SYMBOL FOR NUMBERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF522"},128291:{"value":"1F523","name":"INPUT SYMBOL FOR SYMBOLS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF523"},128292:{"value":"1F524","name":"INPUT SYMBOL FOR LATIN LETTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF524"},128293:{"value":"1F525","name":"FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF525"},128294:{"value":"1F526","name":"ELECTRIC TORCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF526"},128295:{"value":"1F527","name":"WRENCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF527"},128296:{"value":"1F528","name":"HAMMER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF528"},128297:{"value":"1F529","name":"NUT AND BOLT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF529"},128298:{"value":"1F52A","name":"HOCHO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52A"},128299:{"value":"1F52B","name":"PISTOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52B"},128300:{"value":"1F52C","name":"MICROSCOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52C"},128301:{"value":"1F52D","name":"TELESCOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52D"},128302:{"value":"1F52E","name":"CRYSTAL BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52E"},128303:{"value":"1F52F","name":"SIX POINTED STAR WITH MIDDLE DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF52F"},128304:{"value":"1F530","name":"JAPANESE SYMBOL FOR BEGINNER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF530"},128305:{"value":"1F531","name":"TRIDENT EMBLEM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF531"},128306:{"value":"1F532","name":"BLACK SQUARE BUTTON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF532"},128307:{"value":"1F533","name":"WHITE SQUARE BUTTON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF533"},128308:{"value":"1F534","name":"LARGE RED CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF534"},128309:{"value":"1F535","name":"LARGE BLUE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF535"},128310:{"value":"1F536","name":"LARGE ORANGE DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF536"},128311:{"value":"1F537","name":"LARGE BLUE DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF537"},128312:{"value":"1F538","name":"SMALL ORANGE DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF538"},128313:{"value":"1F539","name":"SMALL BLUE DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF539"},128314:{"value":"1F53A","name":"UP-POINTING RED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53A"},128315:{"value":"1F53B","name":"DOWN-POINTING RED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53B"},128316:{"value":"1F53C","name":"UP-POINTING SMALL RED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53C"},128317:{"value":"1F53D","name":"DOWN-POINTING SMALL RED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53D"},128318:{"value":"1F53E","name":"LOWER RIGHT SHADOWED WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53E"},128319:{"value":"1F53F","name":"UPPER RIGHT SHADOWED WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF53F"},128320:{"value":"1F540","name":"CIRCLED CROSS POMMEE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF540"},128321:{"value":"1F541","name":"CROSS POMMEE WITH HALF-CIRCLE BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF541"},128322:{"value":"1F542","name":"CROSS POMMEE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF542"},128323:{"value":"1F543","name":"NOTCHED LEFT SEMICIRCLE WITH THREE DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF543"},128324:{"value":"1F544","name":"NOTCHED RIGHT SEMICIRCLE WITH THREE DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF544"},128325:{"value":"1F545","name":"SYMBOL FOR MARKS CHAPTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF545"},128326:{"value":"1F546","name":"WHITE LATIN CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF546"},128327:{"value":"1F547","name":"HEAVY LATIN CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF547"},128328:{"value":"1F548","name":"CELTIC CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF548"},128329:{"value":"1F549","name":"OM SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF549"},128330:{"value":"1F54A","name":"DOVE OF PEACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54A"},128331:{"value":"1F54B","name":"KAABA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54B"},128332:{"value":"1F54C","name":"MOSQUE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54C"},128333:{"value":"1F54D","name":"SYNAGOGUE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54D"},128334:{"value":"1F54E","name":"MENORAH WITH NINE BRANCHES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54E"},128335:{"value":"1F54F","name":"BOWL OF HYGIEIA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF54F"},128336:{"value":"1F550","name":"CLOCK FACE ONE OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF550"},128337:{"value":"1F551","name":"CLOCK FACE TWO OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF551"},128338:{"value":"1F552","name":"CLOCK FACE THREE OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF552"},128339:{"value":"1F553","name":"CLOCK FACE FOUR OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF553"},128340:{"value":"1F554","name":"CLOCK FACE FIVE OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF554"},128341:{"value":"1F555","name":"CLOCK FACE SIX OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF555"},128342:{"value":"1F556","name":"CLOCK FACE SEVEN OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF556"},128343:{"value":"1F557","name":"CLOCK FACE EIGHT OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF557"},128344:{"value":"1F558","name":"CLOCK FACE NINE OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF558"},128345:{"value":"1F559","name":"CLOCK FACE TEN OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF559"},128346:{"value":"1F55A","name":"CLOCK FACE ELEVEN OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55A"},128347:{"value":"1F55B","name":"CLOCK FACE TWELVE OCLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55B"},128348:{"value":"1F55C","name":"CLOCK FACE ONE-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55C"},128349:{"value":"1F55D","name":"CLOCK FACE TWO-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55D"},128350:{"value":"1F55E","name":"CLOCK FACE THREE-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55E"},128351:{"value":"1F55F","name":"CLOCK FACE FOUR-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF55F"},128352:{"value":"1F560","name":"CLOCK FACE FIVE-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF560"},128353:{"value":"1F561","name":"CLOCK FACE SIX-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF561"},128354:{"value":"1F562","name":"CLOCK FACE SEVEN-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF562"},128355:{"value":"1F563","name":"CLOCK FACE EIGHT-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF563"},128356:{"value":"1F564","name":"CLOCK FACE NINE-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF564"},128357:{"value":"1F565","name":"CLOCK FACE TEN-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF565"},128358:{"value":"1F566","name":"CLOCK FACE ELEVEN-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF566"},128359:{"value":"1F567","name":"CLOCK FACE TWELVE-THIRTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF567"},128360:{"value":"1F568","name":"RIGHT SPEAKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF568"},128361:{"value":"1F569","name":"RIGHT SPEAKER WITH ONE SOUND WAVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF569"},128362:{"value":"1F56A","name":"RIGHT SPEAKER WITH THREE SOUND WAVES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56A"},128363:{"value":"1F56B","name":"BULLHORN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56B"},128364:{"value":"1F56C","name":"BULLHORN WITH SOUND WAVES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56C"},128365:{"value":"1F56D","name":"RINGING BELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56D"},128366:{"value":"1F56E","name":"BOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56E"},128367:{"value":"1F56F","name":"CANDLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF56F"},128368:{"value":"1F570","name":"MANTELPIECE CLOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF570"},128369:{"value":"1F571","name":"BLACK SKULL AND CROSSBONES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF571"},128370:{"value":"1F572","name":"NO PIRACY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF572"},128371:{"value":"1F573","name":"HOLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF573"},128372:{"value":"1F574","name":"MAN IN BUSINESS SUIT LEVITATING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF574"},128373:{"value":"1F575","name":"SLEUTH OR SPY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF575"},128374:{"value":"1F576","name":"DARK SUNGLASSES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF576"},128375:{"value":"1F577","name":"SPIDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF577"},128376:{"value":"1F578","name":"SPIDER WEB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF578"},128377:{"value":"1F579","name":"JOYSTICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF579"},128378:{"value":"1F57A","name":"MAN DANCING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57A"},128379:{"value":"1F57B","name":"LEFT HAND TELEPHONE RECEIVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57B"},128380:{"value":"1F57C","name":"TELEPHONE RECEIVER WITH PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57C"},128381:{"value":"1F57D","name":"RIGHT HAND TELEPHONE RECEIVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57D"},128382:{"value":"1F57E","name":"WHITE TOUCHTONE TELEPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57E"},128383:{"value":"1F57F","name":"BLACK TOUCHTONE TELEPHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF57F"},128384:{"value":"1F580","name":"TELEPHONE ON TOP OF MODEM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF580"},128385:{"value":"1F581","name":"CLAMSHELL MOBILE PHONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF581"},128386:{"value":"1F582","name":"BACK OF ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF582"},128387:{"value":"1F583","name":"STAMPED ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF583"},128388:{"value":"1F584","name":"ENVELOPE WITH LIGHTNING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF584"},128389:{"value":"1F585","name":"FLYING ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF585"},128390:{"value":"1F586","name":"PEN OVER STAMPED ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF586"},128391:{"value":"1F587","name":"LINKED PAPERCLIPS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF587"},128392:{"value":"1F588","name":"BLACK PUSHPIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF588"},128393:{"value":"1F589","name":"LOWER LEFT PENCIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF589"},128394:{"value":"1F58A","name":"LOWER LEFT BALLPOINT PEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58A"},128395:{"value":"1F58B","name":"LOWER LEFT FOUNTAIN PEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58B"},128396:{"value":"1F58C","name":"LOWER LEFT PAINTBRUSH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58C"},128397:{"value":"1F58D","name":"LOWER LEFT CRAYON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58D"},128398:{"value":"1F58E","name":"LEFT WRITING HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58E"},128399:{"value":"1F58F","name":"TURNED OK HAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF58F"},128400:{"value":"1F590","name":"RAISED HAND WITH FINGERS SPLAYED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF590"},128401:{"value":"1F591","name":"REVERSED RAISED HAND WITH FINGERS SPLAYED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF591"},128402:{"value":"1F592","name":"REVERSED THUMBS UP SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF592"},128403:{"value":"1F593","name":"REVERSED THUMBS DOWN SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF593"},128404:{"value":"1F594","name":"REVERSED VICTORY HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF594"},128405:{"value":"1F595","name":"REVERSED HAND WITH MIDDLE FINGER EXTENDED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF595"},128406:{"value":"1F596","name":"RAISED HAND WITH PART BETWEEN MIDDLE AND RING FINGERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF596"},128407:{"value":"1F597","name":"WHITE DOWN POINTING LEFT HAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF597"},128408:{"value":"1F598","name":"SIDEWAYS WHITE LEFT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF598"},128409:{"value":"1F599","name":"SIDEWAYS WHITE RIGHT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF599"},128410:{"value":"1F59A","name":"SIDEWAYS BLACK LEFT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59A"},128411:{"value":"1F59B","name":"SIDEWAYS BLACK RIGHT POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59B"},128412:{"value":"1F59C","name":"BLACK LEFT POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59C"},128413:{"value":"1F59D","name":"BLACK RIGHT POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59D"},128414:{"value":"1F59E","name":"SIDEWAYS WHITE UP POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59E"},128415:{"value":"1F59F","name":"SIDEWAYS WHITE DOWN POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF59F"},128416:{"value":"1F5A0","name":"SIDEWAYS BLACK UP POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A0"},128417:{"value":"1F5A1","name":"SIDEWAYS BLACK DOWN POINTING INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A1"},128418:{"value":"1F5A2","name":"BLACK UP POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A2"},128419:{"value":"1F5A3","name":"BLACK DOWN POINTING BACKHAND INDEX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A3"},128420:{"value":"1F5A4","name":"BLACK HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A4"},128421:{"value":"1F5A5","name":"DESKTOP COMPUTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A5"},128422:{"value":"1F5A6","name":"KEYBOARD AND MOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A6"},128423:{"value":"1F5A7","name":"THREE NETWORKED COMPUTERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A7"},128424:{"value":"1F5A8","name":"PRINTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A8"},128425:{"value":"1F5A9","name":"POCKET CALCULATOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5A9"},128426:{"value":"1F5AA","name":"BLACK HARD SHELL FLOPPY DISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AA"},128427:{"value":"1F5AB","name":"WHITE HARD SHELL FLOPPY DISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AB"},128428:{"value":"1F5AC","name":"SOFT SHELL FLOPPY DISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AC"},128429:{"value":"1F5AD","name":"TAPE CARTRIDGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AD"},128430:{"value":"1F5AE","name":"WIRED KEYBOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AE"},128431:{"value":"1F5AF","name":"ONE BUTTON MOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5AF"},128432:{"value":"1F5B0","name":"TWO BUTTON MOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B0"},128433:{"value":"1F5B1","name":"THREE BUTTON MOUSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B1"},128434:{"value":"1F5B2","name":"TRACKBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B2"},128435:{"value":"1F5B3","name":"OLD PERSONAL COMPUTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B3"},128436:{"value":"1F5B4","name":"HARD DISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B4"},128437:{"value":"1F5B5","name":"SCREEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B5"},128438:{"value":"1F5B6","name":"PRINTER ICON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B6"},128439:{"value":"1F5B7","name":"FAX ICON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B7"},128440:{"value":"1F5B8","name":"OPTICAL DISC ICON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B8"},128441:{"value":"1F5B9","name":"DOCUMENT WITH TEXT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5B9"},128442:{"value":"1F5BA","name":"DOCUMENT WITH TEXT AND PICTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BA"},128443:{"value":"1F5BB","name":"DOCUMENT WITH PICTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BB"},128444:{"value":"1F5BC","name":"FRAME WITH PICTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BC"},128445:{"value":"1F5BD","name":"FRAME WITH TILES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BD"},128446:{"value":"1F5BE","name":"FRAME WITH AN X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BE"},128447:{"value":"1F5BF","name":"BLACK FOLDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5BF"},128448:{"value":"1F5C0","name":"FOLDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C0"},128449:{"value":"1F5C1","name":"OPEN FOLDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C1"},128450:{"value":"1F5C2","name":"CARD INDEX DIVIDERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C2"},128451:{"value":"1F5C3","name":"CARD FILE BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C3"},128452:{"value":"1F5C4","name":"FILE CABINET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C4"},128453:{"value":"1F5C5","name":"EMPTY NOTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C5"},128454:{"value":"1F5C6","name":"EMPTY NOTE PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C6"},128455:{"value":"1F5C7","name":"EMPTY NOTE PAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C7"},128456:{"value":"1F5C8","name":"NOTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C8"},128457:{"value":"1F5C9","name":"NOTE PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5C9"},128458:{"value":"1F5CA","name":"NOTE PAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CA"},128459:{"value":"1F5CB","name":"EMPTY DOCUMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CB"},128460:{"value":"1F5CC","name":"EMPTY PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CC"},128461:{"value":"1F5CD","name":"EMPTY PAGES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CD"},128462:{"value":"1F5CE","name":"DOCUMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CE"},128463:{"value":"1F5CF","name":"PAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5CF"},128464:{"value":"1F5D0","name":"PAGES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D0"},128465:{"value":"1F5D1","name":"WASTEBASKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D1"},128466:{"value":"1F5D2","name":"SPIRAL NOTE PAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D2"},128467:{"value":"1F5D3","name":"SPIRAL CALENDAR PAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D3"},128468:{"value":"1F5D4","name":"DESKTOP WINDOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D4"},128469:{"value":"1F5D5","name":"MINIMIZE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D5"},128470:{"value":"1F5D6","name":"MAXIMIZE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D6"},128471:{"value":"1F5D7","name":"OVERLAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D7"},128472:{"value":"1F5D8","name":"CLOCKWISE RIGHT AND LEFT SEMICIRCLE ARROWS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D8"},128473:{"value":"1F5D9","name":"CANCELLATION X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5D9"},128474:{"value":"1F5DA","name":"INCREASE FONT SIZE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DA"},128475:{"value":"1F5DB","name":"DECREASE FONT SIZE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DB"},128476:{"value":"1F5DC","name":"COMPRESSION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DC"},128477:{"value":"1F5DD","name":"OLD KEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DD"},128478:{"value":"1F5DE","name":"ROLLED-UP NEWSPAPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DE"},128479:{"value":"1F5DF","name":"PAGE WITH CIRCLED TEXT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5DF"},128480:{"value":"1F5E0","name":"STOCK CHART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E0"},128481:{"value":"1F5E1","name":"DAGGER KNIFE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E1"},128482:{"value":"1F5E2","name":"LIPS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E2"},128483:{"value":"1F5E3","name":"SPEAKING HEAD IN SILHOUETTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E3"},128484:{"value":"1F5E4","name":"THREE RAYS ABOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E4"},128485:{"value":"1F5E5","name":"THREE RAYS BELOW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E5"},128486:{"value":"1F5E6","name":"THREE RAYS LEFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E6"},128487:{"value":"1F5E7","name":"THREE RAYS RIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E7"},128488:{"value":"1F5E8","name":"LEFT SPEECH BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E8"},128489:{"value":"1F5E9","name":"RIGHT SPEECH BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5E9"},128490:{"value":"1F5EA","name":"TWO SPEECH BUBBLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5EA"},128491:{"value":"1F5EB","name":"THREE SPEECH BUBBLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5EB"},128492:{"value":"1F5EC","name":"LEFT THOUGHT BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5EC"},128493:{"value":"1F5ED","name":"RIGHT THOUGHT BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5ED"},128494:{"value":"1F5EE","name":"LEFT ANGER BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5EE"},128495:{"value":"1F5EF","name":"RIGHT ANGER BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5EF"},128496:{"value":"1F5F0","name":"MOOD BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F0"},128497:{"value":"1F5F1","name":"LIGHTNING MOOD BUBBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F1"},128498:{"value":"1F5F2","name":"LIGHTNING MOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F2"},128499:{"value":"1F5F3","name":"BALLOT BOX WITH BALLOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F3"},128500:{"value":"1F5F4","name":"BALLOT SCRIPT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F4"},128501:{"value":"1F5F5","name":"BALLOT BOX WITH SCRIPT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F5"},128502:{"value":"1F5F6","name":"BALLOT BOLD SCRIPT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F6"},128503:{"value":"1F5F7","name":"BALLOT BOX WITH BOLD SCRIPT X","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F7"},128504:{"value":"1F5F8","name":"LIGHT CHECK MARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F8"},128505:{"value":"1F5F9","name":"BALLOT BOX WITH BOLD CHECK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5F9"},128506:{"value":"1F5FA","name":"WORLD MAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FA"},128507:{"value":"1F5FB","name":"MOUNT FUJI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FB"},128508:{"value":"1F5FC","name":"TOKYO TOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FC"},128509:{"value":"1F5FD","name":"STATUE OF LIBERTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FD"},128510:{"value":"1F5FE","name":"SILHOUETTE OF JAPAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FE"},128511:{"value":"1F5FF","name":"MOYAI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF5FF"},128512:{"value":"1F600","name":"GRINNING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF600"},128513:{"value":"1F601","name":"GRINNING FACE WITH SMILING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF601"},128514:{"value":"1F602","name":"FACE WITH TEARS OF JOY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF602"},128515:{"value":"1F603","name":"SMILING FACE WITH OPEN MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF603"},128516:{"value":"1F604","name":"SMILING FACE WITH OPEN MOUTH AND SMILING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF604"},128517:{"value":"1F605","name":"SMILING FACE WITH OPEN MOUTH AND COLD SWEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF605"},128518:{"value":"1F606","name":"SMILING FACE WITH OPEN MOUTH AND TIGHTLY-CLOSED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF606"},128519:{"value":"1F607","name":"SMILING FACE WITH HALO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF607"},128520:{"value":"1F608","name":"SMILING FACE WITH HORNS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF608"},128521:{"value":"1F609","name":"WINKING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF609"},128522:{"value":"1F60A","name":"SMILING FACE WITH SMILING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60A"},128523:{"value":"1F60B","name":"FACE SAVOURING DELICIOUS FOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60B"},128524:{"value":"1F60C","name":"RELIEVED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60C"},128525:{"value":"1F60D","name":"SMILING FACE WITH HEART-SHAPED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60D"},128526:{"value":"1F60E","name":"SMILING FACE WITH SUNGLASSES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60E"},128527:{"value":"1F60F","name":"SMIRKING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF60F"},128528:{"value":"1F610","name":"NEUTRAL FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF610"},128529:{"value":"1F611","name":"EXPRESSIONLESS FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF611"},128530:{"value":"1F612","name":"UNAMUSED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF612"},128531:{"value":"1F613","name":"FACE WITH COLD SWEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF613"},128532:{"value":"1F614","name":"PENSIVE FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF614"},128533:{"value":"1F615","name":"CONFUSED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF615"},128534:{"value":"1F616","name":"CONFOUNDED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF616"},128535:{"value":"1F617","name":"KISSING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF617"},128536:{"value":"1F618","name":"FACE THROWING A KISS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF618"},128537:{"value":"1F619","name":"KISSING FACE WITH SMILING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF619"},128538:{"value":"1F61A","name":"KISSING FACE WITH CLOSED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61A"},128539:{"value":"1F61B","name":"FACE WITH STUCK-OUT TONGUE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61B"},128540:{"value":"1F61C","name":"FACE WITH STUCK-OUT TONGUE AND WINKING EYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61C"},128541:{"value":"1F61D","name":"FACE WITH STUCK-OUT TONGUE AND TIGHTLY-CLOSED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61D"},128542:{"value":"1F61E","name":"DISAPPOINTED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61E"},128543:{"value":"1F61F","name":"WORRIED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF61F"},128544:{"value":"1F620","name":"ANGRY FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF620"},128545:{"value":"1F621","name":"POUTING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF621"},128546:{"value":"1F622","name":"CRYING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF622"},128547:{"value":"1F623","name":"PERSEVERING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF623"},128548:{"value":"1F624","name":"FACE WITH LOOK OF TRIUMPH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF624"},128549:{"value":"1F625","name":"DISAPPOINTED BUT RELIEVED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF625"},128550:{"value":"1F626","name":"FROWNING FACE WITH OPEN MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF626"},128551:{"value":"1F627","name":"ANGUISHED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF627"},128552:{"value":"1F628","name":"FEARFUL FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF628"},128553:{"value":"1F629","name":"WEARY FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF629"},128554:{"value":"1F62A","name":"SLEEPY FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62A"},128555:{"value":"1F62B","name":"TIRED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62B"},128556:{"value":"1F62C","name":"GRIMACING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62C"},128557:{"value":"1F62D","name":"LOUDLY CRYING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62D"},128558:{"value":"1F62E","name":"FACE WITH OPEN MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62E"},128559:{"value":"1F62F","name":"HUSHED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF62F"},128560:{"value":"1F630","name":"FACE WITH OPEN MOUTH AND COLD SWEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF630"},128561:{"value":"1F631","name":"FACE SCREAMING IN FEAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF631"},128562:{"value":"1F632","name":"ASTONISHED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF632"},128563:{"value":"1F633","name":"FLUSHED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF633"},128564:{"value":"1F634","name":"SLEEPING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF634"},128565:{"value":"1F635","name":"DIZZY FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF635"},128566:{"value":"1F636","name":"FACE WITHOUT MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF636"},128567:{"value":"1F637","name":"FACE WITH MEDICAL MASK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF637"},128568:{"value":"1F638","name":"GRINNING CAT FACE WITH SMILING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF638"},128569:{"value":"1F639","name":"CAT FACE WITH TEARS OF JOY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF639"},128570:{"value":"1F63A","name":"SMILING CAT FACE WITH OPEN MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63A"},128571:{"value":"1F63B","name":"SMILING CAT FACE WITH HEART-SHAPED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63B"},128572:{"value":"1F63C","name":"CAT FACE WITH WRY SMILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63C"},128573:{"value":"1F63D","name":"KISSING CAT FACE WITH CLOSED EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63D"},128574:{"value":"1F63E","name":"POUTING CAT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63E"},128575:{"value":"1F63F","name":"CRYING CAT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF63F"},128576:{"value":"1F640","name":"WEARY CAT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF640"},128577:{"value":"1F641","name":"SLIGHTLY FROWNING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF641"},128578:{"value":"1F642","name":"SLIGHTLY SMILING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF642"},128579:{"value":"1F643","name":"UPSIDE-DOWN FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF643"},128580:{"value":"1F644","name":"FACE WITH ROLLING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF644"},128581:{"value":"1F645","name":"FACE WITH NO GOOD GESTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF645"},128582:{"value":"1F646","name":"FACE WITH OK GESTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF646"},128583:{"value":"1F647","name":"PERSON BOWING DEEPLY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF647"},128584:{"value":"1F648","name":"SEE-NO-EVIL MONKEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF648"},128585:{"value":"1F649","name":"HEAR-NO-EVIL MONKEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF649"},128586:{"value":"1F64A","name":"SPEAK-NO-EVIL MONKEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64A"},128587:{"value":"1F64B","name":"HAPPY PERSON RAISING ONE HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64B"},128588:{"value":"1F64C","name":"PERSON RAISING BOTH HANDS IN CELEBRATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64C"},128589:{"value":"1F64D","name":"PERSON FROWNING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64D"},128590:{"value":"1F64E","name":"PERSON WITH POUTING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64E"},128591:{"value":"1F64F","name":"PERSON WITH FOLDED HANDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF64F"},128592:{"value":"1F650","name":"NORTH WEST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF650"},128593:{"value":"1F651","name":"SOUTH WEST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF651"},128594:{"value":"1F652","name":"NORTH EAST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF652"},128595:{"value":"1F653","name":"SOUTH EAST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF653"},128596:{"value":"1F654","name":"TURNED NORTH WEST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF654"},128597:{"value":"1F655","name":"TURNED SOUTH WEST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF655"},128598:{"value":"1F656","name":"TURNED NORTH EAST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF656"},128599:{"value":"1F657","name":"TURNED SOUTH EAST POINTING LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF657"},128600:{"value":"1F658","name":"NORTH WEST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF658"},128601:{"value":"1F659","name":"SOUTH WEST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF659"},128602:{"value":"1F65A","name":"NORTH EAST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65A"},128603:{"value":"1F65B","name":"SOUTH EAST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65B"},128604:{"value":"1F65C","name":"HEAVY NORTH WEST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65C"},128605:{"value":"1F65D","name":"HEAVY SOUTH WEST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65D"},128606:{"value":"1F65E","name":"HEAVY NORTH EAST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65E"},128607:{"value":"1F65F","name":"HEAVY SOUTH EAST POINTING VINE LEAF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF65F"},128608:{"value":"1F660","name":"NORTH WEST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF660"},128609:{"value":"1F661","name":"SOUTH WEST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF661"},128610:{"value":"1F662","name":"NORTH EAST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF662"},128611:{"value":"1F663","name":"SOUTH EAST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF663"},128612:{"value":"1F664","name":"HEAVY NORTH WEST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF664"},128613:{"value":"1F665","name":"HEAVY SOUTH WEST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF665"},128614:{"value":"1F666","name":"HEAVY NORTH EAST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF666"},128615:{"value":"1F667","name":"HEAVY SOUTH EAST POINTING BUD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF667"},128616:{"value":"1F668","name":"HOLLOW QUILT SQUARE ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF668"},128617:{"value":"1F669","name":"HOLLOW QUILT SQUARE ORNAMENT IN BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF669"},128618:{"value":"1F66A","name":"SOLID QUILT SQUARE ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66A"},128619:{"value":"1F66B","name":"SOLID QUILT SQUARE ORNAMENT IN BLACK SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66B"},128620:{"value":"1F66C","name":"LEFTWARDS ROCKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66C"},128621:{"value":"1F66D","name":"UPWARDS ROCKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66D"},128622:{"value":"1F66E","name":"RIGHTWARDS ROCKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66E"},128623:{"value":"1F66F","name":"DOWNWARDS ROCKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF66F"},128624:{"value":"1F670","name":"SCRIPT LIGATURE ET ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF670"},128625:{"value":"1F671","name":"HEAVY SCRIPT LIGATURE ET ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF671"},128626:{"value":"1F672","name":"LIGATURE OPEN ET ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF672"},128627:{"value":"1F673","name":"HEAVY LIGATURE OPEN ET ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF673"},128628:{"value":"1F674","name":"HEAVY AMPERSAND ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF674"},128629:{"value":"1F675","name":"SWASH AMPERSAND ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF675"},128630:{"value":"1F676","name":"SANS-SERIF HEAVY DOUBLE TURNED COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF676"},128631:{"value":"1F677","name":"SANS-SERIF HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF677"},128632:{"value":"1F678","name":"SANS-SERIF HEAVY LOW DOUBLE COMMA QUOTATION MARK ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF678"},128633:{"value":"1F679","name":"HEAVY INTERROBANG ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF679"},128634:{"value":"1F67A","name":"SANS-SERIF INTERROBANG ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67A"},128635:{"value":"1F67B","name":"HEAVY SANS-SERIF INTERROBANG ORNAMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67B"},128636:{"value":"1F67C","name":"VERY HEAVY SOLIDUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67C"},128637:{"value":"1F67D","name":"VERY HEAVY REVERSE SOLIDUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67D"},128638:{"value":"1F67E","name":"CHECKER BOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67E"},128639:{"value":"1F67F","name":"REVERSE CHECKER BOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF67F"},128640:{"value":"1F680","name":"ROCKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF680"},128641:{"value":"1F681","name":"HELICOPTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF681"},128642:{"value":"1F682","name":"STEAM LOCOMOTIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF682"},128643:{"value":"1F683","name":"RAILWAY CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF683"},128644:{"value":"1F684","name":"HIGH-SPEED TRAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF684"},128645:{"value":"1F685","name":"HIGH-SPEED TRAIN WITH BULLET NOSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF685"},128646:{"value":"1F686","name":"TRAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF686"},128647:{"value":"1F687","name":"METRO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF687"},128648:{"value":"1F688","name":"LIGHT RAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF688"},128649:{"value":"1F689","name":"STATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF689"},128650:{"value":"1F68A","name":"TRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68A"},128651:{"value":"1F68B","name":"TRAM CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68B"},128652:{"value":"1F68C","name":"BUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68C"},128653:{"value":"1F68D","name":"ONCOMING BUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68D"},128654:{"value":"1F68E","name":"TROLLEYBUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68E"},128655:{"value":"1F68F","name":"BUS STOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF68F"},128656:{"value":"1F690","name":"MINIBUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF690"},128657:{"value":"1F691","name":"AMBULANCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF691"},128658:{"value":"1F692","name":"FIRE ENGINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF692"},128659:{"value":"1F693","name":"POLICE CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF693"},128660:{"value":"1F694","name":"ONCOMING POLICE CAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF694"},128661:{"value":"1F695","name":"TAXI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF695"},128662:{"value":"1F696","name":"ONCOMING TAXI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF696"},128663:{"value":"1F697","name":"AUTOMOBILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF697"},128664:{"value":"1F698","name":"ONCOMING AUTOMOBILE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF698"},128665:{"value":"1F699","name":"RECREATIONAL VEHICLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF699"},128666:{"value":"1F69A","name":"DELIVERY TRUCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69A"},128667:{"value":"1F69B","name":"ARTICULATED LORRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69B"},128668:{"value":"1F69C","name":"TRACTOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69C"},128669:{"value":"1F69D","name":"MONORAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69D"},128670:{"value":"1F69E","name":"MOUNTAIN RAILWAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69E"},128671:{"value":"1F69F","name":"SUSPENSION RAILWAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF69F"},128672:{"value":"1F6A0","name":"MOUNTAIN CABLEWAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A0"},128673:{"value":"1F6A1","name":"AERIAL TRAMWAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A1"},128674:{"value":"1F6A2","name":"SHIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A2"},128675:{"value":"1F6A3","name":"ROWBOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A3"},128676:{"value":"1F6A4","name":"SPEEDBOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A4"},128677:{"value":"1F6A5","name":"HORIZONTAL TRAFFIC LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A5"},128678:{"value":"1F6A6","name":"VERTICAL TRAFFIC LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A6"},128679:{"value":"1F6A7","name":"CONSTRUCTION SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A7"},128680:{"value":"1F6A8","name":"POLICE CARS REVOLVING LIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A8"},128681:{"value":"1F6A9","name":"TRIANGULAR FLAG ON POST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6A9"},128682:{"value":"1F6AA","name":"DOOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AA"},128683:{"value":"1F6AB","name":"NO ENTRY SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AB"},128684:{"value":"1F6AC","name":"SMOKING SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AC"},128685:{"value":"1F6AD","name":"NO SMOKING SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AD"},128686:{"value":"1F6AE","name":"PUT LITTER IN ITS PLACE SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AE"},128687:{"value":"1F6AF","name":"DO NOT LITTER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6AF"},128688:{"value":"1F6B0","name":"POTABLE WATER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B0"},128689:{"value":"1F6B1","name":"NON-POTABLE WATER SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B1"},128690:{"value":"1F6B2","name":"BICYCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B2"},128691:{"value":"1F6B3","name":"NO BICYCLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B3"},128692:{"value":"1F6B4","name":"BICYCLIST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B4"},128693:{"value":"1F6B5","name":"MOUNTAIN BICYCLIST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B5"},128694:{"value":"1F6B6","name":"PEDESTRIAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B6"},128695:{"value":"1F6B7","name":"NO PEDESTRIANS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B7"},128696:{"value":"1F6B8","name":"CHILDREN CROSSING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B8"},128697:{"value":"1F6B9","name":"MENS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6B9"},128698:{"value":"1F6BA","name":"WOMENS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BA"},128699:{"value":"1F6BB","name":"RESTROOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BB"},128700:{"value":"1F6BC","name":"BABY SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BC"},128701:{"value":"1F6BD","name":"TOILET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BD"},128702:{"value":"1F6BE","name":"WATER CLOSET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BE"},128703:{"value":"1F6BF","name":"SHOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6BF"},128704:{"value":"1F6C0","name":"BATH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C0"},128705:{"value":"1F6C1","name":"BATHTUB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C1"},128706:{"value":"1F6C2","name":"PASSPORT CONTROL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C2"},128707:{"value":"1F6C3","name":"CUSTOMS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C3"},128708:{"value":"1F6C4","name":"BAGGAGE CLAIM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C4"},128709:{"value":"1F6C5","name":"LEFT LUGGAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C5"},128710:{"value":"1F6C6","name":"TRIANGLE WITH ROUNDED CORNERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C6"},128711:{"value":"1F6C7","name":"PROHIBITED SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C7"},128712:{"value":"1F6C8","name":"CIRCLED INFORMATION SOURCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C8"},128713:{"value":"1F6C9","name":"BOYS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6C9"},128714:{"value":"1F6CA","name":"GIRLS SYMBOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CA"},128715:{"value":"1F6CB","name":"COUCH AND LAMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CB"},128716:{"value":"1F6CC","name":"SLEEPING ACCOMMODATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CC"},128717:{"value":"1F6CD","name":"SHOPPING BAGS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CD"},128718:{"value":"1F6CE","name":"BELLHOP BELL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CE"},128719:{"value":"1F6CF","name":"BED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6CF"},128720:{"value":"1F6D0","name":"PLACE OF WORSHIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D0"},128721:{"value":"1F6D1","name":"OCTAGONAL SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D1"},128722:{"value":"1F6D2","name":"SHOPPING TROLLEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D2"},128723:{"value":"1F6D3","name":"STUPA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D3"},128724:{"value":"1F6D4","name":"PAGODA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D4"},128725:{"value":"1F6D5","name":"HINDU TEMPLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6D5"},128736:{"value":"1F6E0","name":"HAMMER AND WRENCH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E0"},128737:{"value":"1F6E1","name":"SHIELD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E1"},128738:{"value":"1F6E2","name":"OIL DRUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E2"},128739:{"value":"1F6E3","name":"MOTORWAY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E3"},128740:{"value":"1F6E4","name":"RAILWAY TRACK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E4"},128741:{"value":"1F6E5","name":"MOTOR BOAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E5"},128742:{"value":"1F6E6","name":"UP-POINTING MILITARY AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E6"},128743:{"value":"1F6E7","name":"UP-POINTING AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E7"},128744:{"value":"1F6E8","name":"UP-POINTING SMALL AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E8"},128745:{"value":"1F6E9","name":"SMALL AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6E9"},128746:{"value":"1F6EA","name":"NORTHEAST-POINTING AIRPLANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6EA"},128747:{"value":"1F6EB","name":"AIRPLANE DEPARTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6EB"},128748:{"value":"1F6EC","name":"AIRPLANE ARRIVING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6EC"},128752:{"value":"1F6F0","name":"SATELLITE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F0"},128753:{"value":"1F6F1","name":"ONCOMING FIRE ENGINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F1"},128754:{"value":"1F6F2","name":"DIESEL LOCOMOTIVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F2"},128755:{"value":"1F6F3","name":"PASSENGER SHIP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F3"},128756:{"value":"1F6F4","name":"SCOOTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F4"},128757:{"value":"1F6F5","name":"MOTOR SCOOTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F5"},128758:{"value":"1F6F6","name":"CANOE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F6"},128759:{"value":"1F6F7","name":"SLED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F7"},128760:{"value":"1F6F8","name":"FLYING SAUCER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F8"},128761:{"value":"1F6F9","name":"SKATEBOARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6F9"},128762:{"value":"1F6FA","name":"AUTO RICKSHAW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF6FA"},128768:{"value":"1F700","name":"ALCHEMICAL SYMBOL FOR QUINTESSENCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF700"},128769:{"value":"1F701","name":"ALCHEMICAL SYMBOL FOR AIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF701"},128770:{"value":"1F702","name":"ALCHEMICAL SYMBOL FOR FIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF702"},128771:{"value":"1F703","name":"ALCHEMICAL SYMBOL FOR EARTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF703"},128772:{"value":"1F704","name":"ALCHEMICAL SYMBOL FOR WATER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF704"},128773:{"value":"1F705","name":"ALCHEMICAL SYMBOL FOR AQUAFORTIS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF705"},128774:{"value":"1F706","name":"ALCHEMICAL SYMBOL FOR AQUA REGIA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF706"},128775:{"value":"1F707","name":"ALCHEMICAL SYMBOL FOR AQUA REGIA-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF707"},128776:{"value":"1F708","name":"ALCHEMICAL SYMBOL FOR AQUA VITAE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF708"},128777:{"value":"1F709","name":"ALCHEMICAL SYMBOL FOR AQUA VITAE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF709"},128778:{"value":"1F70A","name":"ALCHEMICAL SYMBOL FOR VINEGAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70A"},128779:{"value":"1F70B","name":"ALCHEMICAL SYMBOL FOR VINEGAR-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70B"},128780:{"value":"1F70C","name":"ALCHEMICAL SYMBOL FOR VINEGAR-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70C"},128781:{"value":"1F70D","name":"ALCHEMICAL SYMBOL FOR SULFUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70D"},128782:{"value":"1F70E","name":"ALCHEMICAL SYMBOL FOR PHILOSOPHERS SULFUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70E"},128783:{"value":"1F70F","name":"ALCHEMICAL SYMBOL FOR BLACK SULFUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF70F"},128784:{"value":"1F710","name":"ALCHEMICAL SYMBOL FOR MERCURY SUBLIMATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF710"},128785:{"value":"1F711","name":"ALCHEMICAL SYMBOL FOR MERCURY SUBLIMATE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF711"},128786:{"value":"1F712","name":"ALCHEMICAL SYMBOL FOR MERCURY SUBLIMATE-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF712"},128787:{"value":"1F713","name":"ALCHEMICAL SYMBOL FOR CINNABAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF713"},128788:{"value":"1F714","name":"ALCHEMICAL SYMBOL FOR SALT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF714"},128789:{"value":"1F715","name":"ALCHEMICAL SYMBOL FOR NITRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF715"},128790:{"value":"1F716","name":"ALCHEMICAL SYMBOL FOR VITRIOL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF716"},128791:{"value":"1F717","name":"ALCHEMICAL SYMBOL FOR VITRIOL-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF717"},128792:{"value":"1F718","name":"ALCHEMICAL SYMBOL FOR ROCK SALT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF718"},128793:{"value":"1F719","name":"ALCHEMICAL SYMBOL FOR ROCK SALT-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF719"},128794:{"value":"1F71A","name":"ALCHEMICAL SYMBOL FOR GOLD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71A"},128795:{"value":"1F71B","name":"ALCHEMICAL SYMBOL FOR SILVER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71B"},128796:{"value":"1F71C","name":"ALCHEMICAL SYMBOL FOR IRON ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71C"},128797:{"value":"1F71D","name":"ALCHEMICAL SYMBOL FOR IRON ORE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71D"},128798:{"value":"1F71E","name":"ALCHEMICAL SYMBOL FOR CROCUS OF IRON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71E"},128799:{"value":"1F71F","name":"ALCHEMICAL SYMBOL FOR REGULUS OF IRON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF71F"},128800:{"value":"1F720","name":"ALCHEMICAL SYMBOL FOR COPPER ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF720"},128801:{"value":"1F721","name":"ALCHEMICAL SYMBOL FOR IRON-COPPER ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF721"},128802:{"value":"1F722","name":"ALCHEMICAL SYMBOL FOR SUBLIMATE OF COPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF722"},128803:{"value":"1F723","name":"ALCHEMICAL SYMBOL FOR CROCUS OF COPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF723"},128804:{"value":"1F724","name":"ALCHEMICAL SYMBOL FOR CROCUS OF COPPER-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF724"},128805:{"value":"1F725","name":"ALCHEMICAL SYMBOL FOR COPPER ANTIMONIATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF725"},128806:{"value":"1F726","name":"ALCHEMICAL SYMBOL FOR SALT OF COPPER ANTIMONIATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF726"},128807:{"value":"1F727","name":"ALCHEMICAL SYMBOL FOR SUBLIMATE OF SALT OF COPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF727"},128808:{"value":"1F728","name":"ALCHEMICAL SYMBOL FOR VERDIGRIS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF728"},128809:{"value":"1F729","name":"ALCHEMICAL SYMBOL FOR TIN ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF729"},128810:{"value":"1F72A","name":"ALCHEMICAL SYMBOL FOR LEAD ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72A"},128811:{"value":"1F72B","name":"ALCHEMICAL SYMBOL FOR ANTIMONY ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72B"},128812:{"value":"1F72C","name":"ALCHEMICAL SYMBOL FOR SUBLIMATE OF ANTIMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72C"},128813:{"value":"1F72D","name":"ALCHEMICAL SYMBOL FOR SALT OF ANTIMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72D"},128814:{"value":"1F72E","name":"ALCHEMICAL SYMBOL FOR SUBLIMATE OF SALT OF ANTIMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72E"},128815:{"value":"1F72F","name":"ALCHEMICAL SYMBOL FOR VINEGAR OF ANTIMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF72F"},128816:{"value":"1F730","name":"ALCHEMICAL SYMBOL FOR REGULUS OF ANTIMONY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF730"},128817:{"value":"1F731","name":"ALCHEMICAL SYMBOL FOR REGULUS OF ANTIMONY-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF731"},128818:{"value":"1F732","name":"ALCHEMICAL SYMBOL FOR REGULUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF732"},128819:{"value":"1F733","name":"ALCHEMICAL SYMBOL FOR REGULUS-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF733"},128820:{"value":"1F734","name":"ALCHEMICAL SYMBOL FOR REGULUS-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF734"},128821:{"value":"1F735","name":"ALCHEMICAL SYMBOL FOR REGULUS-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF735"},128822:{"value":"1F736","name":"ALCHEMICAL SYMBOL FOR ALKALI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF736"},128823:{"value":"1F737","name":"ALCHEMICAL SYMBOL FOR ALKALI-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF737"},128824:{"value":"1F738","name":"ALCHEMICAL SYMBOL FOR MARCASITE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF738"},128825:{"value":"1F739","name":"ALCHEMICAL SYMBOL FOR SAL-AMMONIAC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF739"},128826:{"value":"1F73A","name":"ALCHEMICAL SYMBOL FOR ARSENIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73A"},128827:{"value":"1F73B","name":"ALCHEMICAL SYMBOL FOR REALGAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73B"},128828:{"value":"1F73C","name":"ALCHEMICAL SYMBOL FOR REALGAR-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73C"},128829:{"value":"1F73D","name":"ALCHEMICAL SYMBOL FOR AURIPIGMENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73D"},128830:{"value":"1F73E","name":"ALCHEMICAL SYMBOL FOR BISMUTH ORE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73E"},128831:{"value":"1F73F","name":"ALCHEMICAL SYMBOL FOR TARTAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF73F"},128832:{"value":"1F740","name":"ALCHEMICAL SYMBOL FOR TARTAR-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF740"},128833:{"value":"1F741","name":"ALCHEMICAL SYMBOL FOR QUICK LIME","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF741"},128834:{"value":"1F742","name":"ALCHEMICAL SYMBOL FOR BORAX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF742"},128835:{"value":"1F743","name":"ALCHEMICAL SYMBOL FOR BORAX-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF743"},128836:{"value":"1F744","name":"ALCHEMICAL SYMBOL FOR BORAX-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF744"},128837:{"value":"1F745","name":"ALCHEMICAL SYMBOL FOR ALUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF745"},128838:{"value":"1F746","name":"ALCHEMICAL SYMBOL FOR OIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF746"},128839:{"value":"1F747","name":"ALCHEMICAL SYMBOL FOR SPIRIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF747"},128840:{"value":"1F748","name":"ALCHEMICAL SYMBOL FOR TINCTURE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF748"},128841:{"value":"1F749","name":"ALCHEMICAL SYMBOL FOR GUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF749"},128842:{"value":"1F74A","name":"ALCHEMICAL SYMBOL FOR WAX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74A"},128843:{"value":"1F74B","name":"ALCHEMICAL SYMBOL FOR POWDER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74B"},128844:{"value":"1F74C","name":"ALCHEMICAL SYMBOL FOR CALX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74C"},128845:{"value":"1F74D","name":"ALCHEMICAL SYMBOL FOR TUTTY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74D"},128846:{"value":"1F74E","name":"ALCHEMICAL SYMBOL FOR CAPUT MORTUUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74E"},128847:{"value":"1F74F","name":"ALCHEMICAL SYMBOL FOR SCEPTER OF JOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF74F"},128848:{"value":"1F750","name":"ALCHEMICAL SYMBOL FOR CADUCEUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF750"},128849:{"value":"1F751","name":"ALCHEMICAL SYMBOL FOR TRIDENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF751"},128850:{"value":"1F752","name":"ALCHEMICAL SYMBOL FOR STARRED TRIDENT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF752"},128851:{"value":"1F753","name":"ALCHEMICAL SYMBOL FOR LODESTONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF753"},128852:{"value":"1F754","name":"ALCHEMICAL SYMBOL FOR SOAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF754"},128853:{"value":"1F755","name":"ALCHEMICAL SYMBOL FOR URINE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF755"},128854:{"value":"1F756","name":"ALCHEMICAL SYMBOL FOR HORSE DUNG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF756"},128855:{"value":"1F757","name":"ALCHEMICAL SYMBOL FOR ASHES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF757"},128856:{"value":"1F758","name":"ALCHEMICAL SYMBOL FOR POT ASHES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF758"},128857:{"value":"1F759","name":"ALCHEMICAL SYMBOL FOR BRICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF759"},128858:{"value":"1F75A","name":"ALCHEMICAL SYMBOL FOR POWDERED BRICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75A"},128859:{"value":"1F75B","name":"ALCHEMICAL SYMBOL FOR AMALGAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75B"},128860:{"value":"1F75C","name":"ALCHEMICAL SYMBOL FOR STRATUM SUPER STRATUM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75C"},128861:{"value":"1F75D","name":"ALCHEMICAL SYMBOL FOR STRATUM SUPER STRATUM-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75D"},128862:{"value":"1F75E","name":"ALCHEMICAL SYMBOL FOR SUBLIMATION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75E"},128863:{"value":"1F75F","name":"ALCHEMICAL SYMBOL FOR PRECIPITATE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF75F"},128864:{"value":"1F760","name":"ALCHEMICAL SYMBOL FOR DISTILL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF760"},128865:{"value":"1F761","name":"ALCHEMICAL SYMBOL FOR DISSOLVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF761"},128866:{"value":"1F762","name":"ALCHEMICAL SYMBOL FOR DISSOLVE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF762"},128867:{"value":"1F763","name":"ALCHEMICAL SYMBOL FOR PURIFY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF763"},128868:{"value":"1F764","name":"ALCHEMICAL SYMBOL FOR PUTREFACTION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF764"},128869:{"value":"1F765","name":"ALCHEMICAL SYMBOL FOR CRUCIBLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF765"},128870:{"value":"1F766","name":"ALCHEMICAL SYMBOL FOR CRUCIBLE-2","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF766"},128871:{"value":"1F767","name":"ALCHEMICAL SYMBOL FOR CRUCIBLE-3","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF767"},128872:{"value":"1F768","name":"ALCHEMICAL SYMBOL FOR CRUCIBLE-4","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF768"},128873:{"value":"1F769","name":"ALCHEMICAL SYMBOL FOR CRUCIBLE-5","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF769"},128874:{"value":"1F76A","name":"ALCHEMICAL SYMBOL FOR ALEMBIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76A"},128875:{"value":"1F76B","name":"ALCHEMICAL SYMBOL FOR BATH OF MARY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76B"},128876:{"value":"1F76C","name":"ALCHEMICAL SYMBOL FOR BATH OF VAPOURS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76C"},128877:{"value":"1F76D","name":"ALCHEMICAL SYMBOL FOR RETORT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76D"},128878:{"value":"1F76E","name":"ALCHEMICAL SYMBOL FOR HOUR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76E"},128879:{"value":"1F76F","name":"ALCHEMICAL SYMBOL FOR NIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF76F"},128880:{"value":"1F770","name":"ALCHEMICAL SYMBOL FOR DAY-NIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF770"},128881:{"value":"1F771","name":"ALCHEMICAL SYMBOL FOR MONTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF771"},128882:{"value":"1F772","name":"ALCHEMICAL SYMBOL FOR HALF DRAM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF772"},128883:{"value":"1F773","name":"ALCHEMICAL SYMBOL FOR HALF OUNCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF773"},128896:{"value":"1F780","name":"BLACK LEFT-POINTING ISOSCELES RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF780"},128897:{"value":"1F781","name":"BLACK UP-POINTING ISOSCELES RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF781"},128898:{"value":"1F782","name":"BLACK RIGHT-POINTING ISOSCELES RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF782"},128899:{"value":"1F783","name":"BLACK DOWN-POINTING ISOSCELES RIGHT TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF783"},128900:{"value":"1F784","name":"BLACK SLIGHTLY SMALL CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF784"},128901:{"value":"1F785","name":"MEDIUM BOLD WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF785"},128902:{"value":"1F786","name":"BOLD WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF786"},128903:{"value":"1F787","name":"HEAVY WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF787"},128904:{"value":"1F788","name":"VERY HEAVY WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF788"},128905:{"value":"1F789","name":"EXTREMELY HEAVY WHITE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF789"},128906:{"value":"1F78A","name":"WHITE CIRCLE CONTAINING BLACK SMALL CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78A"},128907:{"value":"1F78B","name":"ROUND TARGET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78B"},128908:{"value":"1F78C","name":"BLACK TINY SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78C"},128909:{"value":"1F78D","name":"BLACK SLIGHTLY SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78D"},128910:{"value":"1F78E","name":"LIGHT WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78E"},128911:{"value":"1F78F","name":"MEDIUM WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF78F"},128912:{"value":"1F790","name":"BOLD WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF790"},128913:{"value":"1F791","name":"HEAVY WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF791"},128914:{"value":"1F792","name":"VERY HEAVY WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF792"},128915:{"value":"1F793","name":"EXTREMELY HEAVY WHITE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF793"},128916:{"value":"1F794","name":"WHITE SQUARE CONTAINING BLACK VERY SMALL SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF794"},128917:{"value":"1F795","name":"WHITE SQUARE CONTAINING BLACK MEDIUM SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF795"},128918:{"value":"1F796","name":"SQUARE TARGET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF796"},128919:{"value":"1F797","name":"BLACK TINY DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF797"},128920:{"value":"1F798","name":"BLACK VERY SMALL DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF798"},128921:{"value":"1F799","name":"BLACK MEDIUM SMALL DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF799"},128922:{"value":"1F79A","name":"WHITE DIAMOND CONTAINING BLACK VERY SMALL DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79A"},128923:{"value":"1F79B","name":"WHITE DIAMOND CONTAINING BLACK MEDIUM DIAMOND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79B"},128924:{"value":"1F79C","name":"DIAMOND TARGET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79C"},128925:{"value":"1F79D","name":"BLACK TINY LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79D"},128926:{"value":"1F79E","name":"BLACK VERY SMALL LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79E"},128927:{"value":"1F79F","name":"BLACK MEDIUM SMALL LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF79F"},128928:{"value":"1F7A0","name":"WHITE LOZENGE CONTAINING BLACK SMALL LOZENGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A0"},128929:{"value":"1F7A1","name":"THIN GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A1"},128930:{"value":"1F7A2","name":"LIGHT GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A2"},128931:{"value":"1F7A3","name":"MEDIUM GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A3"},128932:{"value":"1F7A4","name":"BOLD GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A4"},128933:{"value":"1F7A5","name":"VERY BOLD GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A5"},128934:{"value":"1F7A6","name":"VERY HEAVY GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A6"},128935:{"value":"1F7A7","name":"EXTREMELY HEAVY GREEK CROSS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A7"},128936:{"value":"1F7A8","name":"THIN SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A8"},128937:{"value":"1F7A9","name":"LIGHT SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7A9"},128938:{"value":"1F7AA","name":"MEDIUM SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AA"},128939:{"value":"1F7AB","name":"BOLD SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AB"},128940:{"value":"1F7AC","name":"HEAVY SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AC"},128941:{"value":"1F7AD","name":"VERY HEAVY SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AD"},128942:{"value":"1F7AE","name":"EXTREMELY HEAVY SALTIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AE"},128943:{"value":"1F7AF","name":"LIGHT FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7AF"},128944:{"value":"1F7B0","name":"MEDIUM FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B0"},128945:{"value":"1F7B1","name":"BOLD FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B1"},128946:{"value":"1F7B2","name":"HEAVY FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B2"},128947:{"value":"1F7B3","name":"VERY HEAVY FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B3"},128948:{"value":"1F7B4","name":"EXTREMELY HEAVY FIVE SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B4"},128949:{"value":"1F7B5","name":"LIGHT SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B5"},128950:{"value":"1F7B6","name":"MEDIUM SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B6"},128951:{"value":"1F7B7","name":"BOLD SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B7"},128952:{"value":"1F7B8","name":"HEAVY SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B8"},128953:{"value":"1F7B9","name":"VERY HEAVY SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7B9"},128954:{"value":"1F7BA","name":"EXTREMELY HEAVY SIX SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BA"},128955:{"value":"1F7BB","name":"LIGHT EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BB"},128956:{"value":"1F7BC","name":"MEDIUM EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BC"},128957:{"value":"1F7BD","name":"BOLD EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BD"},128958:{"value":"1F7BE","name":"HEAVY EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BE"},128959:{"value":"1F7BF","name":"VERY HEAVY EIGHT SPOKED ASTERISK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7BF"},128960:{"value":"1F7C0","name":"LIGHT THREE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C0"},128961:{"value":"1F7C1","name":"MEDIUM THREE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C1"},128962:{"value":"1F7C2","name":"THREE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C2"},128963:{"value":"1F7C3","name":"MEDIUM THREE POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C3"},128964:{"value":"1F7C4","name":"LIGHT FOUR POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C4"},128965:{"value":"1F7C5","name":"MEDIUM FOUR POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C5"},128966:{"value":"1F7C6","name":"FOUR POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C6"},128967:{"value":"1F7C7","name":"MEDIUM FOUR POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C7"},128968:{"value":"1F7C8","name":"REVERSE LIGHT FOUR POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C8"},128969:{"value":"1F7C9","name":"LIGHT FIVE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7C9"},128970:{"value":"1F7CA","name":"HEAVY FIVE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CA"},128971:{"value":"1F7CB","name":"MEDIUM SIX POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CB"},128972:{"value":"1F7CC","name":"HEAVY SIX POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CC"},128973:{"value":"1F7CD","name":"SIX POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CD"},128974:{"value":"1F7CE","name":"MEDIUM EIGHT POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CE"},128975:{"value":"1F7CF","name":"HEAVY EIGHT POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7CF"},128976:{"value":"1F7D0","name":"VERY HEAVY EIGHT POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D0"},128977:{"value":"1F7D1","name":"HEAVY EIGHT POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D1"},128978:{"value":"1F7D2","name":"LIGHT TWELVE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D2"},128979:{"value":"1F7D3","name":"HEAVY TWELVE POINTED BLACK STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D3"},128980:{"value":"1F7D4","name":"HEAVY TWELVE POINTED PINWHEEL STAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D4"},128981:{"value":"1F7D5","name":"CIRCLED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D5"},128982:{"value":"1F7D6","name":"NEGATIVE CIRCLED TRIANGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D6"},128983:{"value":"1F7D7","name":"CIRCLED SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D7"},128984:{"value":"1F7D8","name":"NEGATIVE CIRCLED SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7D8"},128992:{"value":"1F7E0","name":"LARGE ORANGE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E0"},128993:{"value":"1F7E1","name":"LARGE YELLOW CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E1"},128994:{"value":"1F7E2","name":"LARGE GREEN CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E2"},128995:{"value":"1F7E3","name":"LARGE PURPLE CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E3"},128996:{"value":"1F7E4","name":"LARGE BROWN CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E4"},128997:{"value":"1F7E5","name":"LARGE RED SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E5"},128998:{"value":"1F7E6","name":"LARGE BLUE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E6"},128999:{"value":"1F7E7","name":"LARGE ORANGE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E7"},129000:{"value":"1F7E8","name":"LARGE YELLOW SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E8"},129001:{"value":"1F7E9","name":"LARGE GREEN SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7E9"},129002:{"value":"1F7EA","name":"LARGE PURPLE SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7EA"},129003:{"value":"1F7EB","name":"LARGE BROWN SQUARE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF7EB"},129024:{"value":"1F800","name":"LEFTWARDS ARROW WITH SMALL TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF800"},129025:{"value":"1F801","name":"UPWARDS ARROW WITH SMALL TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF801"},129026:{"value":"1F802","name":"RIGHTWARDS ARROW WITH SMALL TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF802"},129027:{"value":"1F803","name":"DOWNWARDS ARROW WITH SMALL TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF803"},129028:{"value":"1F804","name":"LEFTWARDS ARROW WITH MEDIUM TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF804"},129029:{"value":"1F805","name":"UPWARDS ARROW WITH MEDIUM TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF805"},129030:{"value":"1F806","name":"RIGHTWARDS ARROW WITH MEDIUM TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF806"},129031:{"value":"1F807","name":"DOWNWARDS ARROW WITH MEDIUM TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF807"},129032:{"value":"1F808","name":"LEFTWARDS ARROW WITH LARGE TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF808"},129033:{"value":"1F809","name":"UPWARDS ARROW WITH LARGE TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF809"},129034:{"value":"1F80A","name":"RIGHTWARDS ARROW WITH LARGE TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF80A"},129035:{"value":"1F80B","name":"DOWNWARDS ARROW WITH LARGE TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF80B"},129040:{"value":"1F810","name":"LEFTWARDS ARROW WITH SMALL EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF810"},129041:{"value":"1F811","name":"UPWARDS ARROW WITH SMALL EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF811"},129042:{"value":"1F812","name":"RIGHTWARDS ARROW WITH SMALL EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF812"},129043:{"value":"1F813","name":"DOWNWARDS ARROW WITH SMALL EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF813"},129044:{"value":"1F814","name":"LEFTWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF814"},129045:{"value":"1F815","name":"UPWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF815"},129046:{"value":"1F816","name":"RIGHTWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF816"},129047:{"value":"1F817","name":"DOWNWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF817"},129048:{"value":"1F818","name":"HEAVY LEFTWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF818"},129049:{"value":"1F819","name":"HEAVY UPWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF819"},129050:{"value":"1F81A","name":"HEAVY RIGHTWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81A"},129051:{"value":"1F81B","name":"HEAVY DOWNWARDS ARROW WITH EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81B"},129052:{"value":"1F81C","name":"HEAVY LEFTWARDS ARROW WITH LARGE EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81C"},129053:{"value":"1F81D","name":"HEAVY UPWARDS ARROW WITH LARGE EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81D"},129054:{"value":"1F81E","name":"HEAVY RIGHTWARDS ARROW WITH LARGE EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81E"},129055:{"value":"1F81F","name":"HEAVY DOWNWARDS ARROW WITH LARGE EQUILATERAL ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF81F"},129056:{"value":"1F820","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH NARROW SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF820"},129057:{"value":"1F821","name":"UPWARDS TRIANGLE-HEADED ARROW WITH NARROW SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF821"},129058:{"value":"1F822","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH NARROW SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF822"},129059:{"value":"1F823","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH NARROW SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF823"},129060:{"value":"1F824","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH MEDIUM SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF824"},129061:{"value":"1F825","name":"UPWARDS TRIANGLE-HEADED ARROW WITH MEDIUM SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF825"},129062:{"value":"1F826","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH MEDIUM SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF826"},129063:{"value":"1F827","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH MEDIUM SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF827"},129064:{"value":"1F828","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH BOLD SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF828"},129065:{"value":"1F829","name":"UPWARDS TRIANGLE-HEADED ARROW WITH BOLD SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF829"},129066:{"value":"1F82A","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH BOLD SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82A"},129067:{"value":"1F82B","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH BOLD SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82B"},129068:{"value":"1F82C","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82C"},129069:{"value":"1F82D","name":"UPWARDS TRIANGLE-HEADED ARROW WITH HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82D"},129070:{"value":"1F82E","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82E"},129071:{"value":"1F82F","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF82F"},129072:{"value":"1F830","name":"LEFTWARDS TRIANGLE-HEADED ARROW WITH VERY HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF830"},129073:{"value":"1F831","name":"UPWARDS TRIANGLE-HEADED ARROW WITH VERY HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF831"},129074:{"value":"1F832","name":"RIGHTWARDS TRIANGLE-HEADED ARROW WITH VERY HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF832"},129075:{"value":"1F833","name":"DOWNWARDS TRIANGLE-HEADED ARROW WITH VERY HEAVY SHAFT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF833"},129076:{"value":"1F834","name":"LEFTWARDS FINGER-POST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF834"},129077:{"value":"1F835","name":"UPWARDS FINGER-POST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF835"},129078:{"value":"1F836","name":"RIGHTWARDS FINGER-POST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF836"},129079:{"value":"1F837","name":"DOWNWARDS FINGER-POST ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF837"},129080:{"value":"1F838","name":"LEFTWARDS SQUARED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF838"},129081:{"value":"1F839","name":"UPWARDS SQUARED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF839"},129082:{"value":"1F83A","name":"RIGHTWARDS SQUARED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83A"},129083:{"value":"1F83B","name":"DOWNWARDS SQUARED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83B"},129084:{"value":"1F83C","name":"LEFTWARDS COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83C"},129085:{"value":"1F83D","name":"UPWARDS COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83D"},129086:{"value":"1F83E","name":"RIGHTWARDS COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83E"},129087:{"value":"1F83F","name":"DOWNWARDS COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF83F"},129088:{"value":"1F840","name":"LEFTWARDS HEAVY COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF840"},129089:{"value":"1F841","name":"UPWARDS HEAVY COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF841"},129090:{"value":"1F842","name":"RIGHTWARDS HEAVY COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF842"},129091:{"value":"1F843","name":"DOWNWARDS HEAVY COMPRESSED ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF843"},129092:{"value":"1F844","name":"LEFTWARDS HEAVY ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF844"},129093:{"value":"1F845","name":"UPWARDS HEAVY ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF845"},129094:{"value":"1F846","name":"RIGHTWARDS HEAVY ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF846"},129095:{"value":"1F847","name":"DOWNWARDS HEAVY ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF847"},129104:{"value":"1F850","name":"LEFTWARDS SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF850"},129105:{"value":"1F851","name":"UPWARDS SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF851"},129106:{"value":"1F852","name":"RIGHTWARDS SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF852"},129107:{"value":"1F853","name":"DOWNWARDS SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF853"},129108:{"value":"1F854","name":"NORTH WEST SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF854"},129109:{"value":"1F855","name":"NORTH EAST SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF855"},129110:{"value":"1F856","name":"SOUTH EAST SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF856"},129111:{"value":"1F857","name":"SOUTH WEST SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF857"},129112:{"value":"1F858","name":"LEFT RIGHT SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF858"},129113:{"value":"1F859","name":"UP DOWN SANS-SERIF ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF859"},129120:{"value":"1F860","name":"WIDE-HEADED LEFTWARDS LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF860"},129121:{"value":"1F861","name":"WIDE-HEADED UPWARDS LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF861"},129122:{"value":"1F862","name":"WIDE-HEADED RIGHTWARDS LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF862"},129123:{"value":"1F863","name":"WIDE-HEADED DOWNWARDS LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF863"},129124:{"value":"1F864","name":"WIDE-HEADED NORTH WEST LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF864"},129125:{"value":"1F865","name":"WIDE-HEADED NORTH EAST LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF865"},129126:{"value":"1F866","name":"WIDE-HEADED SOUTH EAST LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF866"},129127:{"value":"1F867","name":"WIDE-HEADED SOUTH WEST LIGHT BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF867"},129128:{"value":"1F868","name":"WIDE-HEADED LEFTWARDS BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF868"},129129:{"value":"1F869","name":"WIDE-HEADED UPWARDS BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF869"},129130:{"value":"1F86A","name":"WIDE-HEADED RIGHTWARDS BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86A"},129131:{"value":"1F86B","name":"WIDE-HEADED DOWNWARDS BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86B"},129132:{"value":"1F86C","name":"WIDE-HEADED NORTH WEST BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86C"},129133:{"value":"1F86D","name":"WIDE-HEADED NORTH EAST BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86D"},129134:{"value":"1F86E","name":"WIDE-HEADED SOUTH EAST BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86E"},129135:{"value":"1F86F","name":"WIDE-HEADED SOUTH WEST BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF86F"},129136:{"value":"1F870","name":"WIDE-HEADED LEFTWARDS MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF870"},129137:{"value":"1F871","name":"WIDE-HEADED UPWARDS MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF871"},129138:{"value":"1F872","name":"WIDE-HEADED RIGHTWARDS MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF872"},129139:{"value":"1F873","name":"WIDE-HEADED DOWNWARDS MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF873"},129140:{"value":"1F874","name":"WIDE-HEADED NORTH WEST MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF874"},129141:{"value":"1F875","name":"WIDE-HEADED NORTH EAST MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF875"},129142:{"value":"1F876","name":"WIDE-HEADED SOUTH EAST MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF876"},129143:{"value":"1F877","name":"WIDE-HEADED SOUTH WEST MEDIUM BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF877"},129144:{"value":"1F878","name":"WIDE-HEADED LEFTWARDS HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF878"},129145:{"value":"1F879","name":"WIDE-HEADED UPWARDS HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF879"},129146:{"value":"1F87A","name":"WIDE-HEADED RIGHTWARDS HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87A"},129147:{"value":"1F87B","name":"WIDE-HEADED DOWNWARDS HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87B"},129148:{"value":"1F87C","name":"WIDE-HEADED NORTH WEST HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87C"},129149:{"value":"1F87D","name":"WIDE-HEADED NORTH EAST HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87D"},129150:{"value":"1F87E","name":"WIDE-HEADED SOUTH EAST HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87E"},129151:{"value":"1F87F","name":"WIDE-HEADED SOUTH WEST HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF87F"},129152:{"value":"1F880","name":"WIDE-HEADED LEFTWARDS VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF880"},129153:{"value":"1F881","name":"WIDE-HEADED UPWARDS VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF881"},129154:{"value":"1F882","name":"WIDE-HEADED RIGHTWARDS VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF882"},129155:{"value":"1F883","name":"WIDE-HEADED DOWNWARDS VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF883"},129156:{"value":"1F884","name":"WIDE-HEADED NORTH WEST VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF884"},129157:{"value":"1F885","name":"WIDE-HEADED NORTH EAST VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF885"},129158:{"value":"1F886","name":"WIDE-HEADED SOUTH EAST VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF886"},129159:{"value":"1F887","name":"WIDE-HEADED SOUTH WEST VERY HEAVY BARB ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF887"},129168:{"value":"1F890","name":"LEFTWARDS TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF890"},129169:{"value":"1F891","name":"UPWARDS TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF891"},129170:{"value":"1F892","name":"RIGHTWARDS TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF892"},129171:{"value":"1F893","name":"DOWNWARDS TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF893"},129172:{"value":"1F894","name":"LEFTWARDS WHITE ARROW WITHIN TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF894"},129173:{"value":"1F895","name":"UPWARDS WHITE ARROW WITHIN TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF895"},129174:{"value":"1F896","name":"RIGHTWARDS WHITE ARROW WITHIN TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF896"},129175:{"value":"1F897","name":"DOWNWARDS WHITE ARROW WITHIN TRIANGLE ARROWHEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF897"},129176:{"value":"1F898","name":"LEFTWARDS ARROW WITH NOTCHED TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF898"},129177:{"value":"1F899","name":"UPWARDS ARROW WITH NOTCHED TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF899"},129178:{"value":"1F89A","name":"RIGHTWARDS ARROW WITH NOTCHED TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89A"},129179:{"value":"1F89B","name":"DOWNWARDS ARROW WITH NOTCHED TAIL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89B"},129180:{"value":"1F89C","name":"HEAVY ARROW SHAFT WIDTH ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89C"},129181:{"value":"1F89D","name":"HEAVY ARROW SHAFT WIDTH TWO THIRDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89D"},129182:{"value":"1F89E","name":"HEAVY ARROW SHAFT WIDTH ONE HALF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89E"},129183:{"value":"1F89F","name":"HEAVY ARROW SHAFT WIDTH ONE THIRD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF89F"},129184:{"value":"1F8A0","name":"LEFTWARDS BOTTOM-SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A0"},129185:{"value":"1F8A1","name":"RIGHTWARDS BOTTOM SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A1"},129186:{"value":"1F8A2","name":"LEFTWARDS TOP SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A2"},129187:{"value":"1F8A3","name":"RIGHTWARDS TOP SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A3"},129188:{"value":"1F8A4","name":"LEFTWARDS LEFT-SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A4"},129189:{"value":"1F8A5","name":"RIGHTWARDS RIGHT-SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A5"},129190:{"value":"1F8A6","name":"LEFTWARDS RIGHT-SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A6"},129191:{"value":"1F8A7","name":"RIGHTWARDS LEFT-SHADED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A7"},129192:{"value":"1F8A8","name":"LEFTWARDS BACK-TILTED SHADOWED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A8"},129193:{"value":"1F8A9","name":"RIGHTWARDS BACK-TILTED SHADOWED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8A9"},129194:{"value":"1F8AA","name":"LEFTWARDS FRONT-TILTED SHADOWED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8AA"},129195:{"value":"1F8AB","name":"RIGHTWARDS FRONT-TILTED SHADOWED WHITE ARROW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8AB"},129196:{"value":"1F8AC","name":"WHITE ARROW SHAFT WIDTH ONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8AC"},129197:{"value":"1F8AD","name":"WHITE ARROW SHAFT WIDTH TWO THIRDS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF8AD"},129280:{"value":"1F900","name":"CIRCLED CROSS FORMEE WITH FOUR DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF900"},129281:{"value":"1F901","name":"CIRCLED CROSS FORMEE WITH TWO DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF901"},129282:{"value":"1F902","name":"CIRCLED CROSS FORMEE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF902"},129283:{"value":"1F903","name":"LEFT HALF CIRCLE WITH FOUR DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF903"},129284:{"value":"1F904","name":"LEFT HALF CIRCLE WITH THREE DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF904"},129285:{"value":"1F905","name":"LEFT HALF CIRCLE WITH TWO DOTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF905"},129286:{"value":"1F906","name":"LEFT HALF CIRCLE WITH DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF906"},129287:{"value":"1F907","name":"LEFT HALF CIRCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF907"},129288:{"value":"1F908","name":"DOWNWARD FACING HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF908"},129289:{"value":"1F909","name":"DOWNWARD FACING NOTCHED HOOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF909"},129290:{"value":"1F90A","name":"DOWNWARD FACING HOOK WITH DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF90A"},129291:{"value":"1F90B","name":"DOWNWARD FACING NOTCHED HOOK WITH DOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF90B"},129293:{"value":"1F90D","name":"WHITE HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF90D"},129294:{"value":"1F90E","name":"BROWN HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF90E"},129295:{"value":"1F90F","name":"PINCHING HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF90F"},129296:{"value":"1F910","name":"ZIPPER-MOUTH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF910"},129297:{"value":"1F911","name":"MONEY-MOUTH FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF911"},129298:{"value":"1F912","name":"FACE WITH THERMOMETER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF912"},129299:{"value":"1F913","name":"NERD FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF913"},129300:{"value":"1F914","name":"THINKING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF914"},129301:{"value":"1F915","name":"FACE WITH HEAD-BANDAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF915"},129302:{"value":"1F916","name":"ROBOT FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF916"},129303:{"value":"1F917","name":"HUGGING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF917"},129304:{"value":"1F918","name":"SIGN OF THE HORNS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF918"},129305:{"value":"1F919","name":"CALL ME HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF919"},129306:{"value":"1F91A","name":"RAISED BACK OF HAND","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91A"},129307:{"value":"1F91B","name":"LEFT-FACING FIST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91B"},129308:{"value":"1F91C","name":"RIGHT-FACING FIST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91C"},129309:{"value":"1F91D","name":"HANDSHAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91D"},129310:{"value":"1F91E","name":"HAND WITH INDEX AND MIDDLE FINGERS CROSSED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91E"},129311:{"value":"1F91F","name":"I LOVE YOU HAND SIGN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF91F"},129312:{"value":"1F920","name":"FACE WITH COWBOY HAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF920"},129313:{"value":"1F921","name":"CLOWN FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF921"},129314:{"value":"1F922","name":"NAUSEATED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF922"},129315:{"value":"1F923","name":"ROLLING ON THE FLOOR LAUGHING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF923"},129316:{"value":"1F924","name":"DROOLING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF924"},129317:{"value":"1F925","name":"LYING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF925"},129318:{"value":"1F926","name":"FACE PALM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF926"},129319:{"value":"1F927","name":"SNEEZING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF927"},129320:{"value":"1F928","name":"FACE WITH ONE EYEBROW RAISED","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF928"},129321:{"value":"1F929","name":"GRINNING FACE WITH STAR EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF929"},129322:{"value":"1F92A","name":"GRINNING FACE WITH ONE LARGE AND ONE SMALL EYE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92A"},129323:{"value":"1F92B","name":"FACE WITH FINGER COVERING CLOSED LIPS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92B"},129324:{"value":"1F92C","name":"SERIOUS FACE WITH SYMBOLS COVERING MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92C"},129325:{"value":"1F92D","name":"SMILING FACE WITH SMILING EYES AND HAND COVERING MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92D"},129326:{"value":"1F92E","name":"FACE WITH OPEN MOUTH VOMITING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92E"},129327:{"value":"1F92F","name":"SHOCKED FACE WITH EXPLODING HEAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF92F"},129328:{"value":"1F930","name":"PREGNANT WOMAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF930"},129329:{"value":"1F931","name":"BREAST-FEEDING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF931"},129330:{"value":"1F932","name":"PALMS UP TOGETHER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF932"},129331:{"value":"1F933","name":"SELFIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF933"},129332:{"value":"1F934","name":"PRINCE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF934"},129333:{"value":"1F935","name":"MAN IN TUXEDO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF935"},129334:{"value":"1F936","name":"MOTHER CHRISTMAS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF936"},129335:{"value":"1F937","name":"SHRUG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF937"},129336:{"value":"1F938","name":"PERSON DOING CARTWHEEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF938"},129337:{"value":"1F939","name":"JUGGLING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF939"},129338:{"value":"1F93A","name":"FENCER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93A"},129339:{"value":"1F93B","name":"MODERN PENTATHLON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93B"},129340:{"value":"1F93C","name":"WRESTLERS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93C"},129341:{"value":"1F93D","name":"WATER POLO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93D"},129342:{"value":"1F93E","name":"HANDBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93E"},129343:{"value":"1F93F","name":"DIVING MASK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF93F"},129344:{"value":"1F940","name":"WILTED FLOWER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF940"},129345:{"value":"1F941","name":"DRUM WITH DRUMSTICKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF941"},129346:{"value":"1F942","name":"CLINKING GLASSES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF942"},129347:{"value":"1F943","name":"TUMBLER GLASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF943"},129348:{"value":"1F944","name":"SPOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF944"},129349:{"value":"1F945","name":"GOAL NET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF945"},129350:{"value":"1F946","name":"RIFLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF946"},129351:{"value":"1F947","name":"FIRST PLACE MEDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF947"},129352:{"value":"1F948","name":"SECOND PLACE MEDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF948"},129353:{"value":"1F949","name":"THIRD PLACE MEDAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF949"},129354:{"value":"1F94A","name":"BOXING GLOVE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94A"},129355:{"value":"1F94B","name":"MARTIAL ARTS UNIFORM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94B"},129356:{"value":"1F94C","name":"CURLING STONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94C"},129357:{"value":"1F94D","name":"LACROSSE STICK AND BALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94D"},129358:{"value":"1F94E","name":"SOFTBALL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94E"},129359:{"value":"1F94F","name":"FLYING DISC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF94F"},129360:{"value":"1F950","name":"CROISSANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF950"},129361:{"value":"1F951","name":"AVOCADO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF951"},129362:{"value":"1F952","name":"CUCUMBER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF952"},129363:{"value":"1F953","name":"BACON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF953"},129364:{"value":"1F954","name":"POTATO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF954"},129365:{"value":"1F955","name":"CARROT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF955"},129366:{"value":"1F956","name":"BAGUETTE BREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF956"},129367:{"value":"1F957","name":"GREEN SALAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF957"},129368:{"value":"1F958","name":"SHALLOW PAN OF FOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF958"},129369:{"value":"1F959","name":"STUFFED FLATBREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF959"},129370:{"value":"1F95A","name":"EGG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95A"},129371:{"value":"1F95B","name":"GLASS OF MILK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95B"},129372:{"value":"1F95C","name":"PEANUTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95C"},129373:{"value":"1F95D","name":"KIWIFRUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95D"},129374:{"value":"1F95E","name":"PANCAKES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95E"},129375:{"value":"1F95F","name":"DUMPLING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF95F"},129376:{"value":"1F960","name":"FORTUNE COOKIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF960"},129377:{"value":"1F961","name":"TAKEOUT BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF961"},129378:{"value":"1F962","name":"CHOPSTICKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF962"},129379:{"value":"1F963","name":"BOWL WITH SPOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF963"},129380:{"value":"1F964","name":"CUP WITH STRAW","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF964"},129381:{"value":"1F965","name":"COCONUT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF965"},129382:{"value":"1F966","name":"BROCCOLI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF966"},129383:{"value":"1F967","name":"PIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF967"},129384:{"value":"1F968","name":"PRETZEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF968"},129385:{"value":"1F969","name":"CUT OF MEAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF969"},129386:{"value":"1F96A","name":"SANDWICH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96A"},129387:{"value":"1F96B","name":"CANNED FOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96B"},129388:{"value":"1F96C","name":"LEAFY GREEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96C"},129389:{"value":"1F96D","name":"MANGO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96D"},129390:{"value":"1F96E","name":"MOON CAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96E"},129391:{"value":"1F96F","name":"BAGEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF96F"},129392:{"value":"1F970","name":"SMILING FACE WITH SMILING EYES AND THREE HEARTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF970"},129393:{"value":"1F971","name":"YAWNING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF971"},129395:{"value":"1F973","name":"FACE WITH PARTY HORN AND PARTY HAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF973"},129396:{"value":"1F974","name":"FACE WITH UNEVEN EYES AND WAVY MOUTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF974"},129397:{"value":"1F975","name":"OVERHEATED FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF975"},129398:{"value":"1F976","name":"FREEZING FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF976"},129402:{"value":"1F97A","name":"FACE WITH PLEADING EYES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97A"},129403:{"value":"1F97B","name":"SARI","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97B"},129404:{"value":"1F97C","name":"LAB COAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97C"},129405:{"value":"1F97D","name":"GOGGLES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97D"},129406:{"value":"1F97E","name":"HIKING BOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97E"},129407:{"value":"1F97F","name":"FLAT SHOE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF97F"},129408:{"value":"1F980","name":"CRAB","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF980"},129409:{"value":"1F981","name":"LION FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF981"},129410:{"value":"1F982","name":"SCORPION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF982"},129411:{"value":"1F983","name":"TURKEY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF983"},129412:{"value":"1F984","name":"UNICORN FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF984"},129413:{"value":"1F985","name":"EAGLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF985"},129414:{"value":"1F986","name":"DUCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF986"},129415:{"value":"1F987","name":"BAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF987"},129416:{"value":"1F988","name":"SHARK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF988"},129417:{"value":"1F989","name":"OWL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF989"},129418:{"value":"1F98A","name":"FOX FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98A"},129419:{"value":"1F98B","name":"BUTTERFLY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98B"},129420:{"value":"1F98C","name":"DEER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98C"},129421:{"value":"1F98D","name":"GORILLA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98D"},129422:{"value":"1F98E","name":"LIZARD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98E"},129423:{"value":"1F98F","name":"RHINOCEROS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF98F"},129424:{"value":"1F990","name":"SHRIMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF990"},129425:{"value":"1F991","name":"SQUID","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF991"},129426:{"value":"1F992","name":"GIRAFFE FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF992"},129427:{"value":"1F993","name":"ZEBRA FACE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF993"},129428:{"value":"1F994","name":"HEDGEHOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF994"},129429:{"value":"1F995","name":"SAUROPOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF995"},129430:{"value":"1F996","name":"T-REX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF996"},129431:{"value":"1F997","name":"CRICKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF997"},129432:{"value":"1F998","name":"KANGAROO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF998"},129433:{"value":"1F999","name":"LLAMA","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF999"},129434:{"value":"1F99A","name":"PEACOCK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99A"},129435:{"value":"1F99B","name":"HIPPOPOTAMUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99B"},129436:{"value":"1F99C","name":"PARROT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99C"},129437:{"value":"1F99D","name":"RACCOON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99D"},129438:{"value":"1F99E","name":"LOBSTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99E"},129439:{"value":"1F99F","name":"MOSQUITO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF99F"},129440:{"value":"1F9A0","name":"MICROBE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A0"},129441:{"value":"1F9A1","name":"BADGER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A1"},129442:{"value":"1F9A2","name":"SWAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A2"},129445:{"value":"1F9A5","name":"SLOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A5"},129446:{"value":"1F9A6","name":"OTTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A6"},129447:{"value":"1F9A7","name":"ORANGUTAN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A7"},129448:{"value":"1F9A8","name":"SKUNK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A8"},129449:{"value":"1F9A9","name":"FLAMINGO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9A9"},129450:{"value":"1F9AA","name":"OYSTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9AA"},129454:{"value":"1F9AE","name":"GUIDE DOG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9AE"},129455:{"value":"1F9AF","name":"PROBING CANE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9AF"},129456:{"value":"1F9B0","name":"EMOJI COMPONENT RED HAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B0"},129457:{"value":"1F9B1","name":"EMOJI COMPONENT CURLY HAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B1"},129458:{"value":"1F9B2","name":"EMOJI COMPONENT BALD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B2"},129459:{"value":"1F9B3","name":"EMOJI COMPONENT WHITE HAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B3"},129460:{"value":"1F9B4","name":"BONE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B4"},129461:{"value":"1F9B5","name":"LEG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B5"},129462:{"value":"1F9B6","name":"FOOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B6"},129463:{"value":"1F9B7","name":"TOOTH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B7"},129464:{"value":"1F9B8","name":"SUPERHERO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B8"},129465:{"value":"1F9B9","name":"SUPERVILLAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9B9"},129466:{"value":"1F9BA","name":"SAFETY VEST","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BA"},129467:{"value":"1F9BB","name":"EAR WITH HEARING AID","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BB"},129468:{"value":"1F9BC","name":"MOTORIZED WHEELCHAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BC"},129469:{"value":"1F9BD","name":"MANUAL WHEELCHAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BD"},129470:{"value":"1F9BE","name":"MECHANICAL ARM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BE"},129471:{"value":"1F9BF","name":"MECHANICAL LEG","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9BF"},129472:{"value":"1F9C0","name":"CHEESE WEDGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C0"},129473:{"value":"1F9C1","name":"CUPCAKE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C1"},129474:{"value":"1F9C2","name":"SALT SHAKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C2"},129475:{"value":"1F9C3","name":"BEVERAGE BOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C3"},129476:{"value":"1F9C4","name":"GARLIC","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C4"},129477:{"value":"1F9C5","name":"ONION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C5"},129478:{"value":"1F9C6","name":"FALAFEL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C6"},129479:{"value":"1F9C7","name":"WAFFLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C7"},129480:{"value":"1F9C8","name":"BUTTER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C8"},129481:{"value":"1F9C9","name":"MATE DRINK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9C9"},129482:{"value":"1F9CA","name":"ICE CUBE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9CA"},129485:{"value":"1F9CD","name":"STANDING PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9CD"},129486:{"value":"1F9CE","name":"KNEELING PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9CE"},129487:{"value":"1F9CF","name":"DEAF PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9CF"},129488:{"value":"1F9D0","name":"FACE WITH MONOCLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D0"},129489:{"value":"1F9D1","name":"ADULT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D1"},129490:{"value":"1F9D2","name":"CHILD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D2"},129491:{"value":"1F9D3","name":"OLDER ADULT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D3"},129492:{"value":"1F9D4","name":"BEARDED PERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D4"},129493:{"value":"1F9D5","name":"PERSON WITH HEADSCARF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D5"},129494:{"value":"1F9D6","name":"PERSON IN STEAMY ROOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D6"},129495:{"value":"1F9D7","name":"PERSON CLIMBING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D7"},129496:{"value":"1F9D8","name":"PERSON IN LOTUS POSITION","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D8"},129497:{"value":"1F9D9","name":"MAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9D9"},129498:{"value":"1F9DA","name":"FAIRY","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DA"},129499:{"value":"1F9DB","name":"VAMPIRE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DB"},129500:{"value":"1F9DC","name":"MERPERSON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DC"},129501:{"value":"1F9DD","name":"ELF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DD"},129502:{"value":"1F9DE","name":"GENIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DE"},129503:{"value":"1F9DF","name":"ZOMBIE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9DF"},129504:{"value":"1F9E0","name":"BRAIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E0"},129505:{"value":"1F9E1","name":"ORANGE HEART","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E1"},129506:{"value":"1F9E2","name":"BILLED CAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E2"},129507:{"value":"1F9E3","name":"SCARF","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E3"},129508:{"value":"1F9E4","name":"GLOVES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E4"},129509:{"value":"1F9E5","name":"COAT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E5"},129510:{"value":"1F9E6","name":"SOCKS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E6"},129511:{"value":"1F9E7","name":"RED GIFT ENVELOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E7"},129512:{"value":"1F9E8","name":"FIRECRACKER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E8"},129513:{"value":"1F9E9","name":"JIGSAW PUZZLE PIECE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9E9"},129514:{"value":"1F9EA","name":"TEST TUBE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9EA"},129515:{"value":"1F9EB","name":"PETRI DISH","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9EB"},129516:{"value":"1F9EC","name":"DNA DOUBLE HELIX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9EC"},129517:{"value":"1F9ED","name":"COMPASS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9ED"},129518:{"value":"1F9EE","name":"ABACUS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9EE"},129519:{"value":"1F9EF","name":"FIRE EXTINGUISHER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9EF"},129520:{"value":"1F9F0","name":"TOOLBOX","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F0"},129521:{"value":"1F9F1","name":"BRICK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F1"},129522:{"value":"1F9F2","name":"MAGNET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F2"},129523:{"value":"1F9F3","name":"LUGGAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F3"},129524:{"value":"1F9F4","name":"LOTION BOTTLE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F4"},129525:{"value":"1F9F5","name":"SPOOL OF THREAD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F5"},129526:{"value":"1F9F6","name":"BALL OF YARN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F6"},129527:{"value":"1F9F7","name":"SAFETY PIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F7"},129528:{"value":"1F9F8","name":"TEDDY BEAR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F8"},129529:{"value":"1F9F9","name":"BROOM","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9F9"},129530:{"value":"1F9FA","name":"BASKET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FA"},129531:{"value":"1F9FB","name":"ROLL OF PAPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FB"},129532:{"value":"1F9FC","name":"BAR OF SOAP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FC"},129533:{"value":"1F9FD","name":"SPONGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FD"},129534:{"value":"1F9FE","name":"RECEIPT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FE"},129535:{"value":"1F9FF","name":"NAZAR AMULET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uF9FF"},129536:{"value":"1FA00","name":"NEUTRAL CHESS KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA00"},129537:{"value":"1FA01","name":"NEUTRAL CHESS QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA01"},129538:{"value":"1FA02","name":"NEUTRAL CHESS ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA02"},129539:{"value":"1FA03","name":"NEUTRAL CHESS BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA03"},129540:{"value":"1FA04","name":"NEUTRAL CHESS KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA04"},129541:{"value":"1FA05","name":"NEUTRAL CHESS PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA05"},129542:{"value":"1FA06","name":"WHITE CHESS KNIGHT ROTATED FORTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA06"},129543:{"value":"1FA07","name":"BLACK CHESS KNIGHT ROTATED FORTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA07"},129544:{"value":"1FA08","name":"NEUTRAL CHESS KNIGHT ROTATED FORTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA08"},129545:{"value":"1FA09","name":"WHITE CHESS KING ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA09"},129546:{"value":"1FA0A","name":"WHITE CHESS QUEEN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0A"},129547:{"value":"1FA0B","name":"WHITE CHESS ROOK ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0B"},129548:{"value":"1FA0C","name":"WHITE CHESS BISHOP ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0C"},129549:{"value":"1FA0D","name":"WHITE CHESS KNIGHT ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0D"},129550:{"value":"1FA0E","name":"WHITE CHESS PAWN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0E"},129551:{"value":"1FA0F","name":"BLACK CHESS KING ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA0F"},129552:{"value":"1FA10","name":"BLACK CHESS QUEEN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA10"},129553:{"value":"1FA11","name":"BLACK CHESS ROOK ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA11"},129554:{"value":"1FA12","name":"BLACK CHESS BISHOP ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA12"},129555:{"value":"1FA13","name":"BLACK CHESS KNIGHT ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA13"},129556:{"value":"1FA14","name":"BLACK CHESS PAWN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA14"},129557:{"value":"1FA15","name":"NEUTRAL CHESS KING ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA15"},129558:{"value":"1FA16","name":"NEUTRAL CHESS QUEEN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA16"},129559:{"value":"1FA17","name":"NEUTRAL CHESS ROOK ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA17"},129560:{"value":"1FA18","name":"NEUTRAL CHESS BISHOP ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA18"},129561:{"value":"1FA19","name":"NEUTRAL CHESS KNIGHT ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA19"},129562:{"value":"1FA1A","name":"NEUTRAL CHESS PAWN ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1A"},129563:{"value":"1FA1B","name":"WHITE CHESS KNIGHT ROTATED ONE HUNDRED THIRTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1B"},129564:{"value":"1FA1C","name":"BLACK CHESS KNIGHT ROTATED ONE HUNDRED THIRTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1C"},129565:{"value":"1FA1D","name":"NEUTRAL CHESS KNIGHT ROTATED ONE HUNDRED THIRTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1D"},129566:{"value":"1FA1E","name":"WHITE CHESS TURNED KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1E"},129567:{"value":"1FA1F","name":"WHITE CHESS TURNED QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA1F"},129568:{"value":"1FA20","name":"WHITE CHESS TURNED ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA20"},129569:{"value":"1FA21","name":"WHITE CHESS TURNED BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA21"},129570:{"value":"1FA22","name":"WHITE CHESS TURNED KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA22"},129571:{"value":"1FA23","name":"WHITE CHESS TURNED PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA23"},129572:{"value":"1FA24","name":"BLACK CHESS TURNED KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA24"},129573:{"value":"1FA25","name":"BLACK CHESS TURNED QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA25"},129574:{"value":"1FA26","name":"BLACK CHESS TURNED ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA26"},129575:{"value":"1FA27","name":"BLACK CHESS TURNED BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA27"},129576:{"value":"1FA28","name":"BLACK CHESS TURNED KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA28"},129577:{"value":"1FA29","name":"BLACK CHESS TURNED PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA29"},129578:{"value":"1FA2A","name":"NEUTRAL CHESS TURNED KING","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2A"},129579:{"value":"1FA2B","name":"NEUTRAL CHESS TURNED QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2B"},129580:{"value":"1FA2C","name":"NEUTRAL CHESS TURNED ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2C"},129581:{"value":"1FA2D","name":"NEUTRAL CHESS TURNED BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2D"},129582:{"value":"1FA2E","name":"NEUTRAL CHESS TURNED KNIGHT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2E"},129583:{"value":"1FA2F","name":"NEUTRAL CHESS TURNED PAWN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA2F"},129584:{"value":"1FA30","name":"WHITE CHESS KNIGHT ROTATED TWO HUNDRED TWENTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA30"},129585:{"value":"1FA31","name":"BLACK CHESS KNIGHT ROTATED TWO HUNDRED TWENTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA31"},129586:{"value":"1FA32","name":"NEUTRAL CHESS KNIGHT ROTATED TWO HUNDRED TWENTY-FIVE DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA32"},129587:{"value":"1FA33","name":"WHITE CHESS KING ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA33"},129588:{"value":"1FA34","name":"WHITE CHESS QUEEN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA34"},129589:{"value":"1FA35","name":"WHITE CHESS ROOK ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA35"},129590:{"value":"1FA36","name":"WHITE CHESS BISHOP ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA36"},129591:{"value":"1FA37","name":"WHITE CHESS KNIGHT ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA37"},129592:{"value":"1FA38","name":"WHITE CHESS PAWN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA38"},129593:{"value":"1FA39","name":"BLACK CHESS KING ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA39"},129594:{"value":"1FA3A","name":"BLACK CHESS QUEEN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3A"},129595:{"value":"1FA3B","name":"BLACK CHESS ROOK ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3B"},129596:{"value":"1FA3C","name":"BLACK CHESS BISHOP ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3C"},129597:{"value":"1FA3D","name":"BLACK CHESS KNIGHT ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3D"},129598:{"value":"1FA3E","name":"BLACK CHESS PAWN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3E"},129599:{"value":"1FA3F","name":"NEUTRAL CHESS KING ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA3F"},129600:{"value":"1FA40","name":"NEUTRAL CHESS QUEEN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA40"},129601:{"value":"1FA41","name":"NEUTRAL CHESS ROOK ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA41"},129602:{"value":"1FA42","name":"NEUTRAL CHESS BISHOP ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA42"},129603:{"value":"1FA43","name":"NEUTRAL CHESS KNIGHT ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA43"},129604:{"value":"1FA44","name":"NEUTRAL CHESS PAWN ROTATED TWO HUNDRED SEVENTY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA44"},129605:{"value":"1FA45","name":"WHITE CHESS KNIGHT ROTATED THREE HUNDRED FIFTEEN DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA45"},129606:{"value":"1FA46","name":"BLACK CHESS KNIGHT ROTATED THREE HUNDRED FIFTEEN DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA46"},129607:{"value":"1FA47","name":"NEUTRAL CHESS KNIGHT ROTATED THREE HUNDRED FIFTEEN DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA47"},129608:{"value":"1FA48","name":"WHITE CHESS EQUIHOPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA48"},129609:{"value":"1FA49","name":"BLACK CHESS EQUIHOPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA49"},129610:{"value":"1FA4A","name":"NEUTRAL CHESS EQUIHOPPER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4A"},129611:{"value":"1FA4B","name":"WHITE CHESS EQUIHOPPER ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4B"},129612:{"value":"1FA4C","name":"BLACK CHESS EQUIHOPPER ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4C"},129613:{"value":"1FA4D","name":"NEUTRAL CHESS EQUIHOPPER ROTATED NINETY DEGREES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4D"},129614:{"value":"1FA4E","name":"WHITE CHESS KNIGHT-QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4E"},129615:{"value":"1FA4F","name":"WHITE CHESS KNIGHT-ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA4F"},129616:{"value":"1FA50","name":"WHITE CHESS KNIGHT-BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA50"},129617:{"value":"1FA51","name":"BLACK CHESS KNIGHT-QUEEN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA51"},129618:{"value":"1FA52","name":"BLACK CHESS KNIGHT-ROOK","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA52"},129619:{"value":"1FA53","name":"BLACK CHESS KNIGHT-BISHOP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA53"},129632:{"value":"1FA60","name":"XIANGQI RED GENERAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA60"},129633:{"value":"1FA61","name":"XIANGQI RED MANDARIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA61"},129634:{"value":"1FA62","name":"XIANGQI RED ELEPHANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA62"},129635:{"value":"1FA63","name":"XIANGQI RED HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA63"},129636:{"value":"1FA64","name":"XIANGQI RED CHARIOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA64"},129637:{"value":"1FA65","name":"XIANGQI RED CANNON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA65"},129638:{"value":"1FA66","name":"XIANGQI RED SOLDIER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA66"},129639:{"value":"1FA67","name":"XIANGQI BLACK GENERAL","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA67"},129640:{"value":"1FA68","name":"XIANGQI BLACK MANDARIN","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA68"},129641:{"value":"1FA69","name":"XIANGQI BLACK ELEPHANT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA69"},129642:{"value":"1FA6A","name":"XIANGQI BLACK HORSE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA6A"},129643:{"value":"1FA6B","name":"XIANGQI BLACK CHARIOT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA6B"},129644:{"value":"1FA6C","name":"XIANGQI BLACK CANNON","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA6C"},129645:{"value":"1FA6D","name":"XIANGQI BLACK SOLDIER","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA6D"},129648:{"value":"1FA70","name":"BALLET SHOES","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA70"},129649:{"value":"1FA71","name":"ONE-PIECE SWIMSUIT","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA71"},129650:{"value":"1FA72","name":"BRIEFS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA72"},129651:{"value":"1FA73","name":"SHORTS","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA73"},129656:{"value":"1FA78","name":"DROP OF BLOOD","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA78"},129657:{"value":"1FA79","name":"ADHESIVE BANDAGE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA79"},129658:{"value":"1FA7A","name":"STETHOSCOPE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA7A"},129664:{"value":"1FA80","name":"YO-YO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA80"},129665:{"value":"1FA81","name":"KITE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA81"},129666:{"value":"1FA82","name":"PARACHUTE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA82"},129680:{"value":"1FA90","name":"RINGED PLANET","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA90"},129681:{"value":"1FA91","name":"CHAIR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA91"},129682:{"value":"1FA92","name":"RAZOR","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA92"},129683:{"value":"1FA93","name":"AXE","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA93"},129684:{"value":"1FA94","name":"DIYA LAMP","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA94"},129685:{"value":"1FA95","name":"BANJO","category":"So","class":"0","bidirectional_category":"ON","mapping":"","decimal_digit_value":"","digit_value":"","numeric_value":"","mirrored":"N","unicode_name":"","comment":"","uppercase_mapping":"","lowercase_mapping":"","titlecase_mapping":"","symbol":"\uFA95"}}; - - var slug = createCommonjsModule(function (module) { - (function (root) { - // lazy require symbols table - var _symbols, removelist; - function symbols(code) { - if (_symbols) return _symbols[code]; - _symbols = So$1; - removelist = ['sign','cross','of','symbol','staff','hand','black','white'] - .map(function (word) {return new RegExp(word, 'gi')}); - return _symbols[code]; - } - - var base64; - if (typeof window === 'undefined') { - base64 = function(input) { - return Buffer.from(input).toString('base64'); - }; - } else { - base64 = function(input) { - // eslint-disable-next-line no-undef - return btoa(unescape(encodeURIComponent(input))) - }; - } - - function slug(string, opts) { - var result = slugify(string, opts); - // If output is an empty string, try slug for base64 of string. - if (result === '') { - result = slugify(base64(string), opts); - } - return result; - } - - function slugify(string, opts) { - string = string.toString(); - if ('string' === typeof opts) - opts = {replacement:opts}; - opts = opts || {}; - opts.mode = opts.mode || slug.defaults.mode; - var defaults = slug.defaults.modes[opts.mode]; - var keys = ['replacement','multicharmap','charmap','remove','lower']; - for (let key, i = 0, l = keys.length; i < l; i++) { key = keys[i]; - opts[key] = (key in opts) ? opts[key] : defaults[key]; - } - if ('undefined' === typeof opts.symbols) - opts.symbols = defaults.symbols; - - var lengths = []; - for (let key in opts.multicharmap) { - if (!opts.multicharmap.hasOwnProperty(key)) - continue; - - var len = key.length; - if (lengths.indexOf(len) === -1) - lengths.push(len); - } - - var code, unicode, result = ""; - for (let char, i = 0, l = string.length; i < l; i++) { char = string[i]; - if (!lengths.some(function (len) { - var str = string.substr(i, len); - if (opts.multicharmap[str]) { - i += len - 1; - char = opts.multicharmap[str]; - return true; - } else return false; - })) { - if (opts.charmap[char]) { - char = opts.charmap[char]; - code = char.charCodeAt(0); - } else { - code = string.charCodeAt(i); - } - if (opts.symbols && (unicode = symbols(code))) { - char = unicode.name.toLowerCase(); - for(var j = 0, rl = removelist.length; j < rl; j++) { - char = char.replace(removelist[j], ''); - } - char = char.trim(); - } - } - char = char.replace(/[^\w\s\-._~]/g, ''); // allowed - if (opts.remove) char = char.replace(opts.remove, ''); // add flavour - result += char; - } - result = result.trim(); - result = result.replace(/[-\s]+/g, opts.replacement); // convert spaces - result = result.replace(opts.replacement+"$",''); // remove trailing separator - if (opts.lower) { - result = result.toLowerCase(); - } - return result; - } - - slug.defaults = { - mode: 'pretty', - }; - - slug.multicharmap = slug.defaults.multicharmap = { - '<3': 'love', '&&': 'and', '||': 'or', 'w/': 'with', - }; - - // https://github.com/django/django/blob/master/django/contrib/admin/static/admin/js/urlify.js - slug.charmap = slug.defaults.charmap = { - // latin - 'À': 'A', 'Á': 'A', 'Â': 'A', 'Ã': 'A', 'Ä': 'A', 'Å': 'A', 'Æ': 'AE', - 'Ç': 'C', 'È': 'E', 'É': 'E', 'Ê': 'E', 'Ë': 'E', 'Ì': 'I', 'Í': 'I', - 'Î': 'I', 'Ï': 'I', 'Ð': 'D', 'Ñ': 'N', 'Ò': 'O', 'Ó': 'O', 'Ô': 'O', - 'Õ': 'O', 'Ö': 'O', 'Ő': 'O', 'Ø': 'O', 'Ù': 'U', 'Ú': 'U', 'Û': 'U', - 'Ü': 'U', 'Ű': 'U', 'Ý': 'Y', 'Þ': 'TH', 'ß': 'ss', 'à':'a', 'á':'a', - 'â': 'a', 'ã': 'a', 'ä': 'a', 'å': 'a', 'æ': 'ae', 'ç': 'c', 'è': 'e', - 'é': 'e', 'ê': 'e', 'ë': 'e', 'ì': 'i', 'í': 'i', 'î': 'i', 'ï': 'i', - 'ð': 'd', 'ñ': 'n', 'ò': 'o', 'ó': 'o', 'ô': 'o', 'õ': 'o', 'ö': 'o', - 'ő': 'o', 'ø': 'o', 'ù': 'u', 'ú': 'u', 'û': 'u', 'ü': 'u', 'ű': 'u', - 'ý': 'y', 'þ': 'th', 'ÿ': 'y', 'ẞ': 'SS', - // greek - 'α':'a', 'β':'b', 'γ':'g', 'δ':'d', 'ε':'e', 'ζ':'z', 'η':'h', 'θ':'8', - 'ι':'i', 'κ':'k', 'λ':'l', 'μ':'m', 'ν':'n', 'ξ':'3', 'ο':'o', 'π':'p', - 'ρ':'r', 'σ':'s', 'τ':'t', 'υ':'y', 'φ':'f', 'χ':'x', 'ψ':'ps', 'ω':'w', - 'ά':'a', 'έ':'e', 'ί':'i', 'ό':'o', 'ύ':'y', 'ή':'h', 'ώ':'w', 'ς':'s', - 'ϊ':'i', 'ΰ':'y', 'ϋ':'y', 'ΐ':'i', - 'Α':'A', 'Β':'B', 'Γ':'G', 'Δ':'D', 'Ε':'E', 'Ζ':'Z', 'Η':'H', 'Θ':'8', - 'Ι':'I', 'Κ':'K', 'Λ':'L', 'Μ':'M', 'Ν':'N', 'Ξ':'3', 'Ο':'O', 'Π':'P', - 'Ρ':'R', 'Σ':'S', 'Τ':'T', 'Υ':'Y', 'Φ':'F', 'Χ':'X', 'Ψ':'PS', 'Ω':'W', - 'Ά':'A', 'Έ':'E', 'Ί':'I', 'Ό':'O', 'Ύ':'Y', 'Ή':'H', 'Ώ':'W', 'Ϊ':'I', - 'Ϋ':'Y', - // turkish - 'ş':'s', 'Ş':'S', 'ı':'i', 'İ':'I', - 'ğ':'g', 'Ğ':'G', - // russian - 'а':'a', 'б':'b', 'в':'v', 'г':'g', 'д':'d', 'е':'e', 'ё':'yo', 'ж':'zh', - 'з':'z', 'и':'i', 'й':'j', 'к':'k', 'л':'l', 'м':'m', 'н':'n', 'о':'o', - 'п':'p', 'р':'r', 'с':'s', 'т':'t', 'у':'u', 'ф':'f', 'х':'h', 'ц':'c', - 'ч':'ch', 'ш':'sh', 'щ':'sh', 'ъ':'u', 'ы':'y', 'ь':'', 'э':'e', 'ю':'yu', - 'я':'ya', - 'А':'A', 'Б':'B', 'В':'V', 'Г':'G', 'Д':'D', 'Е':'E', 'Ё':'Yo', 'Ж':'Zh', - 'З':'Z', 'И':'I', 'Й':'J', 'К':'K', 'Л':'L', 'М':'M', 'Н':'N', 'О':'O', - 'П':'P', 'Р':'R', 'С':'S', 'Т':'T', 'У':'U', 'Ф':'F', 'Х':'H', 'Ц':'C', - 'Ч':'Ch', 'Ш':'Sh', 'Щ':'Sh', 'Ъ':'U', 'Ы':'Y', 'Ь':'', 'Э':'E', 'Ю':'Yu', - 'Я':'Ya', - // ukranian - 'Є':'Ye', 'І':'I', 'Ї':'Yi', 'Ґ':'G', 'є':'ye', 'і':'i', 'ї':'yi', 'ґ':'g', - // czech - 'č':'c', 'ď':'d', 'ě':'e', 'ň': 'n', 'ř':'r', 'š':'s', 'ť':'t', 'ů':'u', - 'ž':'z', 'Č':'C', 'Ď':'D', 'Ě':'E', 'Ň': 'N', 'Ř':'R', 'Š':'S', 'Ť':'T', - 'Ů':'U', 'Ž':'Z', - // polish - 'ą':'a', 'ć':'c', 'ę':'e', 'ł':'l', 'ń':'n', 'ś':'s', 'ź':'z', - 'ż':'z', 'Ą':'A', 'Ć':'C', 'Ę':'E', 'Ł':'L', 'Ń':'N', 'Ś':'S', - 'Ź':'Z', 'Ż':'Z', - // latvian - 'ā':'a', 'ē':'e', 'ģ':'g', 'ī':'i', 'ķ':'k', 'ļ':'l', 'ņ':'n', - 'ū':'u', 'Ā':'A', 'Ē':'E', 'Ģ':'G', 'Ī':'I', - 'Ķ':'K', 'Ļ':'L', 'Ņ':'N', 'Ū':'U', - // arabic - 'أ': 'a', 'ب': 'b', 'ت': 't', 'ث': 'th', 'ج': 'g', 'ح': 'h', 'خ': 'kh', 'د': 'd', - 'ذ': 'th', 'ر': 'r', 'ز': 'z', 'س': 's', 'ش': 'sh', 'ص': 's', 'ض': 'd', 'ط': 't', - 'ظ': 'th', 'ع': 'aa', 'غ': 'gh', 'ف': 'f', 'ق': 'k', 'ك': 'k', 'ل': 'l', 'م': 'm', - 'ن': 'n', 'ه': 'h', 'و': 'o', 'ي': 'y', - // farsi - 'آ': 'a', 'ا': 'a', 'پ': 'p', 'ژ': 'zh','گ': 'g','چ': 'ch','ک': 'k', 'ی': 'i', - // lithuanian - 'ė':'e', 'į':'i', 'ų':'u', 'Ė': 'E', 'Į': 'I', 'Ų':'U', - // romanian - 'ț':'t', 'Ț':'T', 'ţ':'t', 'Ţ':'T', 'ș':'s', 'Ș':'S', 'ă':'a', 'Ă':'A', - // vietnamese - 'Ạ': 'A', 'Ả': 'A', 'Ầ': 'A', 'Ấ': 'A', 'Ậ': 'A', 'Ẩ': 'A', 'Ẫ': 'A', - 'Ằ': 'A', 'Ắ': 'A', 'Ặ': 'A', 'Ẳ': 'A', 'Ẵ': 'A', 'Ẹ': 'E', 'Ẻ': 'E', - 'Ẽ': 'E', 'Ề': 'E', 'Ế': 'E', 'Ệ': 'E', 'Ể': 'E', 'Ễ': 'E', 'Ị': 'I', - 'Ỉ': 'I', 'Ĩ': 'I', 'Ọ': 'O', 'Ỏ': 'O', 'Ồ': 'O', 'Ố': 'O', 'Ộ': 'O', - 'Ổ': 'O', 'Ỗ': 'O', 'Ơ': 'O', 'Ờ': 'O', 'Ớ': 'O', 'Ợ': 'O', 'Ở': 'O', - 'Ỡ': 'O', 'Ụ': 'U', 'Ủ': 'U', 'Ũ': 'U', 'Ư': 'U', 'Ừ': 'U', 'Ứ': 'U', - 'Ự': 'U', 'Ử': 'U', 'Ữ': 'U', 'Ỳ': 'Y', 'Ỵ': 'Y', 'Ỷ': 'Y', 'Ỹ': 'Y', - 'Đ': 'D', 'ạ': 'a', 'ả': 'a', 'ầ': 'a', 'ấ': 'a', 'ậ': 'a', 'ẩ': 'a', - 'ẫ': 'a', 'ằ': 'a', 'ắ': 'a', 'ặ': 'a', 'ẳ': 'a', 'ẵ': 'a', 'ẹ': 'e', - 'ẻ': 'e', 'ẽ': 'e', 'ề': 'e', 'ế': 'e', 'ệ': 'e', 'ể': 'e', 'ễ': 'e', - 'ị': 'i', 'ỉ': 'i', 'ĩ': 'i', 'ọ': 'o', 'ỏ': 'o', 'ồ': 'o', 'ố': 'o', - 'ộ': 'o', 'ổ': 'o', 'ỗ': 'o', 'ơ': 'o', 'ờ': 'o', 'ớ': 'o', 'ợ': 'o', - 'ở': 'o', 'ỡ': 'o', 'ụ': 'u', 'ủ': 'u', 'ũ': 'u', 'ư': 'u', 'ừ': 'u', - 'ứ': 'u', 'ự': 'u', 'ử': 'u', 'ữ': 'u', 'ỳ': 'y', 'ỵ': 'y', 'ỷ': 'y', - 'ỹ': 'y', 'đ': 'd', - // currency - '€': 'euro', '₢': 'cruzeiro', '₣': 'french franc', '£': 'pound', - '₤': 'lira', '₥': 'mill', '₦': 'naira', '₧': 'peseta', '₨': 'rupee', - '₩': 'won', '₪': 'new shequel', '₫': 'dong', '₭': 'kip', '₮': 'tugrik', - '₯': 'drachma', '₰': 'penny', '₱': 'peso', '₲': 'guarani', '₳': 'austral', - '₴': 'hryvnia', '₵': 'cedi', '¢': 'cent', '¥': 'yen', '元': 'yuan', - '円': 'yen', '﷼': 'rial', '₠': 'ecu', '¤': 'currency', '฿': 'baht', - "$": 'dollar', '₹': 'indian rupee', - // symbols - '©':'(c)', 'œ': 'oe', 'Œ': 'OE', '∑': 'sum', '®': '(r)', '†': '+', - '“': '"', '”': '"', '‘': "'", '’': "'", '∂': 'd', 'ƒ': 'f', '™': 'tm', - '℠': 'sm', '…': '...', '˚': 'o', 'º': 'o', 'ª': 'a', '•': '*', - '∆': 'delta', '∞': 'infinity', '♥': 'love', '&': 'and', '|': 'or', - '<': 'less', '>': 'greater', - }; - - slug.defaults.modes = { - rfc3986: { - replacement: '-', - symbols: true, - remove: null, - lower: true, - charmap: slug.defaults.charmap, - multicharmap: slug.defaults.multicharmap, - }, - pretty: { - replacement: '-', - symbols: true, - remove: /[.]/g, - lower: false, - charmap: slug.defaults.charmap, - multicharmap: slug.defaults.multicharmap, - }, - }; - - // Be compatible with different module systems - - if (module.exports) { // CommonJS - symbols(); // preload symbols table - module.exports = slug; - } else { // Script tag - // dont load symbols table in the browser - for (let key in slug.defaults.modes) { - if (!slug.defaults.modes.hasOwnProperty(key)) - continue; - - slug.defaults.modes[key].symbols = false; - } - root.slug = slug; - } - - }(commonjsGlobal$1)); - }); - - var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {}; - - /* - - Copyright The Closure Library Authors. - SPDX-License-Identifier: Apache-2.0 - */ - - var k$1,goog=goog||{},l=commonjsGlobal||self;function aa$1(a){var b=typeof a;b="object"!=b?b:a?Array.isArray(a)?"array":b:"null";return "array"==b||"object"==b&&"number"==typeof a.length}function p(a){var b=typeof a;return "object"==b&&null!=a||"function"==b}function ba$1(a){return Object.prototype.hasOwnProperty.call(a,ca$1)&&a[ca$1]||(a[ca$1]=++da$1)}var ca$1="closure_uid_"+(1E9*Math.random()>>>0),da$1=0;function ea$1(a,b,c){return a.call.apply(a.bind,arguments)} - function fa$1(a,b,c){if(!a)throw Error();if(2{},b),l.removeEventListener("test",()=>{},b);}catch(c){}return a}();function x$1(a){return /^[\s\xa0]*$/.test(a)}function pa$1(){var a=l.navigator;return a&&(a=a.userAgent)?a:""}function y(a){return -1!=pa$1().indexOf(a)}function qa$1(a){qa$1[" "](a);return a}qa$1[" "]=function(){};function ra$1(a,b){var c=sa$1;return Object.prototype.hasOwnProperty.call(c,a)?c[a]:c[a]=b(a)}var ta$1=y("Opera"),z$1=y("Trident")||y("MSIE"),ua$1=y("Edge"),va$1=ua$1||z$1,wa$1=y("Gecko")&&!(-1!=pa$1().toLowerCase().indexOf("webkit")&&!y("Edge"))&&!(y("Trident")||y("MSIE"))&&!y("Edge"),xa$1=-1!=pa$1().toLowerCase().indexOf("webkit")&&!y("Edge");function ya$1(){var a=l.document;return a?a.documentMode:void 0}var za$1; - a:{var Aa="",Ba$1=function(){var a=pa$1();if(wa$1)return /rv:([^\);]+)(\)|;)/.exec(a);if(ua$1)return /Edge\/([\d\.]+)/.exec(a);if(z$1)return /\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(xa$1)return /WebKit\/(\S+)/.exec(a);if(ta$1)return /(?:Version)[ \/]?(\S+)/.exec(a)}();Ba$1&&(Aa=Ba$1?Ba$1[1]:"");if(z$1){var Ca$1=ya$1();if(null!=Ca$1&&Ca$1>parseFloat(Aa)){za$1=String(Ca$1);break a}}za$1=Aa;}var Da$1;if(l.document&&z$1){var Ea$1=ya$1();Da$1=Ea$1?Ea$1:parseInt(za$1,10)||void 0;}else Da$1=void 0;var Fa$1=Da$1;function A(a,b){w.call(this,a?a.type:"");this.relatedTarget=this.g=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.i=null;if(a){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.g=b;if(b=a.relatedTarget){if(wa$1){a:{try{qa$1(b.nodeName);var e=!0;break a}catch(f){}e= - !1;}e||(b=null);}}else "mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX?a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.key=a.key||"";this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey= - a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:Ga$1[a.pointerType]||"";this.state=a.state;this.i=a;a.defaultPrevented&&A.$.h.call(this);}}r(A,w);var Ga$1={2:"touch",3:"pen",4:"mouse"};A.prototype.h=function(){A.$.h.call(this);var a=this.i;a.preventDefault?a.preventDefault():a.returnValue=!1;};var Ha$1="closure_listenable_"+(1E6*Math.random()|0);var Ia$1=0;function Ja$1(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.la=e;this.key=++Ia$1;this.fa=this.ia=!1;}function Ka$1(a){a.fa=!0;a.listener=null;a.proxy=null;a.src=null;a.la=null;}function Na$1(a,b,c){for(const d in a)b.call(c,a[d],d,a);}function Oa$1(a,b){for(const c in a)b.call(void 0,a[c],c,a);}function Pa$1(a){const b={};for(const c in a)b[c]=a[c];return b}const Qa$1="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");function Ra$1(a,b){let c,d;for(let e=1;e>>0);function $a$1(a){if("function"===typeof a)return a;a[hb]||(a[hb]=function(b){return a.handleEvent(b)});return a[hb]}function B$1(){v.call(this);this.i=new Sa$1(this);this.S=this;this.J=null;}r(B$1,v);B$1.prototype[Ha$1]=!0;B$1.prototype.removeEventListener=function(a,b,c,d){fb(this,a,b,c,d);}; - function C$1(a,b){var c,d=a.J;if(d)for(c=[];d;d=d.J)c.push(d);a=a.S;d=b.type||b;if("string"===typeof b)b=new w(b,a);else if(b instanceof w)b.target=b.target||a;else {var e=b;b=new w(d,a);Ra$1(b,e);}e=!0;if(c)for(var f=c.length-1;0<=f;f--){var h=b.g=c[f];e=ib(h,d,!0,b)&&e;}h=b.g=a;e=ib(h,d,!0,b)&&e;e=ib(h,d,!1,b)&&e;if(c)for(f=0;fnew pb,a=>a.reset());class pb{constructor(){this.next=this.g=this.h=null;}set(a,b){this.h=a;this.g=b;this.next=null;}reset(){this.next=this.g=this.h=null;}}function qb(a){var b=1;a=a.split(":");const c=[];for(;0{throw a;},0);}let sb,tb=!1,mb=new nb,vb=()=>{const a=l.Promise.resolve(void 0);sb=()=>{a.then(ub);};};var ub=()=>{for(var a;a=lb();){try{a.h.call(a.g);}catch(c){rb(c);}var b=ob;b.j(a);100>b.h&&(b.h++,a.next=b.g,b.g=a);}tb=!1;};function wb(a,b){B$1.call(this);this.h=a||1;this.g=b||l;this.j=q$1(this.qb,this);this.l=Date.now();}r(wb,B$1);k$1=wb.prototype;k$1.ga=!1;k$1.T=null;k$1.qb=function(){if(this.ga){var a=Date.now()-this.l;0{a.g=null;a.i&&(a.i=!1,zb(a));},a.j);const b=a.h;a.h=null;a.m.apply(null,b);}class Ab extends v{constructor(a,b){super();this.m=a;this.j=b;this.h=null;this.i=!1;this.g=null;}l(a){this.h=arguments;this.g?this.i=!0:zb(this);}N(){super.N();this.g&&(l.clearTimeout(this.g),this.g=null,this.i=!1,this.h=null);}}function Bb(a){v.call(this);this.h=a;this.g={};}r(Bb,v);var Cb=[];function Db(a,b,c,d){Array.isArray(c)||(c&&(Cb[0]=c.toString()),c=Cb);for(var e=0;ed.length)){var e=d[1];if(Array.isArray(e)&&!(1>e.length)){var f=e[0];if("noop"!=f&&"stop"!=f&&"close"!=f)for(var h=1;hu)&&(3!=u||va$1||this.g&&(this.h.h||this.g.ja()||mc$1(this.g)))){this.J||4!=u||7==b||(8==b||0>=L?Ob(3):Ob(2));nc$1(this);var c=this.g.da();this.ca=c;b:if(oc$1(this)){var d=mc$1(this.g);a="";var e=d.length,f=4==H$1(this.g);if(!this.h.i){if("undefined"===typeof TextDecoder){I(this);pc$1(this);var h="";break b}this.h.i=new l.TextDecoder;}for(b=0;bb.length)return fc$1;b=b.slice(d,d+c);a.C=d+c;return b}k$1.cancel=function(){this.J=!0;I(this);};function jc$1(a){a.Y=Date.now()+a.P;wc$1(a,a.P);} - function wc$1(a,b){if(null!=a.B)throw Error("WatchDog timer not null");a.B=Rb(q$1(a.lb,a),b);}function nc$1(a){a.B&&(l.clearTimeout(a.B),a.B=null);}k$1.lb=function(){this.B=null;const a=Date.now();0<=a-this.Y?(Kb(this.j,this.A),2!=this.L&&(Ob(),F$1(17)),I(this),this.o=2,pc$1(this)):wc$1(this,this.Y-a);};function pc$1(a){0==a.l.H||a.J||sc$1(a.l,a);}function I(a){nc$1(a);var b=a.M;b&&"function"==typeof b.sa&&b.sa();a.M=null;xb(a.V);Fb(a.U);a.g&&(b=a.g,a.g=null,b.abort(),b.sa());} - function qc$1(a,b){try{var c=a.l;if(0!=c.H&&(c.g==a||xc$1(c.i,a)))if(!a.K&&xc$1(c.i,a)&&3==c.H){try{var d=c.Ja.g.parse(b);}catch(m){d=null;}if(Array.isArray(d)&&3==d.length){var e=d;if(0==e[0])a:{if(!c.u){if(c.g)if(c.g.G+3E3e[2]&&c.G&&0==c.A&&!c.v&&(c.v=Rb(q$1(c.ib,c),6E3));if(1>=Bc$1(c.i)&&c.oa){try{c.oa();}catch(m){}c.oa=void 0;}}else J$1(c,11);}else if((a.K||c.g==a)&&yc$1(c),!x$1(b))for(e=c.Ja.g.parse(b),b=0;bb)throw Error("Bad port number "+b);a.m=b;}else a.m=null;}function Qc$1(a,b,c){b instanceof Pc$1?(a.i=b,Xc$1(a.i,a.h)):(c||(b=Sc$1(b,Yc$1)),a.i=new Pc$1(b,a.h));}function K$1(a,b,c){a.i.set(b,c);}function hc$1(a){K$1(a,"zx",Math.floor(2147483648*Math.random()).toString(36)+Math.abs(Math.floor(2147483648*Math.random())^Date.now()).toString(36));return a} - function Rc$1(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}function Sc$1(a,b,c){return "string"===typeof a?(a=encodeURI(a).replace(b,Zc$1),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}function Zc$1(a){a=a.charCodeAt(0);return "%"+(a>>4&15).toString(16)+(a&15).toString(16)}var Tc$1=/[#\/\?@]/g,Vc$1=/[#\?:]/g,Uc$1=/[#\?]/g,Yc$1=/[#\?@]/g,Wc$1=/#/g;function Pc$1(a,b){this.h=this.g=null;this.i=a||null;this.j=!!b;} - function N$1(a){a.g||(a.g=new Map,a.h=0,a.i&&Mc$1(a.i,function(b,c){a.add(decodeURIComponent(b.replace(/\+/g," ")),c);}));}k$1=Pc$1.prototype;k$1.add=function(a,b){N$1(this);this.i=null;a=O$1(this,a);var c=this.g.get(a);c||this.g.set(a,c=[]);c.push(b);this.h+=1;return this};function $c$1(a,b){N$1(a);b=O$1(a,b);a.g.has(b)&&(a.i=null,a.h-=a.g.get(b).length,a.g.delete(b));}function ad(a,b){N$1(a);b=O$1(a,b);return a.g.has(b)} - k$1.forEach=function(a,b){N$1(this);this.g.forEach(function(c,d){c.forEach(function(e){a.call(b,e,d,this);},this);},this);};k$1.ta=function(){N$1(this);const a=Array.from(this.g.values()),b=Array.from(this.g.keys()),c=[];for(let d=0;d=a.j:!1}function Bc$1(a){return a.h?1:a.g?a.g.size:0}function xc$1(a,b){return a.h?a.h==b:a.g?a.g.has(b):!1}function Cc$1(a,b){a.g?a.g.add(b):a.h=b;} - function Ec$1(a,b){a.h&&a.h==b?a.h=null:a.g&&a.g.has(b)&&a.g.delete(b);}cd.prototype.cancel=function(){this.i=fd(this);if(this.h)this.h.cancel(),this.h=null;else if(this.g&&0!==this.g.size){for(const a of this.g.values())a.cancel();this.g.clear();}};function fd(a){if(null!=a.h)return a.i.concat(a.h.F);if(null!=a.g&&0!==a.g.size){let b=a.i;for(const c of a.g.values())b=b.concat(c.F);return b}return ma$1(a.i)}var gd=class{stringify(a){return l.JSON.stringify(a,void 0)}parse(a){return l.JSON.parse(a,void 0)}};function hd(){this.g=new gd;}function id(a,b,c){const d=c||"";try{Kc$1(a,function(e,f){let h=e;p(e)&&(h=jb(e));b.push(d+f+"="+encodeURIComponent(h));});}catch(e){throw b.push(d+"type="+encodeURIComponent("_badmap")),e;}}function jd(a,b){const c=new Gb;if(l.Image){const d=new Image;d.onload=ha$1(kd,c,d,"TestLoadImage: loaded",!0,b);d.onerror=ha$1(kd,c,d,"TestLoadImage: error",!1,b);d.onabort=ha$1(kd,c,d,"TestLoadImage: abort",!1,b);d.ontimeout=ha$1(kd,c,d,"TestLoadImage: timeout",!1,b);l.setTimeout(function(){if(d.ontimeout)d.ontimeout();},1E4);d.src=a;}else b(!1);}function kd(a,b,c,d,e){try{b.onload=null,b.onerror=null,b.onabort=null,b.ontimeout=null,e(d);}catch(f){}}function ld(a){this.l=a.fc||null;this.j=a.ob||!1;}r(ld,Ub);ld.prototype.g=function(){return new md(this.l,this.j)};ld.prototype.i=function(a){return function(){return a}}({});function md(a,b){B$1.call(this);this.F=a;this.u=b;this.m=void 0;this.readyState=nd;this.status=0;this.responseType=this.responseText=this.response=this.statusText="";this.onreadystatechange=null;this.v=new Headers;this.h=null;this.C="GET";this.B="";this.g=!1;this.A=this.j=this.l=null;}r(md,B$1);var nd=0;k$1=md.prototype; - k$1.open=function(a,b){if(this.readyState!=nd)throw this.abort(),Error("Error reopening a connection");this.C=a;this.B=b;this.readyState=1;od(this);};k$1.send=function(a){if(1!=this.readyState)throw this.abort(),Error("need to call open() first. ");this.g=!0;const b={headers:this.v,method:this.C,credentials:this.m,cache:void 0};a&&(b.body=a);(this.F||l).fetch(new Request(this.B,b)).then(this.$a.bind(this),this.ka.bind(this));}; - k$1.abort=function(){this.response=this.responseText="";this.v=new Headers;this.status=0;this.j&&this.j.cancel("Request was aborted.").catch(()=>{});1<=this.readyState&&this.g&&4!=this.readyState&&(this.g=!1,pd(this));this.readyState=nd;}; - k$1.$a=function(a){if(this.g&&(this.l=a,this.h||(this.status=this.l.status,this.statusText=this.l.statusText,this.h=a.headers,this.readyState=2,od(this)),this.g&&(this.readyState=3,od(this),this.g)))if("arraybuffer"===this.responseType)a.arrayBuffer().then(this.Ya.bind(this),this.ka.bind(this));else if("undefined"!==typeof l.ReadableStream&&"body"in a){this.j=a.body.getReader();if(this.u){if(this.responseType)throw Error('responseType must be empty for "streamBinaryChunks" mode responses.');this.response= - [];}else this.response=this.responseText="",this.A=new TextDecoder;qd(this);}else a.text().then(this.Za.bind(this),this.ka.bind(this));};function qd(a){a.j.read().then(a.Xa.bind(a)).catch(a.ka.bind(a));}k$1.Xa=function(a){if(this.g){if(this.u&&a.value)this.response.push(a.value);else if(!this.u){var b=a.value?a.value:new Uint8Array(0);if(b=this.A.decode(b,{stream:!a.done}))this.response=this.responseText+=b;}a.done?pd(this):od(this);3==this.readyState&&qd(this);}}; - k$1.Za=function(a){this.g&&(this.response=this.responseText=a,pd(this));};k$1.Ya=function(a){this.g&&(this.response=a,pd(this));};k$1.ka=function(){this.g&&pd(this);};function pd(a){a.readyState=4;a.l=null;a.j=null;a.A=null;od(a);}k$1.setRequestHeader=function(a,b){this.v.append(a,b);};k$1.getResponseHeader=function(a){return this.h?this.h.get(a.toLowerCase())||"":""}; - k$1.getAllResponseHeaders=function(){if(!this.h)return "";const a=[],b=this.h.entries();for(var c=b.next();!c.done;)c=c.value,a.push(c[0]+": "+c[1]),c=b.next();return a.join("\r\n")};function od(a){a.onreadystatechange&&a.onreadystatechange.call(a);}Object.defineProperty(md.prototype,"withCredentials",{get:function(){return "include"===this.m},set:function(a){this.m=a?"include":"same-origin";}});var rd=l.JSON.parse;function P(a){B$1.call(this);this.headers=new Map;this.u=a||null;this.h=!1;this.C=this.g=null;this.I="";this.m=0;this.j="";this.l=this.G=this.v=this.F=!1;this.B=0;this.A=null;this.K=sd;this.L=this.M=!1;}r(P,B$1);var sd="",td=/^https?$/i,ud=["POST","PUT"];k$1=P.prototype;k$1.Oa=function(a){this.M=a;}; - k$1.ha=function(a,b,c,d){if(this.g)throw Error("[goog.net.XhrIo] Object is active with another request="+this.I+"; newUri="+a);b=b?b.toUpperCase():"GET";this.I=a;this.j="";this.m=0;this.F=!1;this.h=!0;this.g=this.u?this.u.g():$b.g();this.C=this.u?Vb(this.u):Vb($b);this.g.onreadystatechange=q$1(this.La,this);try{this.G=!0,this.g.open(b,String(a),!0),this.G=!1;}catch(f){vd(this,f);return}a=c||"";c=new Map(this.headers);if(d)if(Object.getPrototypeOf(d)===Object.prototype)for(var e in d)c.set(e,d[e]);else if("function"=== - typeof d.keys&&"function"===typeof d.get)for(const f of d.keys())c.set(f,d.get(f));else throw Error("Unknown input type for opt_headers: "+String(d));d=Array.from(c.keys()).find(f=>"content-type"==f.toLowerCase());e=l.FormData&&a instanceof l.FormData;!(0<=ka$1(ud,b))||d||e||c.set("Content-Type","application/x-www-form-urlencoded;charset=utf-8");for(const [f,h]of c)this.g.setRequestHeader(f,h);this.K&&(this.g.responseType=this.K);"withCredentials"in this.g&&this.g.withCredentials!==this.M&&(this.g.withCredentials= - this.M);try{wd(this),0{}:null;a.g=null;a.C=null;b||C$1(a,"ready");try{c.onreadystatechange=d;}catch(e){}}}function wd(a){a.g&&a.L&&(a.g.ontimeout=null);a.A&&(l.clearTimeout(a.A),a.A=null);}k$1.isActive=function(){return !!this.g};function H$1(a){return a.g?a.g.readyState:0}k$1.da=function(){try{return 2=a.i.j-(a.m?1:0))return !1;if(a.m)return a.j=b.F.concat(a.j),!0;if(1==a.H||2==a.H||a.C>=(a.cb?0:a.eb))return !1;a.m=Rb(q$1(a.Na,a,b),Jd(a,a.C));a.C++;return !0} - k$1.Na=function(a){if(this.m)if(this.m=null,1==this.H){if(!a){this.W=Math.floor(1E5*Math.random());a=this.W++;const e=new bc$1(this,this.l,a);let f=this.s;this.U&&(f?(f=Pa$1(f),Ra$1(f,this.U)):f=this.U);null!==this.o||this.O||(e.I=f,f=null);if(this.P)a:{var b=0;for(var c=0;cm)f=Math.max(0,e[t].g-100),n=!1;else try{id(u,h,"req"+m+"_");}catch(L){d&&d(u);}}if(n){d=h.join("&");break a}}}a=a.j.splice(0,c);b.F=a;return d}function Fc$1(a){if(!a.g&&!a.u){a.ba=1;var b=a.Ma;sb||vb();tb||(sb(),tb=!0);mb.add(b,a);a.A=0;}} - function Ac$1(a){if(a.g||a.u||3<=a.A)return !1;a.ba++;a.u=Rb(q$1(a.Ma,a),Jd(a,a.A));a.A++;return !0}k$1.Ma=function(){this.u=null;Md(this);if(this.ca&&!(this.M||null==this.g||0>=this.S)){var a=2*this.S;this.l.info("BP detection timer enabled: "+a);this.B=Rb(q$1(this.jb,this),a);}};k$1.jb=function(){this.B&&(this.B=null,this.l.info("BP detection timeout reached."),this.l.info("Buffering proxy detected and switch to long-polling!"),this.G=!1,this.M=!0,F$1(10),zc$1(this),Md(this));}; - function vc$1(a){null!=a.B&&(l.clearTimeout(a.B),a.B=null);}function Md(a){a.g=new bc$1(a,a.l,"rpc",a.ba);null===a.o&&(a.g.I=a.s);a.g.O=0;var b=G$1(a.wa);K$1(b,"RID","rpc");K$1(b,"SID",a.K);K$1(b,"AID",a.V);K$1(b,"CI",a.G?"0":"1");!a.G&&a.qa&&K$1(b,"TO",a.qa);K$1(b,"TYPE","xmlhttp");Gd(a,b);a.o&&a.s&&Cd(b,a.o,a.s);a.L&&a.g.setTimeout(a.L);var c=a.g;a=a.pa;c.L=1;c.v=hc$1(G$1(b));c.s=null;c.S=!0;ic$1(c,a);}k$1.ib=function(){null!=this.v&&(this.v=null,zc$1(this),Ac$1(this),F$1(19));}; - function yc$1(a){null!=a.v&&(l.clearTimeout(a.v),a.v=null);}function sc$1(a,b){var c=null;if(a.g==b){yc$1(a);vc$1(a);a.g=null;var d=2;}else if(xc$1(a.i,b))c=b.F,Ec$1(a.i,b),d=1;else return;if(0!=a.H)if(b.i)if(1==d){c=b.s?b.s.length:0;b=Date.now()-b.G;var e=a.C;d=Mb();C$1(d,new Qb(d,c));Gc$1(a);}else Fc$1(a);else if(e=b.o,3==e||0==e&&0e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.g[0];c=a.g[1];e=a.g[2];var f=a.g[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); - h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| - h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< - 5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= - e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; - e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| - h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ - 3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& - 4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& - 4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.g[0]=a.g[0]+b&4294967295;a.g[1]=a.g[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.g[2]=a.g[2]+e&4294967295;a.g[3]=a.g[3]+f&4294967295;} - S$1.prototype.j=function(a,b){void 0===b&&(b=a.length);for(var c=b-this.blockSize,d=this.m,e=this.h,f=0;fthis.h?this.blockSize:2*this.blockSize)-this.h);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.g[b]>>>d&255;return a};function T(a,b){this.h=b;for(var c=[],d=!0,e=a.length-1;0<=e;e--){var f=a[e]|0;d&&f==b||(c[e]=f,d=!1);}this.g=c;}var sa$1={};function Td(a){return -128<=a&&128>a?ra$1(a,function(b){return new T([b|0],0>b?-1:0)}):new T([a|0],0>a?-1:0)}function U$1(a){if(isNaN(a)||!isFinite(a))return V$1;if(0>a)return W$1(U$1(-a));for(var b=[],c=1,d=0;a>=c;d++)b[d]=a/c|0,c*=Ud;return new T(b,0)} - function Vd(a,b){if(0==a.length)throw Error("number format error: empty string");b=b||10;if(2>b||36f?(f=U$1(Math.pow(b,f)),d=d.R(f).add(U$1(h))):(d=d.R(c),d=d.add(U$1(h)));}return d} - var Ud=4294967296,V$1=Td(0),Wd=Td(1),Xd=Td(16777216);k$1=T.prototype;k$1.ea=function(){if(X(this))return -W$1(this).ea();for(var a=0,b=1,c=0;ca||36>>0).toString(a);c=e;if(Y$1(c))return f+d;for(;6>f.length;)f="0"+f;d=f+d;}};k$1.D=function(a){return 0>a?0:a>>16)+(this.D(e)>>>16)+(a.D(e)>>>16);d=h>>>16;f&=65535;h&=65535;c[e]=h<<16|f;}return new T(c,c[c.length-1]&-2147483648?-1:0)}; - function Zd(a,b){return a.add(W$1(b))} - k$1.R=function(a){if(Y$1(this)||Y$1(a))return V$1;if(X(this))return X(a)?W$1(this).R(W$1(a)):W$1(W$1(this).R(a));if(X(a))return W$1(this.R(W$1(a)));if(0>this.X(Xd)&&0>a.X(Xd))return U$1(this.ea()*a.ea());for(var b=this.g.length+a.g.length,c=[],d=0;d<2*b;d++)c[d]=0;for(d=0;d>>16,h=this.D(d)&65535,n=a.D(e)>>>16,t=a.D(e)&65535;c[2*d+2*e]+=h*t;$d(c,2*d+2*e);c[2*d+2*e+1]+=f*t;$d(c,2*d+2*e+1);c[2*d+2*e+1]+=h*n;$d(c,2*d+2*e+1);c[2*d+2*e+2]+=f*n;$d(c,2*d+2*e+2);}for(d= - 0;d>>16,a[b]&=65535,b++;}function ae$1(a,b){this.g=a;this.h=b;} - function Yd(a,b){if(Y$1(b))throw Error("division by zero");if(Y$1(a))return new ae$1(V$1,V$1);if(X(a))return b=Yd(W$1(a),b),new ae$1(W$1(b.g),W$1(b.h));if(X(b))return b=Yd(a,W$1(b)),new ae$1(W$1(b.g),b.h);if(30=d.X(a);)c=be$1(c),d=be$1(d);var e=Z$1(c,1),f=Z$1(d,1);d=Z$1(d,2);for(c=Z$1(c,2);!Y$1(d);){var h=f.add(d);0>=h.X(a)&&(e=e.add(c),f=h);d=Z$1(d,1);c=Z$1(c,1);}b=Zd(a,e.R(b));return new ae$1(e,b)}for(e=V$1;0<=a.X(b);){c=Math.max(1,Math.floor(a.ea()/ - b.ea()));d=Math.ceil(Math.log(c)/Math.LN2);d=48>=d?1:Math.pow(2,d-48);f=U$1(c);for(h=f.R(b);X(h)||0>>31;return new T(c,a.h)}function Z$1(a,b){var c=b>>5;b%=32;for(var d=a.g.length-c,e=[],f=0;f>>b|a.D(f+c+1)<<32-b:a.D(f+c);return new T(e,a.h)}Od.prototype.createWebChannel=Od.prototype.g;Q$1.prototype.send=Q$1.prototype.u;Q$1.prototype.open=Q$1.prototype.m;Q$1.prototype.close=Q$1.prototype.close;Sb.NO_ERROR=0;Sb.TIMEOUT=8;Sb.HTTP_ERROR=6;Tb.COMPLETE="complete";Wb.EventType=Xb;Xb.OPEN="a";Xb.CLOSE="b";Xb.ERROR="c";Xb.MESSAGE="d";B$1.prototype.listen=B$1.prototype.O;P.prototype.listenOnce=P.prototype.P;P.prototype.getLastError=P.prototype.Sa;P.prototype.getLastErrorCode=P.prototype.Ia;P.prototype.getStatus=P.prototype.da;P.prototype.getResponseJson=P.prototype.Wa; - P.prototype.getResponseText=P.prototype.ja;P.prototype.send=P.prototype.ha;P.prototype.setWithCredentials=P.prototype.Oa;S$1.prototype.digest=S$1.prototype.l;S$1.prototype.reset=S$1.prototype.reset;S$1.prototype.update=S$1.prototype.j;T.prototype.add=T.prototype.add;T.prototype.multiply=T.prototype.R;T.prototype.modulo=T.prototype.gb;T.prototype.compare=T.prototype.X;T.prototype.toNumber=T.prototype.ea;T.prototype.toString=T.prototype.toString;T.prototype.getBits=T.prototype.D;T.fromNumber=U$1;T.fromString=Vd; - var createWebChannelTransport = function(){return new Od};var getStatEventTarget = function(){return Mb()};var ErrorCode = Sb;var EventType = Tb;var Event = E;var Stat = {xb:0,Ab:1,Bb:2,Ub:3,Zb:4,Wb:5,Xb:6,Vb:7,Tb:8,Yb:9,PROXY:10,NOPROXY:11,Rb:12,Nb:13,Ob:14,Mb:15,Pb:16,Qb:17,tb:18,sb:19,ub:20};var FetchXmlHttpFactory = ld;var WebChannel = Wb;var XhrIo = P;var Md5 = S$1;var Integer = T; - - const b = "@firebase/firestore"; - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Simple wrapper around a nullable UID. Mostly exists to make code more - * readable. - */ - class V { - constructor(t) { - this.uid = t; - } - isAuthenticated() { - return null != this.uid; - } - /** - * Returns a key representing this user, suitable for inclusion in a - * dictionary. - */ toKey() { - return this.isAuthenticated() ? "uid:" + this.uid : "anonymous-user"; - } - isEqual(t) { - return t.uid === this.uid; - } - } - - /** A user with a null UID. */ V.UNAUTHENTICATED = new V(null), - // TODO(mikelehen): Look into getting a proper uid-equivalent for - // non-FirebaseAuth providers. - V.GOOGLE_CREDENTIALS = new V("google-credentials-uid"), V.FIRST_PARTY = new V("first-party-uid"), - V.MOCK_USER = new V("mock-user"); - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - let S = "9.22.1"; - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const D = new Logger("@firebase/firestore"); - - // Helper methods are needed because variables can't be exported as read/write - function C() { - return D.logLevel; - } - - /** - * Sets the verbosity of Cloud Firestore logs (debug, error, or silent). - * - * @param logLevel - The verbosity you set for activity and error logging. Can - * be any of the following values: - * - *
    - *
  • `debug` for the most verbose logging level, primarily for - * debugging.
  • - *
  • `error` to log errors only.
  • - *
  • `silent` to turn off logging.
  • - *
- */ function x(t) { - D.setLogLevel(t); - } - - function N(t, ...e) { - if (D.logLevel <= LogLevel.DEBUG) { - const n = e.map($); - D.debug(`Firestore (${S}): ${t}`, ...n); - } - } - - function k(t, ...e) { - if (D.logLevel <= LogLevel.ERROR) { - const n = e.map($); - D.error(`Firestore (${S}): ${t}`, ...n); - } - } - - /** - * @internal - */ function M(t, ...e) { - if (D.logLevel <= LogLevel.WARN) { - const n = e.map($); - D.warn(`Firestore (${S}): ${t}`, ...n); - } - } - - /** - * Converts an additional log parameter to a string representation. - */ function $(t) { - if ("string" == typeof t) return t; - try { - return e = t, JSON.stringify(e); - } catch (e) { - // Converting to JSON failed, just log the object directly - return t; - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Formats an object as a JSON string, suitable for logging. */ - var e; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Unconditionally fails, throwing an Error with the given message. - * Messages are stripped in production builds. - * - * Returns `never` and can be used in expressions: - * @example - * let futureVar = fail('not implemented yet'); - */ function O(t = "Unexpected state") { - // Log the failure in addition to throw an exception, just in case the - // exception is swallowed. - const e = `FIRESTORE (${S}) INTERNAL ASSERTION FAILED: ` + t; - // NOTE: We don't use FirestoreError here because these are internal failures - // that cannot be handled by the user. (Also it would create a circular - // dependency between the error and assert modules which doesn't work.) - throw k(e), new Error(e); - } - - /** - * Fails if the given assertion condition is false, throwing an Error with the - * given message if it did. - * - * Messages are stripped in production builds. - */ function F(t, e) { - t || O(); - } - - /** - * Fails if the given assertion condition is false, throwing an Error with the - * given message if it did. - * - * The code of callsites invoking this function are stripped out in production - * builds. Any side-effects of code within the debugAssert() invocation will not - * happen in this case. - * - * @internal - */ function B(t, e) { - t || O(); - } - - /** - * Casts `obj` to `T`. In non-production builds, verifies that `obj` is an - * instance of `T` before casting. - */ function L(t, - // eslint-disable-next-line @typescript-eslint/no-explicit-any - e) { - return t; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const q = { - // Causes are copied from: - // https://github.com/grpc/grpc/blob/bceec94ea4fc5f0085d81235d8e1c06798dc341a/include/grpc%2B%2B/impl/codegen/status_code_enum.h - /** Not an error; returned on success. */ - OK: "ok", - /** The operation was cancelled (typically by the caller). */ - CANCELLED: "cancelled", - /** Unknown error or an error from a different error domain. */ - UNKNOWN: "unknown", - /** - * Client specified an invalid argument. Note that this differs from - * FAILED_PRECONDITION. INVALID_ARGUMENT indicates arguments that are - * problematic regardless of the state of the system (e.g., a malformed file - * name). - */ - INVALID_ARGUMENT: "invalid-argument", - /** - * Deadline expired before operation could complete. For operations that - * change the state of the system, this error may be returned even if the - * operation has completed successfully. For example, a successful response - * from a server could have been delayed long enough for the deadline to - * expire. - */ - DEADLINE_EXCEEDED: "deadline-exceeded", - /** Some requested entity (e.g., file or directory) was not found. */ - NOT_FOUND: "not-found", - /** - * Some entity that we attempted to create (e.g., file or directory) already - * exists. - */ - ALREADY_EXISTS: "already-exists", - /** - * The caller does not have permission to execute the specified operation. - * PERMISSION_DENIED must not be used for rejections caused by exhausting - * some resource (use RESOURCE_EXHAUSTED instead for those errors). - * PERMISSION_DENIED must not be used if the caller can not be identified - * (use UNAUTHENTICATED instead for those errors). - */ - PERMISSION_DENIED: "permission-denied", - /** - * The request does not have valid authentication credentials for the - * operation. - */ - UNAUTHENTICATED: "unauthenticated", - /** - * Some resource has been exhausted, perhaps a per-user quota, or perhaps the - * entire file system is out of space. - */ - RESOURCE_EXHAUSTED: "resource-exhausted", - /** - * Operation was rejected because the system is not in a state required for - * the operation's execution. For example, directory to be deleted may be - * non-empty, an rmdir operation is applied to a non-directory, etc. - * - * A litmus test that may help a service implementor in deciding - * between FAILED_PRECONDITION, ABORTED, and UNAVAILABLE: - * (a) Use UNAVAILABLE if the client can retry just the failing call. - * (b) Use ABORTED if the client should retry at a higher-level - * (e.g., restarting a read-modify-write sequence). - * (c) Use FAILED_PRECONDITION if the client should not retry until - * the system state has been explicitly fixed. E.g., if an "rmdir" - * fails because the directory is non-empty, FAILED_PRECONDITION - * should be returned since the client should not retry unless - * they have first fixed up the directory by deleting files from it. - * (d) Use FAILED_PRECONDITION if the client performs conditional - * REST Get/Update/Delete on a resource and the resource on the - * server does not match the condition. E.g., conflicting - * read-modify-write on the same resource. - */ - FAILED_PRECONDITION: "failed-precondition", - /** - * The operation was aborted, typically due to a concurrency issue like - * sequencer check failures, transaction aborts, etc. - * - * See litmus test above for deciding between FAILED_PRECONDITION, ABORTED, - * and UNAVAILABLE. - */ - ABORTED: "aborted", - /** - * Operation was attempted past the valid range. E.g., seeking or reading - * past end of file. - * - * Unlike INVALID_ARGUMENT, this error indicates a problem that may be fixed - * if the system state changes. For example, a 32-bit file system will - * generate INVALID_ARGUMENT if asked to read at an offset that is not in the - * range [0,2^32-1], but it will generate OUT_OF_RANGE if asked to read from - * an offset past the current file size. - * - * There is a fair bit of overlap between FAILED_PRECONDITION and - * OUT_OF_RANGE. We recommend using OUT_OF_RANGE (the more specific error) - * when it applies so that callers who are iterating through a space can - * easily look for an OUT_OF_RANGE error to detect when they are done. - */ - OUT_OF_RANGE: "out-of-range", - /** Operation is not implemented or not supported/enabled in this service. */ - UNIMPLEMENTED: "unimplemented", - /** - * Internal errors. Means some invariants expected by underlying System has - * been broken. If you see one of these errors, Something is very broken. - */ - INTERNAL: "internal", - /** - * The service is currently unavailable. This is a most likely a transient - * condition and may be corrected by retrying with a backoff. - * - * See litmus test above for deciding between FAILED_PRECONDITION, ABORTED, - * and UNAVAILABLE. - */ - UNAVAILABLE: "unavailable", - /** Unrecoverable data loss or corruption. */ - DATA_LOSS: "data-loss" - }; - - /** An error returned by a Firestore operation. */ class U extends FirebaseError { - /** @hideconstructor */ - constructor( - /** - * The backend error code associated with this error. - */ - t, - /** - * A custom error description. - */ - e) { - super(t, e), this.code = t, this.message = e, - // HACK: We write a toString property directly because Error is not a real - // class and so inheritance does not work correctly. We could alternatively - // do the same "back-door inheritance" trick that FirebaseError does. - this.toString = () => `${this.name}: [code=${this.code}]: ${this.message}`; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class K { - constructor() { - this.promise = new Promise(((t, e) => { - this.resolve = t, this.reject = e; - })); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class G { - constructor(t, e) { - this.user = e, this.type = "OAuth", this.headers = new Map, this.headers.set("Authorization", `Bearer ${t}`); - } - } - - /** - * A CredentialsProvider that always yields an empty token. - * @internal - */ class Q { - getToken() { - return Promise.resolve(null); - } - invalidateToken() {} - start(t, e) { - // Fire with initial user. - t.enqueueRetryable((() => e(V.UNAUTHENTICATED))); - } - shutdown() {} - } - - /** - * A CredentialsProvider that always returns a constant token. Used for - * emulator token mocking. - */ class j { - constructor(t) { - this.token = t, - /** - * Stores the listener registered with setChangeListener() - * This isn't actually necessary since the UID never changes, but we use this - * to verify the listen contract is adhered to in tests. - */ - this.changeListener = null; - } - getToken() { - return Promise.resolve(this.token); - } - invalidateToken() {} - start(t, e) { - this.changeListener = e, - // Fire with initial user. - t.enqueueRetryable((() => e(this.token.user))); - } - shutdown() { - this.changeListener = null; - } - } - - class z { - constructor(t) { - this.t = t, - /** Tracks the current User. */ - this.currentUser = V.UNAUTHENTICATED, - /** - * Counter used to detect if the token changed while a getToken request was - * outstanding. - */ - this.i = 0, this.forceRefresh = !1, this.auth = null; - } - start(t, e) { - let n = this.i; - // A change listener that prevents double-firing for the same token change. - const s = t => this.i !== n ? (n = this.i, e(t)) : Promise.resolve(); - // A promise that can be waited on to block on the next token change. - // This promise is re-created after each change. - let i = new K; - this.o = () => { - this.i++, this.currentUser = this.u(), i.resolve(), i = new K, t.enqueueRetryable((() => s(this.currentUser))); - }; - const r = () => { - const e = i; - t.enqueueRetryable((async () => { - await e.promise, await s(this.currentUser); - })); - }, o = t => { - N("FirebaseAuthCredentialsProvider", "Auth detected"), this.auth = t, this.auth.addAuthTokenListener(this.o), - r(); - }; - this.t.onInit((t => o(t))), - // Our users can initialize Auth right after Firestore, so we give it - // a chance to register itself with the component framework before we - // determine whether to start up in unauthenticated mode. - setTimeout((() => { - if (!this.auth) { - const t = this.t.getImmediate({ - optional: !0 - }); - t ? o(t) : ( - // If auth is still not available, proceed with `null` user - N("FirebaseAuthCredentialsProvider", "Auth not yet detected"), i.resolve(), i = new K); - } - }), 0), r(); - } - getToken() { - // Take note of the current value of the tokenCounter so that this method - // can fail (with an ABORTED error) if there is a token change while the - // request is outstanding. - const t = this.i, e = this.forceRefresh; - return this.forceRefresh = !1, this.auth ? this.auth.getToken(e).then((e => - // Cancel the request since the token changed while the request was - // outstanding so the response is potentially for a previous user (which - // user, we can't be sure). - this.i !== t ? (N("FirebaseAuthCredentialsProvider", "getToken aborted due to token change."), - this.getToken()) : e ? (F("string" == typeof e.accessToken), new G(e.accessToken, this.currentUser)) : null)) : Promise.resolve(null); - } - invalidateToken() { - this.forceRefresh = !0; - } - shutdown() { - this.auth && this.auth.removeAuthTokenListener(this.o); - } - // Auth.getUid() can return null even with a user logged in. It is because - // getUid() is synchronous, but the auth code populating Uid is asynchronous. - // This method should only be called in the AuthTokenListener callback - // to guarantee to get the actual user. - u() { - const t = this.auth && this.auth.getUid(); - return F(null === t || "string" == typeof t), new V(t); - } - } - - /* - * FirstPartyToken provides a fresh token each time its value - * is requested, because if the token is too old, requests will be rejected. - * Technically this may no longer be necessary since the SDK should gracefully - * recover from unauthenticated errors (see b/33147818 for context), but it's - * safer to keep the implementation as-is. - */ class W { - constructor(t, e, n) { - this.h = t, this.l = e, this.m = n, this.type = "FirstParty", this.user = V.FIRST_PARTY, - this.g = new Map; - } - /** - * Gets an authorization token, using a provided factory function, or return - * null. - */ p() { - return this.m ? this.m() : null; - } - get headers() { - this.g.set("X-Goog-AuthUser", this.h); - // Use array notation to prevent minification - const t = this.p(); - return t && this.g.set("Authorization", t), this.l && this.g.set("X-Goog-Iam-Authorization-Token", this.l), - this.g; - } - } - - /* - * Provides user credentials required for the Firestore JavaScript SDK - * to authenticate the user, using technique that is only available - * to applications hosted by Google. - */ class H { - constructor(t, e, n) { - this.h = t, this.l = e, this.m = n; - } - getToken() { - return Promise.resolve(new W(this.h, this.l, this.m)); - } - start(t, e) { - // Fire with initial uid. - t.enqueueRetryable((() => e(V.FIRST_PARTY))); - } - shutdown() {} - invalidateToken() {} - } - - class J { - constructor(t) { - this.value = t, this.type = "AppCheck", this.headers = new Map, t && t.length > 0 && this.headers.set("x-firebase-appcheck", this.value); - } - } - - class Y { - constructor(t) { - this.I = t, this.forceRefresh = !1, this.appCheck = null, this.T = null; - } - start(t, e) { - const n = t => { - null != t.error && N("FirebaseAppCheckTokenProvider", `Error getting App Check token; using placeholder token instead. Error: ${t.error.message}`); - const n = t.token !== this.T; - return this.T = t.token, N("FirebaseAppCheckTokenProvider", `Received ${n ? "new" : "existing"} token.`), - n ? e(t.token) : Promise.resolve(); - }; - this.o = e => { - t.enqueueRetryable((() => n(e))); - }; - const s = t => { - N("FirebaseAppCheckTokenProvider", "AppCheck detected"), this.appCheck = t, this.appCheck.addTokenListener(this.o); - }; - this.I.onInit((t => s(t))), - // Our users can initialize AppCheck after Firestore, so we give it - // a chance to register itself with the component framework. - setTimeout((() => { - if (!this.appCheck) { - const t = this.I.getImmediate({ - optional: !0 - }); - t ? s(t) : - // If AppCheck is still not available, proceed without it. - N("FirebaseAppCheckTokenProvider", "AppCheck not yet detected"); - } - }), 0); - } - getToken() { - const t = this.forceRefresh; - return this.forceRefresh = !1, this.appCheck ? this.appCheck.getToken(t).then((t => t ? (F("string" == typeof t.token), - this.T = t.token, new J(t.token)) : null)) : Promise.resolve(null); - } - invalidateToken() { - this.forceRefresh = !0; - } - shutdown() { - this.appCheck && this.appCheck.removeTokenListener(this.o); - } - } - - /** - * Builds a CredentialsProvider depending on the type of - * the credentials passed in. - */ - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Generates `nBytes` of random bytes. - * - * If `nBytes < 0` , an error will be thrown. - */ - function Z(t) { - // Polyfills for IE and WebWorker by using `self` and `msCrypto` when `crypto` is not available. - const e = - // eslint-disable-next-line @typescript-eslint/no-explicit-any - "undefined" != typeof self && (self.crypto || self.msCrypto), n = new Uint8Array(t); - if (e && "function" == typeof e.getRandomValues) e.getRandomValues(n); else - // Falls back to Math.random - for (let e = 0; e < t; e++) n[e] = Math.floor(256 * Math.random()); - return n; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class tt { - static A() { - // Alphanumeric characters - const t = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789", e = Math.floor(256 / t.length) * t.length; - // The largest byte value that is a multiple of `char.length`. - let n = ""; - for (;n.length < 20; ) { - const s = Z(40); - for (let i = 0; i < s.length; ++i) - // Only accept values that are [0, maxMultiple), this ensures they can - // be evenly mapped to indices of `chars` via a modulo operation. - n.length < 20 && s[i] < e && (n += t.charAt(s[i] % t.length)); - } - return n; - } - } - - function et(t, e) { - return t < e ? -1 : t > e ? 1 : 0; - } - - /** Helper to compare arrays using isEqual(). */ function nt(t, e, n) { - return t.length === e.length && t.every(((t, s) => n(t, e[s]))); - } - - /** - * Returns the immediate lexicographically-following string. This is useful to - * construct an inclusive range for indexeddb iterators. - */ function st(t) { - // Return the input string, with an additional NUL byte appended. - return t + "\0"; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // The earliest date supported by Firestore timestamps (0001-01-01T00:00:00Z). - /** - * A `Timestamp` represents a point in time independent of any time zone or - * calendar, represented as seconds and fractions of seconds at nanosecond - * resolution in UTC Epoch time. - * - * It is encoded using the Proleptic Gregorian Calendar which extends the - * Gregorian calendar backwards to year one. It is encoded assuming all minutes - * are 60 seconds long, i.e. leap seconds are "smeared" so that no leap second - * table is needed for interpretation. Range is from 0001-01-01T00:00:00Z to - * 9999-12-31T23:59:59.999999999Z. - * - * For examples and further specifications, refer to the - * {@link https://github.com/google/protobuf/blob/master/src/google/protobuf/timestamp.proto | Timestamp definition}. - */ - class it { - /** - * Creates a new timestamp. - * - * @param seconds - The number of seconds of UTC time since Unix epoch - * 1970-01-01T00:00:00Z. Must be from 0001-01-01T00:00:00Z to - * 9999-12-31T23:59:59Z inclusive. - * @param nanoseconds - The non-negative fractions of a second at nanosecond - * resolution. Negative second values with fractions must still have - * non-negative nanoseconds values that count forward in time. Must be - * from 0 to 999,999,999 inclusive. - */ - constructor( - /** - * The number of seconds of UTC time since Unix epoch 1970-01-01T00:00:00Z. - */ - t, - /** - * The fractions of a second at nanosecond resolution.* - */ - e) { - if (this.seconds = t, this.nanoseconds = e, e < 0) throw new U(q.INVALID_ARGUMENT, "Timestamp nanoseconds out of range: " + e); - if (e >= 1e9) throw new U(q.INVALID_ARGUMENT, "Timestamp nanoseconds out of range: " + e); - if (t < -62135596800) throw new U(q.INVALID_ARGUMENT, "Timestamp seconds out of range: " + t); - // This will break in the year 10,000. - if (t >= 253402300800) throw new U(q.INVALID_ARGUMENT, "Timestamp seconds out of range: " + t); - } - /** - * Creates a new timestamp with the current date, with millisecond precision. - * - * @returns a new timestamp representing the current date. - */ static now() { - return it.fromMillis(Date.now()); - } - /** - * Creates a new timestamp from the given date. - * - * @param date - The date to initialize the `Timestamp` from. - * @returns A new `Timestamp` representing the same point in time as the given - * date. - */ static fromDate(t) { - return it.fromMillis(t.getTime()); - } - /** - * Creates a new timestamp from the given number of milliseconds. - * - * @param milliseconds - Number of milliseconds since Unix epoch - * 1970-01-01T00:00:00Z. - * @returns A new `Timestamp` representing the same point in time as the given - * number of milliseconds. - */ static fromMillis(t) { - const e = Math.floor(t / 1e3), n = Math.floor(1e6 * (t - 1e3 * e)); - return new it(e, n); - } - /** - * Converts a `Timestamp` to a JavaScript `Date` object. This conversion - * causes a loss of precision since `Date` objects only support millisecond - * precision. - * - * @returns JavaScript `Date` object representing the same point in time as - * this `Timestamp`, with millisecond precision. - */ toDate() { - return new Date(this.toMillis()); - } - /** - * Converts a `Timestamp` to a numeric timestamp (in milliseconds since - * epoch). This operation causes a loss of precision. - * - * @returns The point in time corresponding to this timestamp, represented as - * the number of milliseconds since Unix epoch 1970-01-01T00:00:00Z. - */ toMillis() { - return 1e3 * this.seconds + this.nanoseconds / 1e6; - } - _compareTo(t) { - return this.seconds === t.seconds ? et(this.nanoseconds, t.nanoseconds) : et(this.seconds, t.seconds); - } - /** - * Returns true if this `Timestamp` is equal to the provided one. - * - * @param other - The `Timestamp` to compare against. - * @returns true if this `Timestamp` is equal to the provided one. - */ isEqual(t) { - return t.seconds === this.seconds && t.nanoseconds === this.nanoseconds; - } - /** Returns a textual representation of this `Timestamp`. */ toString() { - return "Timestamp(seconds=" + this.seconds + ", nanoseconds=" + this.nanoseconds + ")"; - } - /** Returns a JSON-serializable representation of this `Timestamp`. */ toJSON() { - return { - seconds: this.seconds, - nanoseconds: this.nanoseconds - }; - } - /** - * Converts this object to a primitive string, which allows `Timestamp` objects - * to be compared using the `>`, `<=`, `>=` and `>` operators. - */ valueOf() { - // This method returns a string of the form . where - // is translated to have a non-negative value and both - // and are left-padded with zeroes to be a consistent length. - // Strings with this format then have a lexiographical ordering that matches - // the expected ordering. The translation is done to avoid having - // a leading negative sign (i.e. a leading '-' character) in its string - // representation, which would affect its lexiographical ordering. - const t = this.seconds - -62135596800; - // Note: Up to 12 decimal digits are required to represent all valid - // 'seconds' values. - return String(t).padStart(12, "0") + "." + String(this.nanoseconds).padStart(9, "0"); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A version of a document in Firestore. This corresponds to the version - * timestamp, such as update_time or read_time. - */ class rt { - constructor(t) { - this.timestamp = t; - } - static fromTimestamp(t) { - return new rt(t); - } - static min() { - return new rt(new it(0, 0)); - } - static max() { - return new rt(new it(253402300799, 999999999)); - } - compareTo(t) { - return this.timestamp._compareTo(t.timestamp); - } - isEqual(t) { - return this.timestamp.isEqual(t.timestamp); - } - /** Returns a number representation of the version for use in spec tests. */ toMicroseconds() { - // Convert to microseconds. - return 1e6 * this.timestamp.seconds + this.timestamp.nanoseconds / 1e3; - } - toString() { - return "SnapshotVersion(" + this.timestamp.toString() + ")"; - } - toTimestamp() { - return this.timestamp; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Path represents an ordered sequence of string segments. - */ - class ot { - constructor(t, e, n) { - void 0 === e ? e = 0 : e > t.length && O(), void 0 === n ? n = t.length - e : n > t.length - e && O(), - this.segments = t, this.offset = e, this.len = n; - } - get length() { - return this.len; - } - isEqual(t) { - return 0 === ot.comparator(this, t); - } - child(t) { - const e = this.segments.slice(this.offset, this.limit()); - return t instanceof ot ? t.forEach((t => { - e.push(t); - })) : e.push(t), this.construct(e); - } - /** The index of one past the last segment of the path. */ limit() { - return this.offset + this.length; - } - popFirst(t) { - return t = void 0 === t ? 1 : t, this.construct(this.segments, this.offset + t, this.length - t); - } - popLast() { - return this.construct(this.segments, this.offset, this.length - 1); - } - firstSegment() { - return this.segments[this.offset]; - } - lastSegment() { - return this.get(this.length - 1); - } - get(t) { - return this.segments[this.offset + t]; - } - isEmpty() { - return 0 === this.length; - } - isPrefixOf(t) { - if (t.length < this.length) return !1; - for (let e = 0; e < this.length; e++) if (this.get(e) !== t.get(e)) return !1; - return !0; - } - isImmediateParentOf(t) { - if (this.length + 1 !== t.length) return !1; - for (let e = 0; e < this.length; e++) if (this.get(e) !== t.get(e)) return !1; - return !0; - } - forEach(t) { - for (let e = this.offset, n = this.limit(); e < n; e++) t(this.segments[e]); - } - toArray() { - return this.segments.slice(this.offset, this.limit()); - } - static comparator(t, e) { - const n = Math.min(t.length, e.length); - for (let s = 0; s < n; s++) { - const n = t.get(s), i = e.get(s); - if (n < i) return -1; - if (n > i) return 1; - } - return t.length < e.length ? -1 : t.length > e.length ? 1 : 0; - } - } - - /** - * A slash-separated path for navigating resources (documents and collections) - * within Firestore. - * - * @internal - */ class ut extends ot { - construct(t, e, n) { - return new ut(t, e, n); - } - canonicalString() { - // NOTE: The client is ignorant of any path segments containing escape - // sequences (e.g. __id123__) and just passes them through raw (they exist - // for legacy reasons and should not be used frequently). - return this.toArray().join("/"); - } - toString() { - return this.canonicalString(); - } - /** - * Creates a resource path from the given slash-delimited string. If multiple - * arguments are provided, all components are combined. Leading and trailing - * slashes from all components are ignored. - */ static fromString(...t) { - // NOTE: The client is ignorant of any path segments containing escape - // sequences (e.g. __id123__) and just passes them through raw (they exist - // for legacy reasons and should not be used frequently). - const e = []; - for (const n of t) { - if (n.indexOf("//") >= 0) throw new U(q.INVALID_ARGUMENT, `Invalid segment (${n}). Paths must not contain // in them.`); - // Strip leading and traling slashed. - e.push(...n.split("/").filter((t => t.length > 0))); - } - return new ut(e); - } - static emptyPath() { - return new ut([]); - } - } - - const ct = /^[_a-zA-Z][_a-zA-Z0-9]*$/; - - /** - * A dot-separated path for navigating sub-objects within a document. - * @internal - */ class at extends ot { - construct(t, e, n) { - return new at(t, e, n); - } - /** - * Returns true if the string could be used as a segment in a field path - * without escaping. - */ static isValidIdentifier(t) { - return ct.test(t); - } - canonicalString() { - return this.toArray().map((t => (t = t.replace(/\\/g, "\\\\").replace(/`/g, "\\`"), - at.isValidIdentifier(t) || (t = "`" + t + "`"), t))).join("."); - } - toString() { - return this.canonicalString(); - } - /** - * Returns true if this field references the key of a document. - */ isKeyField() { - return 1 === this.length && "__name__" === this.get(0); - } - /** - * The field designating the key of a document. - */ static keyField() { - return new at([ "__name__" ]); - } - /** - * Parses a field string from the given server-formatted string. - * - * - Splitting the empty string is not allowed (for now at least). - * - Empty segments within the string (e.g. if there are two consecutive - * separators) are not allowed. - * - * TODO(b/37244157): we should make this more strict. Right now, it allows - * non-identifier path components, even if they aren't escaped. - */ static fromServerFormat(t) { - const e = []; - let n = "", s = 0; - const i = () => { - if (0 === n.length) throw new U(q.INVALID_ARGUMENT, `Invalid field path (${t}). Paths must not be empty, begin with '.', end with '.', or contain '..'`); - e.push(n), n = ""; - }; - let r = !1; - for (;s < t.length; ) { - const e = t[s]; - if ("\\" === e) { - if (s + 1 === t.length) throw new U(q.INVALID_ARGUMENT, "Path has trailing escape character: " + t); - const e = t[s + 1]; - if ("\\" !== e && "." !== e && "`" !== e) throw new U(q.INVALID_ARGUMENT, "Path has invalid escape sequence: " + t); - n += e, s += 2; - } else "`" === e ? (r = !r, s++) : "." !== e || r ? (n += e, s++) : (i(), s++); - } - if (i(), r) throw new U(q.INVALID_ARGUMENT, "Unterminated ` in path: " + t); - return new at(e); - } - static emptyPath() { - return new at([]); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * @internal - */ class ht { - constructor(t) { - this.path = t; - } - static fromPath(t) { - return new ht(ut.fromString(t)); - } - static fromName(t) { - return new ht(ut.fromString(t).popFirst(5)); - } - static empty() { - return new ht(ut.emptyPath()); - } - get collectionGroup() { - return this.path.popLast().lastSegment(); - } - /** Returns true if the document is in the specified collectionId. */ hasCollectionId(t) { - return this.path.length >= 2 && this.path.get(this.path.length - 2) === t; - } - /** Returns the collection group (i.e. the name of the parent collection) for this key. */ getCollectionGroup() { - return this.path.get(this.path.length - 2); - } - /** Returns the fully qualified path to the parent collection. */ getCollectionPath() { - return this.path.popLast(); - } - isEqual(t) { - return null !== t && 0 === ut.comparator(this.path, t.path); - } - toString() { - return this.path.toString(); - } - static comparator(t, e) { - return ut.comparator(t.path, e.path); - } - static isDocumentKey(t) { - return t.length % 2 == 0; - } - /** - * Creates and returns a new document key with the given segments. - * - * @param segments - The segments of the path to the document - * @returns A new instance of DocumentKey - */ static fromSegments(t) { - return new ht(new ut(t.slice())); - } - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The initial mutation batch id for each index. Gets updated during index - * backfill. - */ - /** - * An index definition for field indexes in Firestore. - * - * Every index is associated with a collection. The definition contains a list - * of fields and their index kind (which can be `ASCENDING`, `DESCENDING` or - * `CONTAINS` for ArrayContains/ArrayContainsAny queries). - * - * Unlike the backend, the SDK does not differentiate between collection or - * collection group-scoped indices. Every index can be used for both single - * collection and collection group queries. - */ - class lt { - constructor( - /** - * The index ID. Returns -1 if the index ID is not available (e.g. the index - * has not yet been persisted). - */ - t, - /** The collection ID this index applies to. */ - e, - /** The field segments for this index. */ - n, - /** Shows how up-to-date the index is for the current user. */ - s) { - this.indexId = t, this.collectionGroup = e, this.fields = n, this.indexState = s; - } - } - - /** An ID for an index that has not yet been added to persistence. */ - /** Returns the ArrayContains/ArrayContainsAny segment for this index. */ - function ft(t) { - return t.fields.find((t => 2 /* IndexKind.CONTAINS */ === t.kind)); - } - - /** Returns all directional (ascending/descending) segments for this index. */ function dt(t) { - return t.fields.filter((t => 2 /* IndexKind.CONTAINS */ !== t.kind)); - } - - /** Returns a debug representation of the field index */ lt.UNKNOWN_ID = -1; - - /** An index component consisting of field path and index type. */ - class _t { - constructor( - /** The field path of the component. */ - t, - /** The fields sorting order. */ - e) { - this.fieldPath = t, this.kind = e; - } - } - - /** - * Stores the "high water mark" that indicates how updated the Index is for the - * current user. - */ class gt$2 { - constructor( - /** - * Indicates when the index was last updated (relative to other indexes). - */ - t, - /** The the latest indexed read time, document and batch id. */ - e) { - this.sequenceNumber = t, this.offset = e; - } - /** The state of an index that has not yet been backfilled. */ static empty() { - return new gt$2(0, It.min()); - } - } - - /** - * Creates an offset that matches all documents with a read time higher than - * `readTime`. - */ function yt(t, e) { - // We want to create an offset that matches all documents with a read time - // greater than the provided read time. To do so, we technically need to - // create an offset for `(readTime, MAX_DOCUMENT_KEY)`. While we could use - // Unicode codepoints to generate MAX_DOCUMENT_KEY, it is much easier to use - // `(readTime + 1, DocumentKey.empty())` since `> DocumentKey.empty()` matches - // all valid document IDs. - const n = t.toTimestamp().seconds, s = t.toTimestamp().nanoseconds + 1, i = rt.fromTimestamp(1e9 === s ? new it(n + 1, 0) : new it(n, s)); - return new It(i, ht.empty(), e); - } - - /** Creates a new offset based on the provided document. */ function pt(t) { - return new It(t.readTime, t.key, -1); - } - - /** - * Stores the latest read time, document and batch ID that were processed for an - * index. - */ class It { - constructor( - /** - * The latest read time version that has been indexed by Firestore for this - * field index. - */ - t, - /** - * The key of the last document that was indexed for this query. Use - * `DocumentKey.empty()` if no document has been indexed. - */ - e, - /* - * The largest mutation batch id that's been processed by Firestore. - */ - n) { - this.readTime = t, this.documentKey = e, this.largestBatchId = n; - } - /** Returns an offset that sorts before all regular offsets. */ static min() { - return new It(rt.min(), ht.empty(), -1); - } - /** Returns an offset that sorts after all regular offsets. */ static max() { - return new It(rt.max(), ht.empty(), -1); - } - } - - function Tt(t, e) { - let n = t.readTime.compareTo(e.readTime); - return 0 !== n ? n : (n = ht.comparator(t.documentKey, e.documentKey), 0 !== n ? n : et(t.largestBatchId, e.largestBatchId)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const Et = "The current tab is not in the required state to perform this operation. It might be necessary to refresh the browser tab."; - - /** - * A base class representing a persistence transaction, encapsulating both the - * transaction's sequence numbers as well as a list of onCommitted listeners. - * - * When you call Persistence.runTransaction(), it will create a transaction and - * pass it to your callback. You then pass it to any method that operates - * on persistence. - */ class At { - constructor() { - this.onCommittedListeners = []; - } - addOnCommittedListener(t) { - this.onCommittedListeners.push(t); - } - raiseOnCommittedEvent() { - this.onCommittedListeners.forEach((t => t())); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Verifies the error thrown by a LocalStore operation. If a LocalStore - * operation fails because the primary lease has been taken by another client, - * we ignore the error (the persistence layer will immediately call - * `applyPrimaryLease` to propagate the primary state change). All other errors - * are re-thrown. - * - * @param err - An error returned by a LocalStore operation. - * @returns A Promise that resolves after we recovered, or the original error. - */ async function vt(t) { - if (t.code !== q.FAILED_PRECONDITION || t.message !== Et) throw t; - N("LocalStore", "Unexpectedly lost primary lease"); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * PersistencePromise is essentially a re-implementation of Promise except - * it has a .next() method instead of .then() and .next() and .catch() callbacks - * are executed synchronously when a PersistencePromise resolves rather than - * asynchronously (Promise implementations use setImmediate() or similar). - * - * This is necessary to interoperate with IndexedDB which will automatically - * commit transactions if control is returned to the event loop without - * synchronously initiating another operation on the transaction. - * - * NOTE: .then() and .catch() only allow a single consumer, unlike normal - * Promises. - */ class Rt { - constructor(t) { - // NOTE: next/catchCallback will always point to our own wrapper functions, - // not the user's raw next() or catch() callbacks. - this.nextCallback = null, this.catchCallback = null, - // When the operation resolves, we'll set result or error and mark isDone. - this.result = void 0, this.error = void 0, this.isDone = !1, - // Set to true when .then() or .catch() are called and prevents additional - // chaining. - this.callbackAttached = !1, t((t => { - this.isDone = !0, this.result = t, this.nextCallback && - // value should be defined unless T is Void, but we can't express - // that in the type system. - this.nextCallback(t); - }), (t => { - this.isDone = !0, this.error = t, this.catchCallback && this.catchCallback(t); - })); - } - catch(t) { - return this.next(void 0, t); - } - next(t, e) { - return this.callbackAttached && O(), this.callbackAttached = !0, this.isDone ? this.error ? this.wrapFailure(e, this.error) : this.wrapSuccess(t, this.result) : new Rt(((n, s) => { - this.nextCallback = e => { - this.wrapSuccess(t, e).next(n, s); - }, this.catchCallback = t => { - this.wrapFailure(e, t).next(n, s); - }; - })); - } - toPromise() { - return new Promise(((t, e) => { - this.next(t, e); - })); - } - wrapUserFunction(t) { - try { - const e = t(); - return e instanceof Rt ? e : Rt.resolve(e); - } catch (t) { - return Rt.reject(t); - } - } - wrapSuccess(t, e) { - return t ? this.wrapUserFunction((() => t(e))) : Rt.resolve(e); - } - wrapFailure(t, e) { - return t ? this.wrapUserFunction((() => t(e))) : Rt.reject(e); - } - static resolve(t) { - return new Rt(((e, n) => { - e(t); - })); - } - static reject(t) { - return new Rt(((e, n) => { - n(t); - })); - } - static waitFor( - // Accept all Promise types in waitFor(). - // eslint-disable-next-line @typescript-eslint/no-explicit-any - t) { - return new Rt(((e, n) => { - let s = 0, i = 0, r = !1; - t.forEach((t => { - ++s, t.next((() => { - ++i, r && i === s && e(); - }), (t => n(t))); - })), r = !0, i === s && e(); - })); - } - /** - * Given an array of predicate functions that asynchronously evaluate to a - * boolean, implements a short-circuiting `or` between the results. Predicates - * will be evaluated until one of them returns `true`, then stop. The final - * result will be whether any of them returned `true`. - */ static or(t) { - let e = Rt.resolve(!1); - for (const n of t) e = e.next((t => t ? Rt.resolve(t) : n())); - return e; - } - static forEach(t, e) { - const n = []; - return t.forEach(((t, s) => { - n.push(e.call(this, t, s)); - })), this.waitFor(n); - } - /** - * Concurrently map all array elements through asynchronous function. - */ static mapArray(t, e) { - return new Rt(((n, s) => { - const i = t.length, r = new Array(i); - let o = 0; - for (let u = 0; u < i; u++) { - const c = u; - e(t[c]).next((t => { - r[c] = t, ++o, o === i && n(r); - }), (t => s(t))); - } - })); - } - /** - * An alternative to recursive PersistencePromise calls, that avoids - * potential memory problems from unbounded chains of promises. - * - * The `action` will be called repeatedly while `condition` is true. - */ static doWhile(t, e) { - return new Rt(((n, s) => { - const i = () => { - !0 === t() ? e().next((() => { - i(); - }), s) : n(); - }; - i(); - })); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // References to `window` are guarded by SimpleDb.isAvailable() - /* eslint-disable no-restricted-globals */ - /** - * Wraps an IDBTransaction and exposes a store() method to get a handle to a - * specific object store. - */ - class Pt { - constructor(t, e) { - this.action = t, this.transaction = e, this.aborted = !1, - /** - * A `Promise` that resolves with the result of the IndexedDb transaction. - */ - this.v = new K, this.transaction.oncomplete = () => { - this.v.resolve(); - }, this.transaction.onabort = () => { - e.error ? this.v.reject(new St(t, e.error)) : this.v.resolve(); - }, this.transaction.onerror = e => { - const n = kt(e.target.error); - this.v.reject(new St(t, n)); - }; - } - static open(t, e, n, s) { - try { - return new Pt(e, t.transaction(s, n)); - } catch (t) { - throw new St(e, t); - } - } - get R() { - return this.v.promise; - } - abort(t) { - t && this.v.reject(t), this.aborted || (N("SimpleDb", "Aborting transaction:", t ? t.message : "Client-initiated abort"), - this.aborted = !0, this.transaction.abort()); - } - P() { - // If the browser supports V3 IndexedDB, we invoke commit() explicitly to - // speed up index DB processing if the event loop remains blocks. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - const t = this.transaction; - this.aborted || "function" != typeof t.commit || t.commit(); - } - /** - * Returns a SimpleDbStore for the specified store. All - * operations performed on the SimpleDbStore happen within the context of this - * transaction and it cannot be used anymore once the transaction is - * completed. - * - * Note that we can't actually enforce that the KeyType and ValueType are - * correct, but they allow type safety through the rest of the consuming code. - */ store(t) { - const e = this.transaction.objectStore(t); - return new Ct(e); - } - } - - /** - * Provides a wrapper around IndexedDb with a simplified interface that uses - * Promise-like return values to chain operations. Real promises cannot be used - * since .then() continuations are executed asynchronously (e.g. via - * .setImmediate), which would cause IndexedDB to end the transaction. - * See PersistencePromise for more details. - */ class bt { - /* - * Creates a new SimpleDb wrapper for IndexedDb database `name`. - * - * Note that `version` must not be a downgrade. IndexedDB does not support - * downgrading the schema version. We currently do not support any way to do - * versioning outside of IndexedDB's versioning mechanism, as only - * version-upgrade transactions are allowed to do things like create - * objectstores. - */ - constructor(t, e, n) { - this.name = t, this.version = e, this.V = n; - // NOTE: According to https://bugs.webkit.org/show_bug.cgi?id=197050, the - // bug we're checking for should exist in iOS >= 12.2 and < 13, but for - // whatever reason it's much harder to hit after 12.2 so we only proactively - // log on 12.2. - 12.2 === bt.S(getUA()) && k("Firestore persistence suffers from a bug in iOS 12.2 Safari that may cause your app to stop working. See https://stackoverflow.com/q/56496296/110915 for details and a potential workaround."); - } - /** Deletes the specified database. */ static delete(t) { - return N("SimpleDb", "Removing database:", t), xt(window.indexedDB.deleteDatabase(t)).toPromise(); - } - /** Returns true if IndexedDB is available in the current environment. */ static D() { - if (!isIndexedDBAvailable()) return !1; - if (bt.C()) return !0; - // We extensively use indexed array values and compound keys, - // which IE and Edge do not support. However, they still have indexedDB - // defined on the window, so we need to check for them here and make sure - // to return that persistence is not enabled for those browsers. - // For tracking support of this feature, see here: - // https://developer.microsoft.com/en-us/microsoft-edge/platform/status/indexeddbarraysandmultientrysupport/ - // Check the UA string to find out the browser. - const t = getUA(), e = bt.S(t), n = 0 < e && e < 10, s = bt.N(t), i = 0 < s && s < 4.5; - // IE 10 - // ua = 'Mozilla/5.0 (compatible; MSIE 10.0; Windows NT 6.2; Trident/6.0)'; - // IE 11 - // ua = 'Mozilla/5.0 (Windows NT 6.3; Trident/7.0; rv:11.0) like Gecko'; - // Edge - // ua = 'Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, - // like Gecko) Chrome/39.0.2171.71 Safari/537.36 Edge/12.0'; - // iOS Safari: Disable for users running iOS version < 10. - return !(t.indexOf("MSIE ") > 0 || t.indexOf("Trident/") > 0 || t.indexOf("Edge/") > 0 || n || i); - } - /** - * Returns true if the backing IndexedDB store is the Node IndexedDBShim - * (see https://github.com/axemclion/IndexedDBShim). - */ static C() { - var t; - return "undefined" != typeof process && "YES" === (null === (t = process.env) || void 0 === t ? void 0 : t.k); - } - /** Helper to get a typed SimpleDbStore from a transaction. */ static M(t, e) { - return t.store(e); - } - // visible for testing - /** Parse User Agent to determine iOS version. Returns -1 if not found. */ - static S(t) { - const e = t.match(/i(?:phone|pad|pod) os ([\d_]+)/i), n = e ? e[1].split("_").slice(0, 2).join(".") : "-1"; - return Number(n); - } - // visible for testing - /** Parse User Agent to determine Android version. Returns -1 if not found. */ - static N(t) { - const e = t.match(/Android ([\d.]+)/i), n = e ? e[1].split(".").slice(0, 2).join(".") : "-1"; - return Number(n); - } - /** - * Opens the specified database, creating or upgrading it if necessary. - */ async $(t) { - return this.db || (N("SimpleDb", "Opening database:", this.name), this.db = await new Promise(((e, n) => { - // TODO(mikelehen): Investigate browser compatibility. - // https://developer.mozilla.org/en-US/docs/Web/API/IndexedDB_API/Using_IndexedDB - // suggests IE9 and older WebKit browsers handle upgrade - // differently. They expect setVersion, as described here: - // https://developer.mozilla.org/en-US/docs/Web/API/IDBVersionChangeRequest/setVersion - const s = indexedDB.open(this.name, this.version); - s.onsuccess = t => { - const n = t.target.result; - e(n); - }, s.onblocked = () => { - n(new St(t, "Cannot upgrade IndexedDB schema while another tab is open. Close all tabs that access Firestore and reload this page to proceed.")); - }, s.onerror = e => { - const s = e.target.error; - "VersionError" === s.name ? n(new U(q.FAILED_PRECONDITION, "A newer version of the Firestore SDK was previously used and so the persisted data is not compatible with the version of the SDK you are now using. The SDK will operate with persistence disabled. If you need persistence, please re-upgrade to a newer version of the SDK or else clear the persisted IndexedDB data for your app to start fresh.")) : "InvalidStateError" === s.name ? n(new U(q.FAILED_PRECONDITION, "Unable to open an IndexedDB connection. This could be due to running in a private browsing session on a browser whose private browsing sessions do not support IndexedDB: " + s)) : n(new St(t, s)); - }, s.onupgradeneeded = t => { - N("SimpleDb", 'Database "' + this.name + '" requires upgrade from version:', t.oldVersion); - const e = t.target.result; - this.V.O(e, s.transaction, t.oldVersion, this.version).next((() => { - N("SimpleDb", "Database upgrade to version " + this.version + " complete"); - })); - }; - }))), this.F && (this.db.onversionchange = t => this.F(t)), this.db; - } - B(t) { - this.F = t, this.db && (this.db.onversionchange = e => t(e)); - } - async runTransaction(t, e, n, s) { - const i = "readonly" === e; - let r = 0; - for (;;) { - ++r; - try { - this.db = await this.$(t); - const e = Pt.open(this.db, t, i ? "readonly" : "readwrite", n), r = s(e).next((t => (e.P(), - t))).catch((t => ( - // Abort the transaction if there was an error. - e.abort(t), Rt.reject(t)))).toPromise(); - // As noted above, errors are propagated by aborting the transaction. So - // we swallow any error here to avoid the browser logging it as unhandled. - return r.catch((() => {})), - // Wait for the transaction to complete (i.e. IndexedDb's onsuccess event to - // fire), but still return the original transactionFnResult back to the - // caller. - await e.R, r; - } catch (t) { - const e = t, n = "FirebaseError" !== e.name && r < 3; - // TODO(schmidt-sebastian): We could probably be smarter about this and - // not retry exceptions that are likely unrecoverable (such as quota - // exceeded errors). - // Note: We cannot use an instanceof check for FirestoreException, since the - // exception is wrapped in a generic error by our async/await handling. - if (N("SimpleDb", "Transaction failed with error:", e.message, "Retrying:", n), - this.close(), !n) return Promise.reject(e); - } - } - } - close() { - this.db && this.db.close(), this.db = void 0; - } - } - - /** - * A controller for iterating over a key range or index. It allows an iterate - * callback to delete the currently-referenced object, or jump to a new key - * within the key range or index. - */ class Vt { - constructor(t) { - this.L = t, this.q = !1, this.U = null; - } - get isDone() { - return this.q; - } - get K() { - return this.U; - } - set cursor(t) { - this.L = t; - } - /** - * This function can be called to stop iteration at any point. - */ done() { - this.q = !0; - } - /** - * This function can be called to skip to that next key, which could be - * an index or a primary key. - */ G(t) { - this.U = t; - } - /** - * Delete the current cursor value from the object store. - * - * NOTE: You CANNOT do this with a keysOnly query. - */ delete() { - return xt(this.L.delete()); - } - } - - /** An error that wraps exceptions that thrown during IndexedDB execution. */ class St extends U { - constructor(t, e) { - super(q.UNAVAILABLE, `IndexedDB transaction '${t}' failed: ${e}`), this.name = "IndexedDbTransactionError"; - } - } - - /** Verifies whether `e` is an IndexedDbTransactionError. */ function Dt(t) { - // Use name equality, as instanceof checks on errors don't work with errors - // that wrap other errors. - return "IndexedDbTransactionError" === t.name; - } - - /** - * A wrapper around an IDBObjectStore providing an API that: - * - * 1) Has generic KeyType / ValueType parameters to provide strongly-typed - * methods for acting against the object store. - * 2) Deals with IndexedDB's onsuccess / onerror event callbacks, making every - * method return a PersistencePromise instead. - * 3) Provides a higher-level API to avoid needing to do excessive wrapping of - * intermediate IndexedDB types (IDBCursorWithValue, etc.) - */ class Ct { - constructor(t) { - this.store = t; - } - put(t, e) { - let n; - return void 0 !== e ? (N("SimpleDb", "PUT", this.store.name, t, e), n = this.store.put(e, t)) : (N("SimpleDb", "PUT", this.store.name, "", t), - n = this.store.put(t)), xt(n); - } - /** - * Adds a new value into an Object Store and returns the new key. Similar to - * IndexedDb's `add()`, this method will fail on primary key collisions. - * - * @param value - The object to write. - * @returns The key of the value to add. - */ add(t) { - N("SimpleDb", "ADD", this.store.name, t, t); - return xt(this.store.add(t)); - } - /** - * Gets the object with the specified key from the specified store, or null - * if no object exists with the specified key. - * - * @key The key of the object to get. - * @returns The object with the specified key or null if no object exists. - */ get(t) { - // We're doing an unsafe cast to ValueType. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - return xt(this.store.get(t)).next((e => ( - // Normalize nonexistence to null. - void 0 === e && (e = null), N("SimpleDb", "GET", this.store.name, t, e), e))); - } - delete(t) { - N("SimpleDb", "DELETE", this.store.name, t); - return xt(this.store.delete(t)); - } - /** - * If we ever need more of the count variants, we can add overloads. For now, - * all we need is to count everything in a store. - * - * Returns the number of rows in the store. - */ count() { - N("SimpleDb", "COUNT", this.store.name); - return xt(this.store.count()); - } - j(t, e) { - const n = this.options(t, e); - // Use `getAll()` if the browser supports IndexedDB v3, as it is roughly - // 20% faster. Unfortunately, getAll() does not support custom indices. - if (n.index || "function" != typeof this.store.getAll) { - const t = this.cursor(n), e = []; - return this.W(t, ((t, n) => { - e.push(n); - })).next((() => e)); - } - { - const t = this.store.getAll(n.range); - return new Rt(((e, n) => { - t.onerror = t => { - n(t.target.error); - }, t.onsuccess = t => { - e(t.target.result); - }; - })); - } - } - /** - * Loads the first `count` elements from the provided index range. Loads all - * elements if no limit is provided. - */ H(t, e) { - const n = this.store.getAll(t, null === e ? void 0 : e); - return new Rt(((t, e) => { - n.onerror = t => { - e(t.target.error); - }, n.onsuccess = e => { - t(e.target.result); - }; - })); - } - J(t, e) { - N("SimpleDb", "DELETE ALL", this.store.name); - const n = this.options(t, e); - n.Y = !1; - const s = this.cursor(n); - return this.W(s, ((t, e, n) => n.delete())); - } - X(t, e) { - let n; - e ? n = t : (n = {}, e = t); - const s = this.cursor(n); - return this.W(s, e); - } - /** - * Iterates over a store, but waits for the given callback to complete for - * each entry before iterating the next entry. This allows the callback to do - * asynchronous work to determine if this iteration should continue. - * - * The provided callback should return `true` to continue iteration, and - * `false` otherwise. - */ Z(t) { - const e = this.cursor({}); - return new Rt(((n, s) => { - e.onerror = t => { - const e = kt(t.target.error); - s(e); - }, e.onsuccess = e => { - const s = e.target.result; - s ? t(s.primaryKey, s.value).next((t => { - t ? s.continue() : n(); - })) : n(); - }; - })); - } - W(t, e) { - const n = []; - return new Rt(((s, i) => { - t.onerror = t => { - i(t.target.error); - }, t.onsuccess = t => { - const i = t.target.result; - if (!i) return void s(); - const r = new Vt(i), o = e(i.primaryKey, i.value, r); - if (o instanceof Rt) { - const t = o.catch((t => (r.done(), Rt.reject(t)))); - n.push(t); - } - r.isDone ? s() : null === r.K ? i.continue() : i.continue(r.K); - }; - })).next((() => Rt.waitFor(n))); - } - options(t, e) { - let n; - return void 0 !== t && ("string" == typeof t ? n = t : e = t), { - index: n, - range: e - }; - } - cursor(t) { - let e = "next"; - if (t.reverse && (e = "prev"), t.index) { - const n = this.store.index(t.index); - return t.Y ? n.openKeyCursor(t.range, e) : n.openCursor(t.range, e); - } - return this.store.openCursor(t.range, e); - } - } - - /** - * Wraps an IDBRequest in a PersistencePromise, using the onsuccess / onerror - * handlers to resolve / reject the PersistencePromise as appropriate. - */ function xt(t) { - return new Rt(((e, n) => { - t.onsuccess = t => { - const n = t.target.result; - e(n); - }, t.onerror = t => { - const e = kt(t.target.error); - n(e); - }; - })); - } - - // Guard so we only report the error once. - let Nt = !1; - - function kt(t) { - const e = bt.S(getUA()); - if (e >= 12.2 && e < 13) { - const e = "An internal error was encountered in the Indexed Database server"; - if (t.message.indexOf(e) >= 0) { - // Wrap error in a more descriptive one. - const t = new U("internal", `IOS_INDEXEDDB_BUG1: IndexedDb has thrown '${e}'. This is likely due to an unavoidable bug in iOS. See https://stackoverflow.com/q/56496296/110915 for details and a potential workaround.`); - return Nt || (Nt = !0, - // Throw a global exception outside of this promise chain, for the user to - // potentially catch. - setTimeout((() => { - throw t; - }), 0)), t; - } - } - return t; - } - - /** This class is responsible for the scheduling of Index Backfiller. */ - class Mt { - constructor(t, e) { - this.asyncQueue = t, this.tt = e, this.task = null; - } - start() { - this.et(15e3); - } - stop() { - this.task && (this.task.cancel(), this.task = null); - } - get started() { - return null !== this.task; - } - et(t) { - N("IndexBackiller", `Scheduled in ${t}ms`), this.task = this.asyncQueue.enqueueAfterDelay("index_backfill" /* TimerId.IndexBackfill */ , t, (async () => { - this.task = null; - try { - N("IndexBackiller", `Documents written: ${await this.tt.nt()}`); - } catch (t) { - Dt(t) ? N("IndexBackiller", "Ignoring IndexedDB error during index backfill: ", t) : await vt(t); - } - await this.et(6e4); - })); - } - } - - /** Implements the steps for backfilling indexes. */ class $t { - constructor( - /** - * LocalStore provides access to IndexManager and LocalDocumentView. - * These properties will update when the user changes. Consequently, - * making a local copy of IndexManager and LocalDocumentView will require - * updates over time. The simpler solution is to rely on LocalStore to have - * an up-to-date references to IndexManager and LocalDocumentStore. - */ - t, e) { - this.localStore = t, this.persistence = e; - } - async nt(t = 50) { - return this.persistence.runTransaction("Backfill Indexes", "readwrite-primary", (e => this.st(e, t))); - } - /** Writes index entries until the cap is reached. Returns the number of documents processed. */ st(t, e) { - const n = new Set; - let s = e, i = !0; - return Rt.doWhile((() => !0 === i && s > 0), (() => this.localStore.indexManager.getNextCollectionGroupToUpdate(t).next((e => { - if (null !== e && !n.has(e)) return N("IndexBackiller", `Processing collection: ${e}`), - this.it(t, e, s).next((t => { - s -= t, n.add(e); - })); - i = !1; - })))).next((() => e - s)); - } - /** - * Writes entries for the provided collection group. Returns the number of documents processed. - */ it(t, e, n) { - // Use the earliest offset of all field indexes to query the local cache. - return this.localStore.indexManager.getMinOffsetFromCollectionGroup(t, e).next((s => this.localStore.localDocuments.getNextDocuments(t, e, s, n).next((n => { - const i = n.changes; - return this.localStore.indexManager.updateIndexEntries(t, i).next((() => this.rt(s, n))).next((n => (N("IndexBackiller", `Updating offset: ${n}`), - this.localStore.indexManager.updateCollectionGroup(t, e, n)))).next((() => i.size)); - })))); - } - /** Returns the next offset based on the provided documents. */ rt(t, e) { - let n = t; - return e.changes.forEach(((t, e) => { - const s = pt(e); - Tt(s, n) > 0 && (n = s); - })), new It(n.readTime, n.documentKey, Math.max(e.batchId, t.largestBatchId)); - } - } - - /** - * @license - * Copyright 2018 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * `ListenSequence` is a monotonic sequence. It is initialized with a minimum value to - * exceed. All subsequent calls to next will return increasing values. If provided with a - * `SequenceNumberSyncer`, it will additionally bump its next value when told of a new value, as - * well as write out sequence numbers that it produces via `next()`. - */ class Ot { - constructor(t, e) { - this.previousValue = t, e && (e.sequenceNumberHandler = t => this.ot(t), this.ut = t => e.writeSequenceNumber(t)); - } - ot(t) { - return this.previousValue = Math.max(t, this.previousValue), this.previousValue; - } - next() { - const t = ++this.previousValue; - return this.ut && this.ut(t), t; - } - } - - Ot.ct = -1; - - /** - * Returns whether a variable is either undefined or null. - */ - function Ft(t) { - return null == t; - } - - /** Returns whether the value represents -0. */ function Bt(t) { - // Detect if the value is -0.0. Based on polyfill from - // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is - return 0 === t && 1 / t == -1 / 0; - } - - /** - * Returns whether a value is an integer and in the safe integer range - * @param value - The value to test for being an integer and in the safe range - */ function Lt(t) { - return "number" == typeof t && Number.isInteger(t) && !Bt(t) && t <= Number.MAX_SAFE_INTEGER && t >= Number.MIN_SAFE_INTEGER; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Encodes a resource path into a IndexedDb-compatible string form. - */ - function qt(t) { - let e = ""; - for (let n = 0; n < t.length; n++) e.length > 0 && (e = Kt(e)), e = Ut(t.get(n), e); - return Kt(e); - } - - /** Encodes a single segment of a resource path into the given result */ function Ut(t, e) { - let n = e; - const s = t.length; - for (let e = 0; e < s; e++) { - const s = t.charAt(e); - switch (s) { - case "\0": - n += ""; - break; - - case "": - n += ""; - break; - - default: - n += s; - } - } - return n; - } - - /** Encodes a path separator into the given result */ function Kt(t) { - return t + ""; - } - - /** - * Decodes the given IndexedDb-compatible string form of a resource path into - * a ResourcePath instance. Note that this method is not suitable for use with - * decoding resource names from the server; those are One Platform format - * strings. - */ function Gt(t) { - // Event the empty path must encode as a path of at least length 2. A path - // with exactly 2 must be the empty path. - const e = t.length; - if (F(e >= 2), 2 === e) return F("" === t.charAt(0) && "" === t.charAt(1)), ut.emptyPath(); - // Escape characters cannot exist past the second-to-last position in the - // source value. - const __PRIVATE_lastReasonableEscapeIndex = e - 2, n = []; - let s = ""; - for (let i = 0; i < e; ) { - // The last two characters of a valid encoded path must be a separator, so - // there must be an end to this segment. - const e = t.indexOf("", i); - (e < 0 || e > __PRIVATE_lastReasonableEscapeIndex) && O(); - switch (t.charAt(e + 1)) { - case "": - const r = t.substring(i, e); - let o; - 0 === s.length ? - // Avoid copying for the common case of a segment that excludes \0 - // and \001 - o = r : (s += r, o = s, s = ""), n.push(o); - break; - - case "": - s += t.substring(i, e), s += "\0"; - break; - - case "": - // The escape character can be used in the output to encode itself. - s += t.substring(i, e + 1); - break; - - default: - O(); - } - i = e + 2; - } - return new ut(n); - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const Qt = [ "userId", "batchId" ]; - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Name of the IndexedDb object store. - * - * Note that the name 'owner' is chosen to ensure backwards compatibility with - * older clients that only supported single locked access to the persistence - * layer. - */ - /** - * Creates a [userId, encodedPath] key for use in the DbDocumentMutations - * index to iterate over all at document mutations for a given path or lower. - */ - function jt(t, e) { - return [ t, qt(e) ]; - } - - /** - * Creates a full index key of [userId, encodedPath, batchId] for inserting - * and deleting into the DbDocumentMutations index. - */ function zt(t, e, n) { - return [ t, qt(e), n ]; - } - - /** - * Because we store all the useful information for this store in the key, - * there is no useful information to store as the value. The raw (unencoded) - * path cannot be stored because IndexedDb doesn't store prototype - * information. - */ const Wt = {}, Ht = [ "prefixPath", "collectionGroup", "readTime", "documentId" ], Jt = [ "prefixPath", "collectionGroup", "documentId" ], Yt = [ "collectionGroup", "readTime", "prefixPath", "documentId" ], Xt = [ "canonicalId", "targetId" ], Zt = [ "targetId", "path" ], te = [ "path", "targetId" ], ee = [ "collectionId", "parent" ], ne = [ "indexId", "uid" ], se = [ "uid", "sequenceNumber" ], ie = [ "indexId", "uid", "arrayValue", "directionalValue", "orderedDocumentKey", "documentKey" ], re = [ "indexId", "uid", "orderedDocumentKey" ], oe = [ "userId", "collectionPath", "documentId" ], ue = [ "userId", "collectionPath", "largestBatchId" ], ce = [ "userId", "collectionGroup", "largestBatchId" ], ae = [ ...[ ...[ ...[ ...[ "mutationQueues", "mutations", "documentMutations", "remoteDocuments", "targets", "owner", "targetGlobal", "targetDocuments" ], "clientMetadata" ], "remoteDocumentGlobal" ], "collectionParents" ], "bundles", "namedQueries" ], he = [ ...ae, "documentOverlays" ], le = [ "mutationQueues", "mutations", "documentMutations", "remoteDocumentsV14", "targets", "owner", "targetGlobal", "targetDocuments", "clientMetadata", "remoteDocumentGlobal", "collectionParents", "bundles", "namedQueries", "documentOverlays" ], fe = le, de = [ ...fe, "indexConfiguration", "indexState", "indexEntries" ]; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class we extends At { - constructor(t, e) { - super(), this.ht = t, this.currentSequenceNumber = e; - } - } - - function _e(t, e) { - const n = L(t); - return bt.M(n.ht, e); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ function me(t) { - let e = 0; - for (const n in t) Object.prototype.hasOwnProperty.call(t, n) && e++; - return e; - } - - function ge(t, e) { - for (const n in t) Object.prototype.hasOwnProperty.call(t, n) && e(n, t[n]); - } - - function ye(t) { - for (const e in t) if (Object.prototype.hasOwnProperty.call(t, e)) return !1; - return !0; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // An immutable sorted map implementation, based on a Left-leaning Red-Black - // tree. - class pe { - constructor(t, e) { - this.comparator = t, this.root = e || Te.EMPTY; - } - // Returns a copy of the map, with the specified key/value added or replaced. - insert(t, e) { - return new pe(this.comparator, this.root.insert(t, e, this.comparator).copy(null, null, Te.BLACK, null, null)); - } - // Returns a copy of the map, with the specified key removed. - remove(t) { - return new pe(this.comparator, this.root.remove(t, this.comparator).copy(null, null, Te.BLACK, null, null)); - } - // Returns the value of the node with the given key, or null. - get(t) { - let e = this.root; - for (;!e.isEmpty(); ) { - const n = this.comparator(t, e.key); - if (0 === n) return e.value; - n < 0 ? e = e.left : n > 0 && (e = e.right); - } - return null; - } - // Returns the index of the element in this sorted map, or -1 if it doesn't - // exist. - indexOf(t) { - // Number of nodes that were pruned when descending right - let e = 0, n = this.root; - for (;!n.isEmpty(); ) { - const s = this.comparator(t, n.key); - if (0 === s) return e + n.left.size; - s < 0 ? n = n.left : ( - // Count all nodes left of the node plus the node itself - e += n.left.size + 1, n = n.right); - } - // Node not found - return -1; - } - isEmpty() { - return this.root.isEmpty(); - } - // Returns the total number of nodes in the map. - get size() { - return this.root.size; - } - // Returns the minimum key in the map. - minKey() { - return this.root.minKey(); - } - // Returns the maximum key in the map. - maxKey() { - return this.root.maxKey(); - } - // Traverses the map in key order and calls the specified action function - // for each key/value pair. If action returns true, traversal is aborted. - // Returns the first truthy value returned by action, or the last falsey - // value returned by action. - inorderTraversal(t) { - return this.root.inorderTraversal(t); - } - forEach(t) { - this.inorderTraversal(((e, n) => (t(e, n), !1))); - } - toString() { - const t = []; - return this.inorderTraversal(((e, n) => (t.push(`${e}:${n}`), !1))), `{${t.join(", ")}}`; - } - // Traverses the map in reverse key order and calls the specified action - // function for each key/value pair. If action returns true, traversal is - // aborted. - // Returns the first truthy value returned by action, or the last falsey - // value returned by action. - reverseTraversal(t) { - return this.root.reverseTraversal(t); - } - // Returns an iterator over the SortedMap. - getIterator() { - return new Ie(this.root, null, this.comparator, !1); - } - getIteratorFrom(t) { - return new Ie(this.root, t, this.comparator, !1); - } - getReverseIterator() { - return new Ie(this.root, null, this.comparator, !0); - } - getReverseIteratorFrom(t) { - return new Ie(this.root, t, this.comparator, !0); - } - } - - // end SortedMap - // An iterator over an LLRBNode. - class Ie { - constructor(t, e, n, s) { - this.isReverse = s, this.nodeStack = []; - let i = 1; - for (;!t.isEmpty(); ) if (i = e ? n(t.key, e) : 1, - // flip the comparison if we're going in reverse - e && s && (i *= -1), i < 0) - // This node is less than our start key. ignore it - t = this.isReverse ? t.left : t.right; else { - if (0 === i) { - // This node is exactly equal to our start key. Push it on the stack, - // but stop iterating; - this.nodeStack.push(t); - break; - } - // This node is greater than our start key, add it to the stack and move - // to the next one - this.nodeStack.push(t), t = this.isReverse ? t.right : t.left; - } - } - getNext() { - let t = this.nodeStack.pop(); - const e = { - key: t.key, - value: t.value - }; - if (this.isReverse) for (t = t.left; !t.isEmpty(); ) this.nodeStack.push(t), t = t.right; else for (t = t.right; !t.isEmpty(); ) this.nodeStack.push(t), - t = t.left; - return e; - } - hasNext() { - return this.nodeStack.length > 0; - } - peek() { - if (0 === this.nodeStack.length) return null; - const t = this.nodeStack[this.nodeStack.length - 1]; - return { - key: t.key, - value: t.value - }; - } - } - - // end SortedMapIterator - // Represents a node in a Left-leaning Red-Black tree. - class Te { - constructor(t, e, n, s, i) { - this.key = t, this.value = e, this.color = null != n ? n : Te.RED, this.left = null != s ? s : Te.EMPTY, - this.right = null != i ? i : Te.EMPTY, this.size = this.left.size + 1 + this.right.size; - } - // Returns a copy of the current node, optionally replacing pieces of it. - copy(t, e, n, s, i) { - return new Te(null != t ? t : this.key, null != e ? e : this.value, null != n ? n : this.color, null != s ? s : this.left, null != i ? i : this.right); - } - isEmpty() { - return !1; - } - // Traverses the tree in key order and calls the specified action function - // for each node. If action returns true, traversal is aborted. - // Returns the first truthy value returned by action, or the last falsey - // value returned by action. - inorderTraversal(t) { - return this.left.inorderTraversal(t) || t(this.key, this.value) || this.right.inorderTraversal(t); - } - // Traverses the tree in reverse key order and calls the specified action - // function for each node. If action returns true, traversal is aborted. - // Returns the first truthy value returned by action, or the last falsey - // value returned by action. - reverseTraversal(t) { - return this.right.reverseTraversal(t) || t(this.key, this.value) || this.left.reverseTraversal(t); - } - // Returns the minimum node in the tree. - min() { - return this.left.isEmpty() ? this : this.left.min(); - } - // Returns the maximum key in the tree. - minKey() { - return this.min().key; - } - // Returns the maximum key in the tree. - maxKey() { - return this.right.isEmpty() ? this.key : this.right.maxKey(); - } - // Returns new tree, with the key/value added. - insert(t, e, n) { - let s = this; - const i = n(t, s.key); - return s = i < 0 ? s.copy(null, null, null, s.left.insert(t, e, n), null) : 0 === i ? s.copy(null, e, null, null, null) : s.copy(null, null, null, null, s.right.insert(t, e, n)), - s.fixUp(); - } - removeMin() { - if (this.left.isEmpty()) return Te.EMPTY; - let t = this; - return t.left.isRed() || t.left.left.isRed() || (t = t.moveRedLeft()), t = t.copy(null, null, null, t.left.removeMin(), null), - t.fixUp(); - } - // Returns new tree, with the specified item removed. - remove(t, e) { - let n, s = this; - if (e(t, s.key) < 0) s.left.isEmpty() || s.left.isRed() || s.left.left.isRed() || (s = s.moveRedLeft()), - s = s.copy(null, null, null, s.left.remove(t, e), null); else { - if (s.left.isRed() && (s = s.rotateRight()), s.right.isEmpty() || s.right.isRed() || s.right.left.isRed() || (s = s.moveRedRight()), - 0 === e(t, s.key)) { - if (s.right.isEmpty()) return Te.EMPTY; - n = s.right.min(), s = s.copy(n.key, n.value, null, null, s.right.removeMin()); - } - s = s.copy(null, null, null, null, s.right.remove(t, e)); - } - return s.fixUp(); - } - isRed() { - return this.color; - } - // Returns new tree after performing any needed rotations. - fixUp() { - let t = this; - return t.right.isRed() && !t.left.isRed() && (t = t.rotateLeft()), t.left.isRed() && t.left.left.isRed() && (t = t.rotateRight()), - t.left.isRed() && t.right.isRed() && (t = t.colorFlip()), t; - } - moveRedLeft() { - let t = this.colorFlip(); - return t.right.left.isRed() && (t = t.copy(null, null, null, null, t.right.rotateRight()), - t = t.rotateLeft(), t = t.colorFlip()), t; - } - moveRedRight() { - let t = this.colorFlip(); - return t.left.left.isRed() && (t = t.rotateRight(), t = t.colorFlip()), t; - } - rotateLeft() { - const t = this.copy(null, null, Te.RED, null, this.right.left); - return this.right.copy(null, null, this.color, t, null); - } - rotateRight() { - const t = this.copy(null, null, Te.RED, this.left.right, null); - return this.left.copy(null, null, this.color, null, t); - } - colorFlip() { - const t = this.left.copy(null, null, !this.left.color, null, null), e = this.right.copy(null, null, !this.right.color, null, null); - return this.copy(null, null, !this.color, t, e); - } - // For testing. - checkMaxDepth() { - const t = this.check(); - return Math.pow(2, t) <= this.size + 1; - } - // In a balanced RB tree, the black-depth (number of black nodes) from root to - // leaves is equal on both sides. This function verifies that or asserts. - check() { - if (this.isRed() && this.left.isRed()) throw O(); - if (this.right.isRed()) throw O(); - const t = this.left.check(); - if (t !== this.right.check()) throw O(); - return t + (this.isRed() ? 0 : 1); - } - } - - // end LLRBNode - // Empty node is shared between all LLRB trees. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - Te.EMPTY = null, Te.RED = !0, Te.BLACK = !1; - - // end LLRBEmptyNode - Te.EMPTY = new - // Represents an empty node (a leaf node in the Red-Black Tree). - class { - constructor() { - this.size = 0; - } - get key() { - throw O(); - } - get value() { - throw O(); - } - get color() { - throw O(); - } - get left() { - throw O(); - } - get right() { - throw O(); - } - // Returns a copy of the current node. - copy(t, e, n, s, i) { - return this; - } - // Returns a copy of the tree, with the specified key/value added. - insert(t, e, n) { - return new Te(t, e); - } - // Returns a copy of the tree, with the specified key removed. - remove(t, e) { - return this; - } - isEmpty() { - return !0; - } - inorderTraversal(t) { - return !1; - } - reverseTraversal(t) { - return !1; - } - minKey() { - return null; - } - maxKey() { - return null; - } - isRed() { - return !1; - } - // For testing. - checkMaxDepth() { - return !0; - } - check() { - return 0; - } - }; - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * SortedSet is an immutable (copy-on-write) collection that holds elements - * in order specified by the provided comparator. - * - * NOTE: if provided comparator returns 0 for two elements, we consider them to - * be equal! - */ - class Ee { - constructor(t) { - this.comparator = t, this.data = new pe(this.comparator); - } - has(t) { - return null !== this.data.get(t); - } - first() { - return this.data.minKey(); - } - last() { - return this.data.maxKey(); - } - get size() { - return this.data.size; - } - indexOf(t) { - return this.data.indexOf(t); - } - /** Iterates elements in order defined by "comparator" */ forEach(t) { - this.data.inorderTraversal(((e, n) => (t(e), !1))); - } - /** Iterates over `elem`s such that: range[0] <= elem < range[1]. */ forEachInRange(t, e) { - const n = this.data.getIteratorFrom(t[0]); - for (;n.hasNext(); ) { - const s = n.getNext(); - if (this.comparator(s.key, t[1]) >= 0) return; - e(s.key); - } - } - /** - * Iterates over `elem`s such that: start <= elem until false is returned. - */ forEachWhile(t, e) { - let n; - for (n = void 0 !== e ? this.data.getIteratorFrom(e) : this.data.getIterator(); n.hasNext(); ) { - if (!t(n.getNext().key)) return; - } - } - /** Finds the least element greater than or equal to `elem`. */ firstAfterOrEqual(t) { - const e = this.data.getIteratorFrom(t); - return e.hasNext() ? e.getNext().key : null; - } - getIterator() { - return new Ae(this.data.getIterator()); - } - getIteratorFrom(t) { - return new Ae(this.data.getIteratorFrom(t)); - } - /** Inserts or updates an element */ add(t) { - return this.copy(this.data.remove(t).insert(t, !0)); - } - /** Deletes an element */ delete(t) { - return this.has(t) ? this.copy(this.data.remove(t)) : this; - } - isEmpty() { - return this.data.isEmpty(); - } - unionWith(t) { - let e = this; - // Make sure `result` always refers to the larger one of the two sets. - return e.size < t.size && (e = t, t = this), t.forEach((t => { - e = e.add(t); - })), e; - } - isEqual(t) { - if (!(t instanceof Ee)) return !1; - if (this.size !== t.size) return !1; - const e = this.data.getIterator(), n = t.data.getIterator(); - for (;e.hasNext(); ) { - const t = e.getNext().key, s = n.getNext().key; - if (0 !== this.comparator(t, s)) return !1; - } - return !0; - } - toArray() { - const t = []; - return this.forEach((e => { - t.push(e); - })), t; - } - toString() { - const t = []; - return this.forEach((e => t.push(e))), "SortedSet(" + t.toString() + ")"; - } - copy(t) { - const e = new Ee(this.comparator); - return e.data = t, e; - } - } - - class Ae { - constructor(t) { - this.iter = t; - } - getNext() { - return this.iter.getNext().key; - } - hasNext() { - return this.iter.hasNext(); - } - } - - /** - * Compares two sorted sets for equality using their natural ordering. The - * method computes the intersection and invokes `onAdd` for every element that - * is in `after` but not `before`. `onRemove` is invoked for every element in - * `before` but missing from `after`. - * - * The method creates a copy of both `before` and `after` and runs in O(n log - * n), where n is the size of the two lists. - * - * @param before - The elements that exist in the original set. - * @param after - The elements to diff against the original set. - * @param comparator - The comparator for the elements in before and after. - * @param onAdd - A function to invoke for every element that is part of ` - * after` but not `before`. - * @param onRemove - A function to invoke for every element that is part of - * `before` but not `after`. - */ - /** - * Returns the next element from the iterator or `undefined` if none available. - */ - function ve(t) { - return t.hasNext() ? t.getNext() : void 0; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provides a set of fields that can be used to partially patch a document. - * FieldMask is used in conjunction with ObjectValue. - * Examples: - * foo - Overwrites foo entirely with the provided value. If foo is not - * present in the companion ObjectValue, the field is deleted. - * foo.bar - Overwrites only the field bar of the object foo. - * If foo is not an object, foo is replaced with an object - * containing foo - */ class Re { - constructor(t) { - this.fields = t, - // TODO(dimond): validation of FieldMask - // Sort the field mask to support `FieldMask.isEqual()` and assert below. - t.sort(at.comparator); - } - static empty() { - return new Re([]); - } - /** - * Returns a new FieldMask object that is the result of adding all the given - * fields paths to this field mask. - */ unionWith(t) { - let e = new Ee(at.comparator); - for (const t of this.fields) e = e.add(t); - for (const n of t) e = e.add(n); - return new Re(e.toArray()); - } - /** - * Verifies that `fieldPath` is included by at least one field in this field - * mask. - * - * This is an O(n) operation, where `n` is the size of the field mask. - */ covers(t) { - for (const e of this.fields) if (e.isPrefixOf(t)) return !0; - return !1; - } - isEqual(t) { - return nt(this.fields, t.fields, ((t, e) => t.isEqual(e))); - } - } - - /** - * @license - * Copyright 2023 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An error encountered while decoding base64 string. - */ class Pe extends Error { - constructor() { - super(...arguments), this.name = "Base64DecodeError"; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Converts a Base64 encoded string to a binary string. */ - /** True if and only if the Base64 conversion functions are available. */ - function be() { - return "undefined" != typeof atob; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Immutable class that represents a "proto" byte string. - * - * Proto byte strings can either be Base64-encoded strings or Uint8Arrays when - * sent on the wire. This class abstracts away this differentiation by holding - * the proto byte string in a common class that must be converted into a string - * before being sent as a proto. - * @internal - */ class Ve { - constructor(t) { - this.binaryString = t; - } - static fromBase64String(t) { - const e = function(t) { - try { - return atob(t); - } catch (t) { - // Check that `DOMException` is defined before using it to avoid - // "ReferenceError: Property 'DOMException' doesn't exist" in react-native. - // (https://github.com/firebase/firebase-js-sdk/issues/7115) - throw "undefined" != typeof DOMException && t instanceof DOMException ? new Pe("Invalid base64 string: " + t) : t; - } - } - /** Converts a binary string to a Base64 encoded string. */ (t); - return new Ve(e); - } - static fromUint8Array(t) { - // TODO(indexing); Remove the copy of the byte string here as this method - // is frequently called during indexing. - const e = - /** - * Helper function to convert an Uint8array to a binary string. - */ - function(t) { - let e = ""; - for (let n = 0; n < t.length; ++n) e += String.fromCharCode(t[n]); - return e; - } - /** - * Helper function to convert a binary string to an Uint8Array. - */ (t); - return new Ve(e); - } - [Symbol.iterator]() { - let t = 0; - return { - next: () => t < this.binaryString.length ? { - value: this.binaryString.charCodeAt(t++), - done: !1 - } : { - value: void 0, - done: !0 - } - }; - } - toBase64() { - return t = this.binaryString, btoa(t); - var t; - } - toUint8Array() { - return function(t) { - const e = new Uint8Array(t.length); - for (let n = 0; n < t.length; n++) e[n] = t.charCodeAt(n); - return e; - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // A RegExp matching ISO 8601 UTC timestamps with optional fraction. - (this.binaryString); - } - approximateByteSize() { - return 2 * this.binaryString.length; - } - compareTo(t) { - return et(this.binaryString, t.binaryString); - } - isEqual(t) { - return this.binaryString === t.binaryString; - } - } - - Ve.EMPTY_BYTE_STRING = new Ve(""); - - const Se = new RegExp(/^\d{4}-\d\d-\d\dT\d\d:\d\d:\d\d(?:\.(\d+))?Z$/); - - /** - * Converts the possible Proto values for a timestamp value into a "seconds and - * nanos" representation. - */ function De(t) { - // The json interface (for the browser) will return an iso timestamp string, - // while the proto js library (for node) will return a - // google.protobuf.Timestamp instance. - if (F(!!t), "string" == typeof t) { - // The date string can have higher precision (nanos) than the Date class - // (millis), so we do some custom parsing here. - // Parse the nanos right out of the string. - let e = 0; - const n = Se.exec(t); - if (F(!!n), n[1]) { - // Pad the fraction out to 9 digits (nanos). - let t = n[1]; - t = (t + "000000000").substr(0, 9), e = Number(t); - } - // Parse the date to get the seconds. - const s = new Date(t); - return { - seconds: Math.floor(s.getTime() / 1e3), - nanos: e - }; - } - return { - seconds: Ce(t.seconds), - nanos: Ce(t.nanos) - }; - } - - /** - * Converts the possible Proto types for numbers into a JavaScript number. - * Returns 0 if the value is not numeric. - */ function Ce(t) { - // TODO(bjornick): Handle int64 greater than 53 bits. - return "number" == typeof t ? t : "string" == typeof t ? Number(t) : 0; - } - - /** Converts the possible Proto types for Blobs into a ByteString. */ function xe(t) { - return "string" == typeof t ? Ve.fromBase64String(t) : Ve.fromUint8Array(t); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents a locally-applied ServerTimestamp. - * - * Server Timestamps are backed by MapValues that contain an internal field - * `__type__` with a value of `server_timestamp`. The previous value and local - * write time are stored in its `__previous_value__` and `__local_write_time__` - * fields respectively. - * - * Notes: - * - ServerTimestampValue instances are created as the result of applying a - * transform. They can only exist in the local view of a document. Therefore - * they do not need to be parsed or serialized. - * - When evaluated locally (e.g. for snapshot.data()), they by default - * evaluate to `null`. This behavior can be configured by passing custom - * FieldValueOptions to value(). - * - With respect to other ServerTimestampValues, they sort by their - * localWriteTime. - */ function Ne(t) { - var e, n; - return "server_timestamp" === (null === (n = ((null === (e = null == t ? void 0 : t.mapValue) || void 0 === e ? void 0 : e.fields) || {}).__type__) || void 0 === n ? void 0 : n.stringValue); - } - - /** - * Creates a new ServerTimestamp proto value (using the internal format). - */ - /** - * Returns the value of the field before this ServerTimestamp was set. - * - * Preserving the previous values allows the user to display the last resoled - * value until the backend responds with the timestamp. - */ - function ke(t) { - const e = t.mapValue.fields.__previous_value__; - return Ne(e) ? ke(e) : e; - } - - /** - * Returns the local time at which this timestamp was first set. - */ function Me(t) { - const e = De(t.mapValue.fields.__local_write_time__.timestampValue); - return new it(e.seconds, e.nanos); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class $e { - /** - * Constructs a DatabaseInfo using the provided host, databaseId and - * persistenceKey. - * - * @param databaseId - The database to use. - * @param appId - The Firebase App Id. - * @param persistenceKey - A unique identifier for this Firestore's local - * storage (used in conjunction with the databaseId). - * @param host - The Firestore backend host to connect to. - * @param ssl - Whether to use SSL when connecting. - * @param forceLongPolling - Whether to use the forceLongPolling option - * when using WebChannel as the network transport. - * @param autoDetectLongPolling - Whether to use the detectBufferingProxy - * option when using WebChannel as the network transport. - * @param longPollingOptions Options that configure long-polling. - * @param useFetchStreams Whether to use the Fetch API instead of - * XMLHTTPRequest - */ - constructor(t, e, n, s, i, r, o, u, c) { - this.databaseId = t, this.appId = e, this.persistenceKey = n, this.host = s, this.ssl = i, - this.forceLongPolling = r, this.autoDetectLongPolling = o, this.longPollingOptions = u, - this.useFetchStreams = c; - } - } - - /** The default database name for a project. */ - /** - * Represents the database ID a Firestore client is associated with. - * @internal - */ - class Oe { - constructor(t, e) { - this.projectId = t, this.database = e || "(default)"; - } - static empty() { - return new Oe("", ""); - } - get isDefaultDatabase() { - return "(default)" === this.database; - } - isEqual(t) { - return t instanceof Oe && t.projectId === this.projectId && t.database === this.database; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const Fe = { - mapValue: { - fields: { - __type__: { - stringValue: "__max__" - } - } - } - }, Be = { - nullValue: "NULL_VALUE" - }; - - /** Extracts the backend's type order for the provided value. */ - function Le(t) { - return "nullValue" in t ? 0 /* TypeOrder.NullValue */ : "booleanValue" in t ? 1 /* TypeOrder.BooleanValue */ : "integerValue" in t || "doubleValue" in t ? 2 /* TypeOrder.NumberValue */ : "timestampValue" in t ? 3 /* TypeOrder.TimestampValue */ : "stringValue" in t ? 5 /* TypeOrder.StringValue */ : "bytesValue" in t ? 6 /* TypeOrder.BlobValue */ : "referenceValue" in t ? 7 /* TypeOrder.RefValue */ : "geoPointValue" in t ? 8 /* TypeOrder.GeoPointValue */ : "arrayValue" in t ? 9 /* TypeOrder.ArrayValue */ : "mapValue" in t ? Ne(t) ? 4 /* TypeOrder.ServerTimestampValue */ : en(t) ? 9007199254740991 /* TypeOrder.MaxValue */ : 10 /* TypeOrder.ObjectValue */ : O(); - } - - /** Tests `left` and `right` for equality based on the backend semantics. */ function qe(t, e) { - if (t === e) return !0; - const n = Le(t); - if (n !== Le(e)) return !1; - switch (n) { - case 0 /* TypeOrder.NullValue */ : - case 9007199254740991 /* TypeOrder.MaxValue */ : - return !0; - - case 1 /* TypeOrder.BooleanValue */ : - return t.booleanValue === e.booleanValue; - - case 4 /* TypeOrder.ServerTimestampValue */ : - return Me(t).isEqual(Me(e)); - - case 3 /* TypeOrder.TimestampValue */ : - return function(t, e) { - if ("string" == typeof t.timestampValue && "string" == typeof e.timestampValue && t.timestampValue.length === e.timestampValue.length) - // Use string equality for ISO 8601 timestamps - return t.timestampValue === e.timestampValue; - const n = De(t.timestampValue), s = De(e.timestampValue); - return n.seconds === s.seconds && n.nanos === s.nanos; - }(t, e); - - case 5 /* TypeOrder.StringValue */ : - return t.stringValue === e.stringValue; - - case 6 /* TypeOrder.BlobValue */ : - return function(t, e) { - return xe(t.bytesValue).isEqual(xe(e.bytesValue)); - }(t, e); - - case 7 /* TypeOrder.RefValue */ : - return t.referenceValue === e.referenceValue; - - case 8 /* TypeOrder.GeoPointValue */ : - return function(t, e) { - return Ce(t.geoPointValue.latitude) === Ce(e.geoPointValue.latitude) && Ce(t.geoPointValue.longitude) === Ce(e.geoPointValue.longitude); - }(t, e); - - case 2 /* TypeOrder.NumberValue */ : - return function(t, e) { - if ("integerValue" in t && "integerValue" in e) return Ce(t.integerValue) === Ce(e.integerValue); - if ("doubleValue" in t && "doubleValue" in e) { - const n = Ce(t.doubleValue), s = Ce(e.doubleValue); - return n === s ? Bt(n) === Bt(s) : isNaN(n) && isNaN(s); - } - return !1; - }(t, e); - - case 9 /* TypeOrder.ArrayValue */ : - return nt(t.arrayValue.values || [], e.arrayValue.values || [], qe); - - case 10 /* TypeOrder.ObjectValue */ : - return function(t, e) { - const n = t.mapValue.fields || {}, s = e.mapValue.fields || {}; - if (me(n) !== me(s)) return !1; - for (const t in n) if (n.hasOwnProperty(t) && (void 0 === s[t] || !qe(n[t], s[t]))) return !1; - return !0; - } - /** Returns true if the ArrayValue contains the specified element. */ (t, e); - - default: - return O(); - } - } - - function Ue(t, e) { - return void 0 !== (t.values || []).find((t => qe(t, e))); - } - - function Ke(t, e) { - if (t === e) return 0; - const n = Le(t), s = Le(e); - if (n !== s) return et(n, s); - switch (n) { - case 0 /* TypeOrder.NullValue */ : - case 9007199254740991 /* TypeOrder.MaxValue */ : - return 0; - - case 1 /* TypeOrder.BooleanValue */ : - return et(t.booleanValue, e.booleanValue); - - case 2 /* TypeOrder.NumberValue */ : - return function(t, e) { - const n = Ce(t.integerValue || t.doubleValue), s = Ce(e.integerValue || e.doubleValue); - return n < s ? -1 : n > s ? 1 : n === s ? 0 : - // one or both are NaN. - isNaN(n) ? isNaN(s) ? 0 : -1 : 1; - }(t, e); - - case 3 /* TypeOrder.TimestampValue */ : - return Ge(t.timestampValue, e.timestampValue); - - case 4 /* TypeOrder.ServerTimestampValue */ : - return Ge(Me(t), Me(e)); - - case 5 /* TypeOrder.StringValue */ : - return et(t.stringValue, e.stringValue); - - case 6 /* TypeOrder.BlobValue */ : - return function(t, e) { - const n = xe(t), s = xe(e); - return n.compareTo(s); - }(t.bytesValue, e.bytesValue); - - case 7 /* TypeOrder.RefValue */ : - return function(t, e) { - const n = t.split("/"), s = e.split("/"); - for (let t = 0; t < n.length && t < s.length; t++) { - const e = et(n[t], s[t]); - if (0 !== e) return e; - } - return et(n.length, s.length); - }(t.referenceValue, e.referenceValue); - - case 8 /* TypeOrder.GeoPointValue */ : - return function(t, e) { - const n = et(Ce(t.latitude), Ce(e.latitude)); - if (0 !== n) return n; - return et(Ce(t.longitude), Ce(e.longitude)); - }(t.geoPointValue, e.geoPointValue); - - case 9 /* TypeOrder.ArrayValue */ : - return function(t, e) { - const n = t.values || [], s = e.values || []; - for (let t = 0; t < n.length && t < s.length; ++t) { - const e = Ke(n[t], s[t]); - if (e) return e; - } - return et(n.length, s.length); - }(t.arrayValue, e.arrayValue); - - case 10 /* TypeOrder.ObjectValue */ : - return function(t, e) { - if (t === Fe.mapValue && e === Fe.mapValue) return 0; - if (t === Fe.mapValue) return 1; - if (e === Fe.mapValue) return -1; - const n = t.fields || {}, s = Object.keys(n), i = e.fields || {}, r = Object.keys(i); - // Even though MapValues are likely sorted correctly based on their insertion - // order (e.g. when received from the backend), local modifications can bring - // elements out of order. We need to re-sort the elements to ensure that - // canonical IDs are independent of insertion order. - s.sort(), r.sort(); - for (let t = 0; t < s.length && t < r.length; ++t) { - const e = et(s[t], r[t]); - if (0 !== e) return e; - const o = Ke(n[s[t]], i[r[t]]); - if (0 !== o) return o; - } - return et(s.length, r.length); - } - /** - * Generates the canonical ID for the provided field value (as used in Target - * serialization). - */ (t.mapValue, e.mapValue); - - default: - throw O(); - } - } - - function Ge(t, e) { - if ("string" == typeof t && "string" == typeof e && t.length === e.length) return et(t, e); - const n = De(t), s = De(e), i = et(n.seconds, s.seconds); - return 0 !== i ? i : et(n.nanos, s.nanos); - } - - function Qe(t) { - return je(t); - } - - function je(t) { - return "nullValue" in t ? "null" : "booleanValue" in t ? "" + t.booleanValue : "integerValue" in t ? "" + t.integerValue : "doubleValue" in t ? "" + t.doubleValue : "timestampValue" in t ? function(t) { - const e = De(t); - return `time(${e.seconds},${e.nanos})`; - }(t.timestampValue) : "stringValue" in t ? t.stringValue : "bytesValue" in t ? xe(t.bytesValue).toBase64() : "referenceValue" in t ? (n = t.referenceValue, - ht.fromName(n).toString()) : "geoPointValue" in t ? `geo(${(e = t.geoPointValue).latitude},${e.longitude})` : "arrayValue" in t ? function(t) { - let e = "[", n = !0; - for (const s of t.values || []) n ? n = !1 : e += ",", e += je(s); - return e + "]"; - } - /** - * Returns an approximate (and wildly inaccurate) in-memory size for the field - * value. - * - * The memory size takes into account only the actual user data as it resides - * in memory and ignores object overhead. - */ (t.arrayValue) : "mapValue" in t ? function(t) { - // Iteration order in JavaScript is not guaranteed. To ensure that we generate - // matching canonical IDs for identical maps, we need to sort the keys. - const e = Object.keys(t.fields || {}).sort(); - let n = "{", s = !0; - for (const i of e) s ? s = !1 : n += ",", n += `${i}:${je(t.fields[i])}`; - return n + "}"; - }(t.mapValue) : O(); - var e, n; - } - - /** Returns a reference value for the provided database and key. */ - function We(t, e) { - return { - referenceValue: `projects/${t.projectId}/databases/${t.database}/documents/${e.path.canonicalString()}` - }; - } - - /** Returns true if `value` is an IntegerValue . */ function He(t) { - return !!t && "integerValue" in t; - } - - /** Returns true if `value` is a DoubleValue. */ - /** Returns true if `value` is an ArrayValue. */ - function Je(t) { - return !!t && "arrayValue" in t; - } - - /** Returns true if `value` is a NullValue. */ function Ye(t) { - return !!t && "nullValue" in t; - } - - /** Returns true if `value` is NaN. */ function Xe(t) { - return !!t && "doubleValue" in t && isNaN(Number(t.doubleValue)); - } - - /** Returns true if `value` is a MapValue. */ function Ze(t) { - return !!t && "mapValue" in t; - } - - /** Creates a deep copy of `source`. */ function tn(t) { - if (t.geoPointValue) return { - geoPointValue: Object.assign({}, t.geoPointValue) - }; - if (t.timestampValue && "object" == typeof t.timestampValue) return { - timestampValue: Object.assign({}, t.timestampValue) - }; - if (t.mapValue) { - const e = { - mapValue: { - fields: {} - } - }; - return ge(t.mapValue.fields, ((t, n) => e.mapValue.fields[t] = tn(n))), e; - } - if (t.arrayValue) { - const e = { - arrayValue: { - values: [] - } - }; - for (let n = 0; n < (t.arrayValue.values || []).length; ++n) e.arrayValue.values[n] = tn(t.arrayValue.values[n]); - return e; - } - return Object.assign({}, t); - } - - /** Returns true if the Value represents the canonical {@link #MAX_VALUE} . */ function en(t) { - return "__max__" === (((t.mapValue || {}).fields || {}).__type__ || {}).stringValue; - } - - /** Returns the lowest value for the given value type (inclusive). */ function nn(t) { - return "nullValue" in t ? Be : "booleanValue" in t ? { - booleanValue: !1 - } : "integerValue" in t || "doubleValue" in t ? { - doubleValue: NaN - } : "timestampValue" in t ? { - timestampValue: { - seconds: Number.MIN_SAFE_INTEGER - } - } : "stringValue" in t ? { - stringValue: "" - } : "bytesValue" in t ? { - bytesValue: "" - } : "referenceValue" in t ? We(Oe.empty(), ht.empty()) : "geoPointValue" in t ? { - geoPointValue: { - latitude: -90, - longitude: -180 - } - } : "arrayValue" in t ? { - arrayValue: {} - } : "mapValue" in t ? { - mapValue: {} - } : O(); - } - - /** Returns the largest value for the given value type (exclusive). */ function sn(t) { - return "nullValue" in t ? { - booleanValue: !1 - } : "booleanValue" in t ? { - doubleValue: NaN - } : "integerValue" in t || "doubleValue" in t ? { - timestampValue: { - seconds: Number.MIN_SAFE_INTEGER - } - } : "timestampValue" in t ? { - stringValue: "" - } : "stringValue" in t ? { - bytesValue: "" - } : "bytesValue" in t ? We(Oe.empty(), ht.empty()) : "referenceValue" in t ? { - geoPointValue: { - latitude: -90, - longitude: -180 - } - } : "geoPointValue" in t ? { - arrayValue: {} - } : "arrayValue" in t ? { - mapValue: {} - } : "mapValue" in t ? Fe : O(); - } - - function rn(t, e) { - const n = Ke(t.value, e.value); - return 0 !== n ? n : t.inclusive && !e.inclusive ? -1 : !t.inclusive && e.inclusive ? 1 : 0; - } - - function on(t, e) { - const n = Ke(t.value, e.value); - return 0 !== n ? n : t.inclusive && !e.inclusive ? 1 : !t.inclusive && e.inclusive ? -1 : 0; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An ObjectValue represents a MapValue in the Firestore Proto and offers the - * ability to add and remove fields (via the ObjectValueBuilder). - */ class un { - constructor(t) { - this.value = t; - } - static empty() { - return new un({ - mapValue: {} - }); - } - /** - * Returns the value at the given path or null. - * - * @param path - the path to search - * @returns The value at the path or null if the path is not set. - */ field(t) { - if (t.isEmpty()) return this.value; - { - let e = this.value; - for (let n = 0; n < t.length - 1; ++n) if (e = (e.mapValue.fields || {})[t.get(n)], - !Ze(e)) return null; - return e = (e.mapValue.fields || {})[t.lastSegment()], e || null; - } - } - /** - * Sets the field to the provided value. - * - * @param path - The field path to set. - * @param value - The value to set. - */ set(t, e) { - this.getFieldsMap(t.popLast())[t.lastSegment()] = tn(e); - } - /** - * Sets the provided fields to the provided values. - * - * @param data - A map of fields to values (or null for deletes). - */ setAll(t) { - let e = at.emptyPath(), n = {}, s = []; - t.forEach(((t, i) => { - if (!e.isImmediateParentOf(i)) { - // Insert the accumulated changes at this parent location - const t = this.getFieldsMap(e); - this.applyChanges(t, n, s), n = {}, s = [], e = i.popLast(); - } - t ? n[i.lastSegment()] = tn(t) : s.push(i.lastSegment()); - })); - const i = this.getFieldsMap(e); - this.applyChanges(i, n, s); - } - /** - * Removes the field at the specified path. If there is no field at the - * specified path, nothing is changed. - * - * @param path - The field path to remove. - */ delete(t) { - const e = this.field(t.popLast()); - Ze(e) && e.mapValue.fields && delete e.mapValue.fields[t.lastSegment()]; - } - isEqual(t) { - return qe(this.value, t.value); - } - /** - * Returns the map that contains the leaf element of `path`. If the parent - * entry does not yet exist, or if it is not a map, a new map will be created. - */ getFieldsMap(t) { - let e = this.value; - e.mapValue.fields || (e.mapValue = { - fields: {} - }); - for (let n = 0; n < t.length; ++n) { - let s = e.mapValue.fields[t.get(n)]; - Ze(s) && s.mapValue.fields || (s = { - mapValue: { - fields: {} - } - }, e.mapValue.fields[t.get(n)] = s), e = s; - } - return e.mapValue.fields; - } - /** - * Modifies `fieldsMap` by adding, replacing or deleting the specified - * entries. - */ applyChanges(t, e, n) { - ge(e, ((e, n) => t[e] = n)); - for (const e of n) delete t[e]; - } - clone() { - return new un(tn(this.value)); - } - } - - /** - * Returns a FieldMask built from all fields in a MapValue. - */ function cn(t) { - const e = []; - return ge(t.fields, ((t, n) => { - const s = new at([ t ]); - if (Ze(n)) { - const t = cn(n.mapValue).fields; - if (0 === t.length) - // Preserve the empty map by adding it to the FieldMask. - e.push(s); else - // For nested and non-empty ObjectValues, add the FieldPath of the - // leaf nodes. - for (const n of t) e.push(s.child(n)); - } else - // For nested and non-empty ObjectValues, add the FieldPath of the leaf - // nodes. - e.push(s); - })), new Re(e); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents a document in Firestore with a key, version, data and whether it - * has local mutations applied to it. - * - * Documents can transition between states via `convertToFoundDocument()`, - * `convertToNoDocument()` and `convertToUnknownDocument()`. If a document does - * not transition to one of these states even after all mutations have been - * applied, `isValidDocument()` returns false and the document should be removed - * from all views. - */ class an { - constructor(t, e, n, s, i, r, o) { - this.key = t, this.documentType = e, this.version = n, this.readTime = s, this.createTime = i, - this.data = r, this.documentState = o; - } - /** - * Creates a document with no known version or data, but which can serve as - * base document for mutations. - */ static newInvalidDocument(t) { - return new an(t, 0 /* DocumentType.INVALID */ , - /* version */ rt.min(), - /* readTime */ rt.min(), - /* createTime */ rt.min(), un.empty(), 0 /* DocumentState.SYNCED */); - } - /** - * Creates a new document that is known to exist with the given data at the - * given version. - */ static newFoundDocument(t, e, n, s) { - return new an(t, 1 /* DocumentType.FOUND_DOCUMENT */ , - /* version */ e, - /* readTime */ rt.min(), - /* createTime */ n, s, 0 /* DocumentState.SYNCED */); - } - /** Creates a new document that is known to not exist at the given version. */ static newNoDocument(t, e) { - return new an(t, 2 /* DocumentType.NO_DOCUMENT */ , - /* version */ e, - /* readTime */ rt.min(), - /* createTime */ rt.min(), un.empty(), 0 /* DocumentState.SYNCED */); - } - /** - * Creates a new document that is known to exist at the given version but - * whose data is not known (e.g. a document that was updated without a known - * base document). - */ static newUnknownDocument(t, e) { - return new an(t, 3 /* DocumentType.UNKNOWN_DOCUMENT */ , - /* version */ e, - /* readTime */ rt.min(), - /* createTime */ rt.min(), un.empty(), 2 /* DocumentState.HAS_COMMITTED_MUTATIONS */); - } - /** - * Changes the document type to indicate that it exists and that its version - * and data are known. - */ convertToFoundDocument(t, e) { - // If a document is switching state from being an invalid or deleted - // document to a valid (FOUND_DOCUMENT) document, either due to receiving an - // update from Watch or due to applying a local set mutation on top - // of a deleted document, our best guess about its createTime would be the - // version at which the document transitioned to a FOUND_DOCUMENT. - return !this.createTime.isEqual(rt.min()) || 2 /* DocumentType.NO_DOCUMENT */ !== this.documentType && 0 /* DocumentType.INVALID */ !== this.documentType || (this.createTime = t), - this.version = t, this.documentType = 1 /* DocumentType.FOUND_DOCUMENT */ , this.data = e, - this.documentState = 0 /* DocumentState.SYNCED */ , this; - } - /** - * Changes the document type to indicate that it doesn't exist at the given - * version. - */ convertToNoDocument(t) { - return this.version = t, this.documentType = 2 /* DocumentType.NO_DOCUMENT */ , - this.data = un.empty(), this.documentState = 0 /* DocumentState.SYNCED */ , this; - } - /** - * Changes the document type to indicate that it exists at a given version but - * that its data is not known (e.g. a document that was updated without a known - * base document). - */ convertToUnknownDocument(t) { - return this.version = t, this.documentType = 3 /* DocumentType.UNKNOWN_DOCUMENT */ , - this.data = un.empty(), this.documentState = 2 /* DocumentState.HAS_COMMITTED_MUTATIONS */ , - this; - } - setHasCommittedMutations() { - return this.documentState = 2 /* DocumentState.HAS_COMMITTED_MUTATIONS */ , this; - } - setHasLocalMutations() { - return this.documentState = 1 /* DocumentState.HAS_LOCAL_MUTATIONS */ , this.version = rt.min(), - this; - } - setReadTime(t) { - return this.readTime = t, this; - } - get hasLocalMutations() { - return 1 /* DocumentState.HAS_LOCAL_MUTATIONS */ === this.documentState; - } - get hasCommittedMutations() { - return 2 /* DocumentState.HAS_COMMITTED_MUTATIONS */ === this.documentState; - } - get hasPendingWrites() { - return this.hasLocalMutations || this.hasCommittedMutations; - } - isValidDocument() { - return 0 /* DocumentType.INVALID */ !== this.documentType; - } - isFoundDocument() { - return 1 /* DocumentType.FOUND_DOCUMENT */ === this.documentType; - } - isNoDocument() { - return 2 /* DocumentType.NO_DOCUMENT */ === this.documentType; - } - isUnknownDocument() { - return 3 /* DocumentType.UNKNOWN_DOCUMENT */ === this.documentType; - } - isEqual(t) { - return t instanceof an && this.key.isEqual(t.key) && this.version.isEqual(t.version) && this.documentType === t.documentType && this.documentState === t.documentState && this.data.isEqual(t.data); - } - mutableCopy() { - return new an(this.key, this.documentType, this.version, this.readTime, this.createTime, this.data.clone(), this.documentState); - } - toString() { - return `Document(${this.key}, ${this.version}, ${JSON.stringify(this.data.value)}, {createTime: ${this.createTime}}), {documentType: ${this.documentType}}), {documentState: ${this.documentState}})`; - } - } - - /** - * Compares the value for field `field` in the provided documents. Throws if - * the field does not exist in both documents. - */ - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents a bound of a query. - * - * The bound is specified with the given components representing a position and - * whether it's just before or just after the position (relative to whatever the - * query order is). - * - * The position represents a logical index position for a query. It's a prefix - * of values for the (potentially implicit) order by clauses of a query. - * - * Bound provides a function to determine whether a document comes before or - * after a bound. This is influenced by whether the position is just before or - * just after the provided values. - */ - class hn { - constructor(t, e) { - this.position = t, this.inclusive = e; - } - } - - function ln(t, e, n) { - let s = 0; - for (let i = 0; i < t.position.length; i++) { - const r = e[i], o = t.position[i]; - if (r.field.isKeyField()) s = ht.comparator(ht.fromName(o.referenceValue), n.key); else { - s = Ke(o, n.data.field(r.field)); - } - if ("desc" /* Direction.DESCENDING */ === r.dir && (s *= -1), 0 !== s) break; - } - return s; - } - - /** - * Returns true if a document sorts after a bound using the provided sort - * order. - */ function fn(t, e) { - if (null === t) return null === e; - if (null === e) return !1; - if (t.inclusive !== e.inclusive || t.position.length !== e.position.length) return !1; - for (let n = 0; n < t.position.length; n++) { - if (!qe(t.position[n], e.position[n])) return !1; - } - return !0; - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An ordering on a field, in some Direction. Direction defaults to ASCENDING. - */ class dn { - constructor(t, e = "asc" /* Direction.ASCENDING */) { - this.field = t, this.dir = e; - } - } - - function wn(t, e) { - return t.dir === e.dir && t.field.isEqual(e.field); - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class _n {} - - class mn extends _n { - constructor(t, e, n) { - super(), this.field = t, this.op = e, this.value = n; - } - /** - * Creates a filter based on the provided arguments. - */ static create(t, e, n) { - return t.isKeyField() ? "in" /* Operator.IN */ === e || "not-in" /* Operator.NOT_IN */ === e ? this.createKeyFieldInFilter(t, e, n) : new Pn(t, e, n) : "array-contains" /* Operator.ARRAY_CONTAINS */ === e ? new Dn(t, n) : "in" /* Operator.IN */ === e ? new Cn(t, n) : "not-in" /* Operator.NOT_IN */ === e ? new xn(t, n) : "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ === e ? new Nn(t, n) : new mn(t, e, n); - } - static createKeyFieldInFilter(t, e, n) { - return "in" /* Operator.IN */ === e ? new bn(t, n) : new Vn(t, n); - } - matches(t) { - const e = t.data.field(this.field); - // Types do not have to match in NOT_EQUAL filters. - return "!=" /* Operator.NOT_EQUAL */ === this.op ? null !== e && this.matchesComparison(Ke(e, this.value)) : null !== e && Le(this.value) === Le(e) && this.matchesComparison(Ke(e, this.value)); - // Only compare types with matching backend order (such as double and int). - } - matchesComparison(t) { - switch (this.op) { - case "<" /* Operator.LESS_THAN */ : - return t < 0; - - case "<=" /* Operator.LESS_THAN_OR_EQUAL */ : - return t <= 0; - - case "==" /* Operator.EQUAL */ : - return 0 === t; - - case "!=" /* Operator.NOT_EQUAL */ : - return 0 !== t; - - case ">" /* Operator.GREATER_THAN */ : - return t > 0; - - case ">=" /* Operator.GREATER_THAN_OR_EQUAL */ : - return t >= 0; - - default: - return O(); - } - } - isInequality() { - return [ "<" /* Operator.LESS_THAN */ , "<=" /* Operator.LESS_THAN_OR_EQUAL */ , ">" /* Operator.GREATER_THAN */ , ">=" /* Operator.GREATER_THAN_OR_EQUAL */ , "!=" /* Operator.NOT_EQUAL */ , "not-in" /* Operator.NOT_IN */ ].indexOf(this.op) >= 0; - } - getFlattenedFilters() { - return [ this ]; - } - getFilters() { - return [ this ]; - } - getFirstInequalityField() { - return this.isInequality() ? this.field : null; - } - } - - class gn extends _n { - constructor(t, e) { - super(), this.filters = t, this.op = e, this.lt = null; - } - /** - * Creates a filter based on the provided arguments. - */ static create(t, e) { - return new gn(t, e); - } - matches(t) { - return yn(this) ? void 0 === this.filters.find((e => !e.matches(t))) : void 0 !== this.filters.find((e => e.matches(t))); - } - getFlattenedFilters() { - return null !== this.lt || (this.lt = this.filters.reduce(((t, e) => t.concat(e.getFlattenedFilters())), [])), - this.lt; - } - // Returns a mutable copy of `this.filters` - getFilters() { - return Object.assign([], this.filters); - } - getFirstInequalityField() { - const t = this.ft((t => t.isInequality())); - return null !== t ? t.field : null; - } - // Performs a depth-first search to find and return the first FieldFilter in the composite filter - // that satisfies the predicate. Returns `null` if none of the FieldFilters satisfy the - // predicate. - ft(t) { - for (const e of this.getFlattenedFilters()) if (t(e)) return e; - return null; - } - } - - function yn(t) { - return "and" /* CompositeOperator.AND */ === t.op; - } - - function pn(t) { - return "or" /* CompositeOperator.OR */ === t.op; - } - - /** - * Returns true if this filter is a conjunction of field filters only. Returns false otherwise. - */ function In(t) { - return Tn(t) && yn(t); - } - - /** - * Returns true if this filter does not contain any composite filters. Returns false otherwise. - */ function Tn(t) { - for (const e of t.filters) if (e instanceof gn) return !1; - return !0; - } - - function En(t) { - if (t instanceof mn) - // TODO(b/29183165): Technically, this won't be unique if two values have - // the same description, such as the int 3 and the string "3". So we should - // add the types in here somehow, too. - return t.field.canonicalString() + t.op.toString() + Qe(t.value); - if (In(t)) - // Older SDK versions use an implicit AND operation between their filters. - // In the new SDK versions, the developer may use an explicit AND filter. - // To stay consistent with the old usages, we add a special case to ensure - // the canonical ID for these two are the same. For example: - // `col.whereEquals("a", 1).whereEquals("b", 2)` should have the same - // canonical ID as `col.where(and(equals("a",1), equals("b",2)))`. - return t.filters.map((t => En(t))).join(","); - { - // filter instanceof CompositeFilter - const e = t.filters.map((t => En(t))).join(","); - return `${t.op}(${e})`; - } - } - - function An(t, e) { - return t instanceof mn ? function(t, e) { - return e instanceof mn && t.op === e.op && t.field.isEqual(e.field) && qe(t.value, e.value); - }(t, e) : t instanceof gn ? function(t, e) { - if (e instanceof gn && t.op === e.op && t.filters.length === e.filters.length) { - return t.filters.reduce(((t, n, s) => t && An(n, e.filters[s])), !0); - } - return !1; - } - /** - * Returns a new composite filter that contains all filter from - * `compositeFilter` plus all the given filters in `otherFilters`. - */ (t, e) : void O(); - } - - function vn(t, e) { - const n = t.filters.concat(e); - return gn.create(n, t.op); - } - - /** Returns a debug description for `filter`. */ function Rn(t) { - return t instanceof mn ? function(t) { - return `${t.field.canonicalString()} ${t.op} ${Qe(t.value)}`; - } - /** Filter that matches on key fields (i.e. '__name__'). */ (t) : t instanceof gn ? function(t) { - return t.op.toString() + " {" + t.getFilters().map(Rn).join(" ,") + "}"; - }(t) : "Filter"; - } - - class Pn extends mn { - constructor(t, e, n) { - super(t, e, n), this.key = ht.fromName(n.referenceValue); - } - matches(t) { - const e = ht.comparator(t.key, this.key); - return this.matchesComparison(e); - } - } - - /** Filter that matches on key fields within an array. */ class bn extends mn { - constructor(t, e) { - super(t, "in" /* Operator.IN */ , e), this.keys = Sn("in" /* Operator.IN */ , e); - } - matches(t) { - return this.keys.some((e => e.isEqual(t.key))); - } - } - - /** Filter that matches on key fields not present within an array. */ class Vn extends mn { - constructor(t, e) { - super(t, "not-in" /* Operator.NOT_IN */ , e), this.keys = Sn("not-in" /* Operator.NOT_IN */ , e); - } - matches(t) { - return !this.keys.some((e => e.isEqual(t.key))); - } - } - - function Sn(t, e) { - var n; - return ((null === (n = e.arrayValue) || void 0 === n ? void 0 : n.values) || []).map((t => ht.fromName(t.referenceValue))); - } - - /** A Filter that implements the array-contains operator. */ class Dn extends mn { - constructor(t, e) { - super(t, "array-contains" /* Operator.ARRAY_CONTAINS */ , e); - } - matches(t) { - const e = t.data.field(this.field); - return Je(e) && Ue(e.arrayValue, this.value); - } - } - - /** A Filter that implements the IN operator. */ class Cn extends mn { - constructor(t, e) { - super(t, "in" /* Operator.IN */ , e); - } - matches(t) { - const e = t.data.field(this.field); - return null !== e && Ue(this.value.arrayValue, e); - } - } - - /** A Filter that implements the not-in operator. */ class xn extends mn { - constructor(t, e) { - super(t, "not-in" /* Operator.NOT_IN */ , e); - } - matches(t) { - if (Ue(this.value.arrayValue, { - nullValue: "NULL_VALUE" - })) return !1; - const e = t.data.field(this.field); - return null !== e && !Ue(this.value.arrayValue, e); - } - } - - /** A Filter that implements the array-contains-any operator. */ class Nn extends mn { - constructor(t, e) { - super(t, "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ , e); - } - matches(t) { - const e = t.data.field(this.field); - return !(!Je(e) || !e.arrayValue.values) && e.arrayValue.values.some((t => Ue(this.value.arrayValue, t))); - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // Visible for testing - class kn { - constructor(t, e = null, n = [], s = [], i = null, r = null, o = null) { - this.path = t, this.collectionGroup = e, this.orderBy = n, this.filters = s, this.limit = i, - this.startAt = r, this.endAt = o, this.dt = null; - } - } - - /** - * Initializes a Target with a path and optional additional query constraints. - * Path must currently be empty if this is a collection group query. - * - * NOTE: you should always construct `Target` from `Query.toTarget` instead of - * using this factory method, because `Query` provides an implicit `orderBy` - * property. - */ function Mn(t, e = null, n = [], s = [], i = null, r = null, o = null) { - return new kn(t, e, n, s, i, r, o); - } - - function $n(t) { - const e = L(t); - if (null === e.dt) { - let t = e.path.canonicalString(); - null !== e.collectionGroup && (t += "|cg:" + e.collectionGroup), t += "|f:", t += e.filters.map((t => En(t))).join(","), - t += "|ob:", t += e.orderBy.map((t => function(t) { - // TODO(b/29183165): Make this collision robust. - return t.field.canonicalString() + t.dir; - }(t))).join(","), Ft(e.limit) || (t += "|l:", t += e.limit), e.startAt && (t += "|lb:", - t += e.startAt.inclusive ? "b:" : "a:", t += e.startAt.position.map((t => Qe(t))).join(",")), - e.endAt && (t += "|ub:", t += e.endAt.inclusive ? "a:" : "b:", t += e.endAt.position.map((t => Qe(t))).join(",")), - e.dt = t; - } - return e.dt; - } - - function On(t, e) { - if (t.limit !== e.limit) return !1; - if (t.orderBy.length !== e.orderBy.length) return !1; - for (let n = 0; n < t.orderBy.length; n++) if (!wn(t.orderBy[n], e.orderBy[n])) return !1; - if (t.filters.length !== e.filters.length) return !1; - for (let n = 0; n < t.filters.length; n++) if (!An(t.filters[n], e.filters[n])) return !1; - return t.collectionGroup === e.collectionGroup && (!!t.path.isEqual(e.path) && (!!fn(t.startAt, e.startAt) && fn(t.endAt, e.endAt))); - } - - function Fn(t) { - return ht.isDocumentKey(t.path) && null === t.collectionGroup && 0 === t.filters.length; - } - - /** Returns the field filters that target the given field path. */ function Bn(t, e) { - return t.filters.filter((t => t instanceof mn && t.field.isEqual(e))); - } - - /** - * Returns the values that are used in ARRAY_CONTAINS or ARRAY_CONTAINS_ANY - * filters. Returns `null` if there are no such filters. - */ - /** - * Returns the value to use as the lower bound for ascending index segment at - * the provided `fieldPath` (or the upper bound for an descending segment). - */ - function Ln(t, e, n) { - let s = Be, i = !0; - // Process all filters to find a value for the current field segment - for (const n of Bn(t, e)) { - let t = Be, e = !0; - switch (n.op) { - case "<" /* Operator.LESS_THAN */ : - case "<=" /* Operator.LESS_THAN_OR_EQUAL */ : - t = nn(n.value); - break; - - case "==" /* Operator.EQUAL */ : - case "in" /* Operator.IN */ : - case ">=" /* Operator.GREATER_THAN_OR_EQUAL */ : - t = n.value; - break; - - case ">" /* Operator.GREATER_THAN */ : - t = n.value, e = !1; - break; - - case "!=" /* Operator.NOT_EQUAL */ : - case "not-in" /* Operator.NOT_IN */ : - t = Be; - // Remaining filters cannot be used as lower bounds. - } - rn({ - value: s, - inclusive: i - }, { - value: t, - inclusive: e - }) < 0 && (s = t, i = e); - } - // If there is an additional bound, compare the values against the existing - // range to see if we can narrow the scope. - if (null !== n) for (let r = 0; r < t.orderBy.length; ++r) { - if (t.orderBy[r].field.isEqual(e)) { - const t = n.position[r]; - rn({ - value: s, - inclusive: i - }, { - value: t, - inclusive: n.inclusive - }) < 0 && (s = t, i = n.inclusive); - break; - } - } - return { - value: s, - inclusive: i - }; - } - - /** - * Returns the value to use as the upper bound for ascending index segment at - * the provided `fieldPath` (or the lower bound for a descending segment). - */ function qn(t, e, n) { - let s = Fe, i = !0; - // Process all filters to find a value for the current field segment - for (const n of Bn(t, e)) { - let t = Fe, e = !0; - switch (n.op) { - case ">=" /* Operator.GREATER_THAN_OR_EQUAL */ : - case ">" /* Operator.GREATER_THAN */ : - t = sn(n.value), e = !1; - break; - - case "==" /* Operator.EQUAL */ : - case "in" /* Operator.IN */ : - case "<=" /* Operator.LESS_THAN_OR_EQUAL */ : - t = n.value; - break; - - case "<" /* Operator.LESS_THAN */ : - t = n.value, e = !1; - break; - - case "!=" /* Operator.NOT_EQUAL */ : - case "not-in" /* Operator.NOT_IN */ : - t = Fe; - // Remaining filters cannot be used as upper bounds. - } - on({ - value: s, - inclusive: i - }, { - value: t, - inclusive: e - }) > 0 && (s = t, i = e); - } - // If there is an additional bound, compare the values against the existing - // range to see if we can narrow the scope. - if (null !== n) for (let r = 0; r < t.orderBy.length; ++r) { - if (t.orderBy[r].field.isEqual(e)) { - const t = n.position[r]; - on({ - value: s, - inclusive: i - }, { - value: t, - inclusive: n.inclusive - }) > 0 && (s = t, i = n.inclusive); - break; - } - } - return { - value: s, - inclusive: i - }; - } - - /** Returns the number of segments of a perfect index for this target. */ - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Query encapsulates all the query attributes we support in the SDK. It can - * be run against the LocalStore, as well as be converted to a `Target` to - * query the RemoteStore results. - * - * Visible for testing. - */ - class Un { - /** - * Initializes a Query with a path and optional additional query constraints. - * Path must currently be empty if this is a collection group query. - */ - constructor(t, e = null, n = [], s = [], i = null, r = "F" /* LimitType.First */ , o = null, u = null) { - this.path = t, this.collectionGroup = e, this.explicitOrderBy = n, this.filters = s, - this.limit = i, this.limitType = r, this.startAt = o, this.endAt = u, this.wt = null, - // The corresponding `Target` of this `Query` instance. - this._t = null, this.startAt, this.endAt; - } - } - - /** Creates a new Query instance with the options provided. */ function Kn(t, e, n, s, i, r, o, u) { - return new Un(t, e, n, s, i, r, o, u); - } - - /** Creates a new Query for a query that matches all documents at `path` */ function Gn(t) { - return new Un(t); - } - - /** - * Helper to convert a collection group query into a collection query at a - * specific path. This is used when executing collection group queries, since - * we have to split the query into a set of collection queries at multiple - * paths. - */ - /** - * Returns true if this query does not specify any query constraints that - * could remove results. - */ - function Qn(t) { - return 0 === t.filters.length && null === t.limit && null == t.startAt && null == t.endAt && (0 === t.explicitOrderBy.length || 1 === t.explicitOrderBy.length && t.explicitOrderBy[0].field.isKeyField()); - } - - function jn(t) { - return t.explicitOrderBy.length > 0 ? t.explicitOrderBy[0].field : null; - } - - function zn(t) { - for (const e of t.filters) { - const t = e.getFirstInequalityField(); - if (null !== t) return t; - } - return null; - } - - /** - * Creates a new Query for a collection group query that matches all documents - * within the provided collection group. - */ - /** - * Returns whether the query matches a collection group rather than a specific - * collection. - */ - function Wn(t) { - return null !== t.collectionGroup; - } - - /** - * Returns the implicit order by constraint that is used to execute the Query, - * which can be different from the order by constraints the user provided (e.g. - * the SDK and backend always orders by `__name__`). - */ function Hn(t) { - const e = L(t); - if (null === e.wt) { - e.wt = []; - const t = zn(e), n = jn(e); - if (null !== t && null === n) - // In order to implicitly add key ordering, we must also add the - // inequality filter field for it to be a valid query. - // Note that the default inequality field and key ordering is ascending. - t.isKeyField() || e.wt.push(new dn(t)), e.wt.push(new dn(at.keyField(), "asc" /* Direction.ASCENDING */)); else { - let t = !1; - for (const n of e.explicitOrderBy) e.wt.push(n), n.field.isKeyField() && (t = !0); - if (!t) { - // The order of the implicit key ordering always matches the last - // explicit order by - const t = e.explicitOrderBy.length > 0 ? e.explicitOrderBy[e.explicitOrderBy.length - 1].dir : "asc" /* Direction.ASCENDING */; - e.wt.push(new dn(at.keyField(), t)); - } - } - } - return e.wt; - } - - /** - * Converts this `Query` instance to it's corresponding `Target` representation. - */ function Jn(t) { - const e = L(t); - if (!e._t) if ("F" /* LimitType.First */ === e.limitType) e._t = Mn(e.path, e.collectionGroup, Hn(e), e.filters, e.limit, e.startAt, e.endAt); else { - // Flip the orderBy directions since we want the last results - const t = []; - for (const n of Hn(e)) { - const e = "desc" /* Direction.DESCENDING */ === n.dir ? "asc" /* Direction.ASCENDING */ : "desc" /* Direction.DESCENDING */; - t.push(new dn(n.field, e)); - } - // We need to swap the cursors to match the now-flipped query ordering. - const n = e.endAt ? new hn(e.endAt.position, e.endAt.inclusive) : null, s = e.startAt ? new hn(e.startAt.position, e.startAt.inclusive) : null; - // Now return as a LimitType.First query. - e._t = Mn(e.path, e.collectionGroup, t, e.filters, e.limit, n, s); - } - return e._t; - } - - function Yn(t, e) { - e.getFirstInequalityField(), zn(t); - const n = t.filters.concat([ e ]); - return new Un(t.path, t.collectionGroup, t.explicitOrderBy.slice(), n, t.limit, t.limitType, t.startAt, t.endAt); - } - - function Xn(t, e, n) { - return new Un(t.path, t.collectionGroup, t.explicitOrderBy.slice(), t.filters.slice(), e, n, t.startAt, t.endAt); - } - - function Zn(t, e) { - return On(Jn(t), Jn(e)) && t.limitType === e.limitType; - } - - // TODO(b/29183165): This is used to get a unique string from a query to, for - // example, use as a dictionary key, but the implementation is subject to - // collisions. Make it collision-free. - function ts(t) { - return `${$n(Jn(t))}|lt:${t.limitType}`; - } - - function es(t) { - return `Query(target=${function(t) { - let e = t.path.canonicalString(); - return null !== t.collectionGroup && (e += " collectionGroup=" + t.collectionGroup), - t.filters.length > 0 && (e += `, filters: [${t.filters.map((t => Rn(t))).join(", ")}]`), - Ft(t.limit) || (e += ", limit: " + t.limit), t.orderBy.length > 0 && (e += `, orderBy: [${t.orderBy.map((t => function(t) { - return `${t.field.canonicalString()} (${t.dir})`; - }(t))).join(", ")}]`), t.startAt && (e += ", startAt: ", e += t.startAt.inclusive ? "b:" : "a:", - e += t.startAt.position.map((t => Qe(t))).join(",")), t.endAt && (e += ", endAt: ", - e += t.endAt.inclusive ? "a:" : "b:", e += t.endAt.position.map((t => Qe(t))).join(",")), - `Target(${e})`; - }(Jn(t))}; limitType=${t.limitType})`; - } - - /** Returns whether `doc` matches the constraints of `query`. */ function ns(t, e) { - return e.isFoundDocument() && function(t, e) { - const n = e.key.path; - return null !== t.collectionGroup ? e.key.hasCollectionId(t.collectionGroup) && t.path.isPrefixOf(n) : ht.isDocumentKey(t.path) ? t.path.isEqual(n) : t.path.isImmediateParentOf(n); - } - /** - * A document must have a value for every ordering clause in order to show up - * in the results. - */ (t, e) && function(t, e) { - // We must use `queryOrderBy()` to get the list of all orderBys (both implicit and explicit). - // Note that for OR queries, orderBy applies to all disjunction terms and implicit orderBys must - // be taken into account. For example, the query "a > 1 || b==1" has an implicit "orderBy a" due - // to the inequality, and is evaluated as "a > 1 orderBy a || b==1 orderBy a". - // A document with content of {b:1} matches the filters, but does not match the orderBy because - // it's missing the field 'a'. - for (const n of Hn(t)) - // order by key always matches - if (!n.field.isKeyField() && null === e.data.field(n.field)) return !1; - return !0; - }(t, e) && function(t, e) { - for (const n of t.filters) if (!n.matches(e)) return !1; - return !0; - } - /** Makes sure a document is within the bounds, if provided. */ (t, e) && function(t, e) { - if (t.startAt && ! - /** - * Returns true if a document sorts before a bound using the provided sort - * order. - */ - function(t, e, n) { - const s = ln(t, e, n); - return t.inclusive ? s <= 0 : s < 0; - }(t.startAt, Hn(t), e)) return !1; - if (t.endAt && !function(t, e, n) { - const s = ln(t, e, n); - return t.inclusive ? s >= 0 : s > 0; - }(t.endAt, Hn(t), e)) return !1; - return !0; - } - /** - * Returns the collection group that this query targets. - * - * PORTING NOTE: This is only used in the Web SDK to facilitate multi-tab - * synchronization for query results. - */ (t, e); - } - - function ss(t) { - return t.collectionGroup || (t.path.length % 2 == 1 ? t.path.lastSegment() : t.path.get(t.path.length - 2)); - } - - /** - * Returns a new comparator function that can be used to compare two documents - * based on the Query's ordering constraint. - */ function is(t) { - return (e, n) => { - let s = !1; - for (const i of Hn(t)) { - const t = rs(i, e, n); - if (0 !== t) return t; - s = s || i.field.isKeyField(); - } - return 0; - }; - } - - function rs(t, e, n) { - const s = t.field.isKeyField() ? ht.comparator(e.key, n.key) : function(t, e, n) { - const s = e.data.field(t), i = n.data.field(t); - return null !== s && null !== i ? Ke(s, i) : O(); - }(t.field, e, n); - switch (t.dir) { - case "asc" /* Direction.ASCENDING */ : - return s; - - case "desc" /* Direction.DESCENDING */ : - return -1 * s; - - default: - return O(); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A map implementation that uses objects as keys. Objects must have an - * associated equals function and must be immutable. Entries in the map are - * stored together with the key being produced from the mapKeyFn. This map - * automatically handles collisions of keys. - */ class os { - constructor(t, e) { - this.mapKeyFn = t, this.equalsFn = e, - /** - * The inner map for a key/value pair. Due to the possibility of collisions we - * keep a list of entries that we do a linear search through to find an actual - * match. Note that collisions should be rare, so we still expect near - * constant time lookups in practice. - */ - this.inner = {}, - /** The number of entries stored in the map */ - this.innerSize = 0; - } - /** Get a value for this key, or undefined if it does not exist. */ get(t) { - const e = this.mapKeyFn(t), n = this.inner[e]; - if (void 0 !== n) for (const [e, s] of n) if (this.equalsFn(e, t)) return s; - } - has(t) { - return void 0 !== this.get(t); - } - /** Put this key and value in the map. */ set(t, e) { - const n = this.mapKeyFn(t), s = this.inner[n]; - if (void 0 === s) return this.inner[n] = [ [ t, e ] ], void this.innerSize++; - for (let n = 0; n < s.length; n++) if (this.equalsFn(s[n][0], t)) - // This is updating an existing entry and does not increase `innerSize`. - return void (s[n] = [ t, e ]); - s.push([ t, e ]), this.innerSize++; - } - /** - * Remove this key from the map. Returns a boolean if anything was deleted. - */ delete(t) { - const e = this.mapKeyFn(t), n = this.inner[e]; - if (void 0 === n) return !1; - for (let s = 0; s < n.length; s++) if (this.equalsFn(n[s][0], t)) return 1 === n.length ? delete this.inner[e] : n.splice(s, 1), - this.innerSize--, !0; - return !1; - } - forEach(t) { - ge(this.inner, ((e, n) => { - for (const [e, s] of n) t(e, s); - })); - } - isEmpty() { - return ye(this.inner); - } - size() { - return this.innerSize; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const us = new pe(ht.comparator); - - function cs() { - return us; - } - - const as = new pe(ht.comparator); - - function hs(...t) { - let e = as; - for (const n of t) e = e.insert(n.key, n); - return e; - } - - function ls(t) { - let e = as; - return t.forEach(((t, n) => e = e.insert(t, n.overlayedDocument))), e; - } - - function fs() { - return ws(); - } - - function ds() { - return ws(); - } - - function ws() { - return new os((t => t.toString()), ((t, e) => t.isEqual(e))); - } - - const _s = new pe(ht.comparator); - - const ms = new Ee(ht.comparator); - - function gs(...t) { - let e = ms; - for (const n of t) e = e.add(n); - return e; - } - - const ys = new Ee(et); - - function ps() { - return ys; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns an DoubleValue for `value` that is encoded based the serializer's - * `useProto3Json` setting. - */ function Is(t, e) { - if (t.useProto3Json) { - if (isNaN(e)) return { - doubleValue: "NaN" - }; - if (e === 1 / 0) return { - doubleValue: "Infinity" - }; - if (e === -1 / 0) return { - doubleValue: "-Infinity" - }; - } - return { - doubleValue: Bt(e) ? "-0" : e - }; - } - - /** - * Returns an IntegerValue for `value`. - */ function Ts(t) { - return { - integerValue: "" + t - }; - } - - /** - * Returns a value for a number that's appropriate to put into a proto. - * The return value is an IntegerValue if it can safely represent the value, - * otherwise a DoubleValue is returned. - */ function Es(t, e) { - return Lt(e) ? Ts(e) : Is(t, e); - } - - /** - * @license - * Copyright 2018 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Used to represent a field transform on a mutation. */ class As { - constructor() { - // Make sure that the structural type of `TransformOperation` is unique. - // See https://github.com/microsoft/TypeScript/issues/5451 - this._ = void 0; - } - } - - /** - * Computes the local transform result against the provided `previousValue`, - * optionally using the provided localWriteTime. - */ function vs(t, e, n) { - return t instanceof bs ? function(t, e) { - const n = { - fields: { - __type__: { - stringValue: "server_timestamp" - }, - __local_write_time__: { - timestampValue: { - seconds: t.seconds, - nanos: t.nanoseconds - } - } - } - }; - // We should avoid storing deeply nested server timestamp map values - // because we never use the intermediate "previous values". - // For example: - // previous: 42L, add: t1, result: t1 -> 42L - // previous: t1, add: t2, result: t2 -> 42L (NOT t2 -> t1 -> 42L) - // previous: t2, add: t3, result: t3 -> 42L (NOT t3 -> t2 -> t1 -> 42L) - // `getPreviousValue` recursively traverses server timestamps to find the - // least recent Value. - return e && Ne(e) && (e = ke(e)), e && (n.fields.__previous_value__ = e), - { - mapValue: n - }; - }(n, e) : t instanceof Vs ? Ss(t, e) : t instanceof Ds ? Cs(t, e) : function(t, e) { - // PORTING NOTE: Since JavaScript's integer arithmetic is limited to 53 bit - // precision and resolves overflows by reducing precision, we do not - // manually cap overflows at 2^63. - const n = Ps(t, e), s = Ns(n) + Ns(t.gt); - return He(n) && He(t.gt) ? Ts(s) : Is(t.serializer, s); - }(t, e); - } - - /** - * Computes a final transform result after the transform has been acknowledged - * by the server, potentially using the server-provided transformResult. - */ function Rs(t, e, n) { - // The server just sends null as the transform result for array operations, - // so we have to calculate a result the same as we do for local - // applications. - return t instanceof Vs ? Ss(t, e) : t instanceof Ds ? Cs(t, e) : n; - } - - /** - * If this transform operation is not idempotent, returns the base value to - * persist for this transform. If a base value is returned, the transform - * operation is always applied to this base value, even if document has - * already been updated. - * - * Base values provide consistent behavior for non-idempotent transforms and - * allow us to return the same latency-compensated value even if the backend - * has already applied the transform operation. The base value is null for - * idempotent transforms, as they can be re-played even if the backend has - * already applied them. - * - * @returns a base value to store along with the mutation, or null for - * idempotent transforms. - */ function Ps(t, e) { - return t instanceof xs ? He(n = e) || function(t) { - return !!t && "doubleValue" in t; - } - /** Returns true if `value` is either an IntegerValue or a DoubleValue. */ (n) ? e : { - integerValue: 0 - } : null; - var n; - } - - /** Transforms a value into a server-generated timestamp. */ - class bs extends As {} - - /** Transforms an array value via a union operation. */ class Vs extends As { - constructor(t) { - super(), this.elements = t; - } - } - - function Ss(t, e) { - const n = ks(e); - for (const e of t.elements) n.some((t => qe(t, e))) || n.push(e); - return { - arrayValue: { - values: n - } - }; - } - - /** Transforms an array value via a remove operation. */ class Ds extends As { - constructor(t) { - super(), this.elements = t; - } - } - - function Cs(t, e) { - let n = ks(e); - for (const e of t.elements) n = n.filter((t => !qe(t, e))); - return { - arrayValue: { - values: n - } - }; - } - - /** - * Implements the backend semantics for locally computed NUMERIC_ADD (increment) - * transforms. Converts all field values to integers or doubles, but unlike the - * backend does not cap integer values at 2^63. Instead, JavaScript number - * arithmetic is used and precision loss can occur for values greater than 2^53. - */ class xs extends As { - constructor(t, e) { - super(), this.serializer = t, this.gt = e; - } - } - - function Ns(t) { - return Ce(t.integerValue || t.doubleValue); - } - - function ks(t) { - return Je(t) && t.arrayValue.values ? t.arrayValue.values.slice() : []; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** A field path and the TransformOperation to perform upon it. */ class Ms { - constructor(t, e) { - this.field = t, this.transform = e; - } - } - - function $s(t, e) { - return t.field.isEqual(e.field) && function(t, e) { - return t instanceof Vs && e instanceof Vs || t instanceof Ds && e instanceof Ds ? nt(t.elements, e.elements, qe) : t instanceof xs && e instanceof xs ? qe(t.gt, e.gt) : t instanceof bs && e instanceof bs; - }(t.transform, e.transform); - } - - /** The result of successfully applying a mutation to the backend. */ - class Os { - constructor( - /** - * The version at which the mutation was committed: - * - * - For most operations, this is the updateTime in the WriteResult. - * - For deletes, the commitTime of the WriteResponse (because deletes are - * not stored and have no updateTime). - * - * Note that these versions can be different: No-op writes will not change - * the updateTime even though the commitTime advances. - */ - t, - /** - * The resulting fields returned from the backend after a mutation - * containing field transforms has been committed. Contains one FieldValue - * for each FieldTransform that was in the mutation. - * - * Will be empty if the mutation did not contain any field transforms. - */ - e) { - this.version = t, this.transformResults = e; - } - } - - /** - * Encodes a precondition for a mutation. This follows the model that the - * backend accepts with the special case of an explicit "empty" precondition - * (meaning no precondition). - */ class Fs { - constructor(t, e) { - this.updateTime = t, this.exists = e; - } - /** Creates a new empty Precondition. */ static none() { - return new Fs; - } - /** Creates a new Precondition with an exists flag. */ static exists(t) { - return new Fs(void 0, t); - } - /** Creates a new Precondition based on a version a document exists at. */ static updateTime(t) { - return new Fs(t); - } - /** Returns whether this Precondition is empty. */ get isNone() { - return void 0 === this.updateTime && void 0 === this.exists; - } - isEqual(t) { - return this.exists === t.exists && (this.updateTime ? !!t.updateTime && this.updateTime.isEqual(t.updateTime) : !t.updateTime); - } - } - - /** Returns true if the preconditions is valid for the given document. */ function Bs(t, e) { - return void 0 !== t.updateTime ? e.isFoundDocument() && e.version.isEqual(t.updateTime) : void 0 === t.exists || t.exists === e.isFoundDocument(); - } - - /** - * A mutation describes a self-contained change to a document. Mutations can - * create, replace, delete, and update subsets of documents. - * - * Mutations not only act on the value of the document but also its version. - * - * For local mutations (mutations that haven't been committed yet), we preserve - * the existing version for Set and Patch mutations. For Delete mutations, we - * reset the version to 0. - * - * Here's the expected transition table. - * - * MUTATION APPLIED TO RESULTS IN - * - * SetMutation Document(v3) Document(v3) - * SetMutation NoDocument(v3) Document(v0) - * SetMutation InvalidDocument(v0) Document(v0) - * PatchMutation Document(v3) Document(v3) - * PatchMutation NoDocument(v3) NoDocument(v3) - * PatchMutation InvalidDocument(v0) UnknownDocument(v3) - * DeleteMutation Document(v3) NoDocument(v0) - * DeleteMutation NoDocument(v3) NoDocument(v0) - * DeleteMutation InvalidDocument(v0) NoDocument(v0) - * - * For acknowledged mutations, we use the updateTime of the WriteResponse as - * the resulting version for Set and Patch mutations. As deletes have no - * explicit update time, we use the commitTime of the WriteResponse for - * Delete mutations. - * - * If a mutation is acknowledged by the backend but fails the precondition check - * locally, we transition to an `UnknownDocument` and rely on Watch to send us - * the updated version. - * - * Field transforms are used only with Patch and Set Mutations. We use the - * `updateTransforms` message to store transforms, rather than the `transforms`s - * messages. - * - * ## Subclassing Notes - * - * Every type of mutation needs to implement its own applyToRemoteDocument() and - * applyToLocalView() to implement the actual behavior of applying the mutation - * to some source document (see `setMutationApplyToRemoteDocument()` for an - * example). - */ class Ls {} - - /** - * A utility method to calculate a `Mutation` representing the overlay from the - * final state of the document, and a `FieldMask` representing the fields that - * are mutated by the local mutations. - */ function qs(t, e) { - if (!t.hasLocalMutations || e && 0 === e.fields.length) return null; - // mask is null when sets or deletes are applied to the current document. - if (null === e) return t.isNoDocument() ? new Ys(t.key, Fs.none()) : new js(t.key, t.data, Fs.none()); - { - const n = t.data, s = un.empty(); - let i = new Ee(at.comparator); - for (let t of e.fields) if (!i.has(t)) { - let e = n.field(t); - // If we are deleting a nested field, we take the immediate parent as - // the mask used to construct the resulting mutation. - // Justification: Nested fields can create parent fields implicitly. If - // only a leaf entry is deleted in later mutations, the parent field - // should still remain, but we may have lost this information. - // Consider mutation (foo.bar 1), then mutation (foo.bar delete()). - // This leaves the final result (foo, {}). Despite the fact that `doc` - // has the correct result, `foo` is not in `mask`, and the resulting - // mutation would miss `foo`. - null === e && t.length > 1 && (t = t.popLast(), e = n.field(t)), null === e ? s.delete(t) : s.set(t, e), - i = i.add(t); - } - return new zs(t.key, s, new Re(i.toArray()), Fs.none()); - } - } - - /** - * Applies this mutation to the given document for the purposes of computing a - * new remote document. If the input document doesn't match the expected state - * (e.g. it is invalid or outdated), the document type may transition to - * unknown. - * - * @param mutation - The mutation to apply. - * @param document - The document to mutate. The input document can be an - * invalid document if the client has no knowledge of the pre-mutation state - * of the document. - * @param mutationResult - The result of applying the mutation from the backend. - */ function Us(t, e, n) { - t instanceof js ? function(t, e, n) { - // Unlike setMutationApplyToLocalView, if we're applying a mutation to a - // remote document the server has accepted the mutation so the precondition - // must have held. - const s = t.value.clone(), i = Hs(t.fieldTransforms, e, n.transformResults); - s.setAll(i), e.convertToFoundDocument(n.version, s).setHasCommittedMutations(); - }(t, e, n) : t instanceof zs ? function(t, e, n) { - if (!Bs(t.precondition, e)) - // Since the mutation was not rejected, we know that the precondition - // matched on the backend. We therefore must not have the expected version - // of the document in our cache and convert to an UnknownDocument with a - // known updateTime. - return void e.convertToUnknownDocument(n.version); - const s = Hs(t.fieldTransforms, e, n.transformResults), i = e.data; - i.setAll(Ws(t)), i.setAll(s), e.convertToFoundDocument(n.version, i).setHasCommittedMutations(); - }(t, e, n) : function(t, e, n) { - // Unlike applyToLocalView, if we're applying a mutation to a remote - // document the server has accepted the mutation so the precondition must - // have held. - e.convertToNoDocument(n.version).setHasCommittedMutations(); - }(0, e, n); - } - - /** - * Applies this mutation to the given document for the purposes of computing - * the new local view of a document. If the input document doesn't match the - * expected state, the document is not modified. - * - * @param mutation - The mutation to apply. - * @param document - The document to mutate. The input document can be an - * invalid document if the client has no knowledge of the pre-mutation state - * of the document. - * @param previousMask - The fields that have been updated before applying this mutation. - * @param localWriteTime - A timestamp indicating the local write time of the - * batch this mutation is a part of. - * @returns A `FieldMask` representing the fields that are changed by applying this mutation. - */ function Ks(t, e, n, s) { - return t instanceof js ? function(t, e, n, s) { - if (!Bs(t.precondition, e)) - // The mutation failed to apply (e.g. a document ID created with add() - // caused a name collision). - return n; - const i = t.value.clone(), r = Js(t.fieldTransforms, s, e); - return i.setAll(r), e.convertToFoundDocument(e.version, i).setHasLocalMutations(), - null; - // SetMutation overwrites all fields. - } - /** - * A mutation that modifies fields of the document at the given key with the - * given values. The values are applied through a field mask: - * - * * When a field is in both the mask and the values, the corresponding field - * is updated. - * * When a field is in neither the mask nor the values, the corresponding - * field is unmodified. - * * When a field is in the mask but not in the values, the corresponding field - * is deleted. - * * When a field is not in the mask but is in the values, the values map is - * ignored. - */ (t, e, n, s) : t instanceof zs ? function(t, e, n, s) { - if (!Bs(t.precondition, e)) return n; - const i = Js(t.fieldTransforms, s, e), r = e.data; - if (r.setAll(Ws(t)), r.setAll(i), e.convertToFoundDocument(e.version, r).setHasLocalMutations(), - null === n) return null; - return n.unionWith(t.fieldMask.fields).unionWith(t.fieldTransforms.map((t => t.field))); - } - /** - * Returns a FieldPath/Value map with the content of the PatchMutation. - */ (t, e, n, s) : function(t, e, n) { - if (Bs(t.precondition, e)) return e.convertToNoDocument(e.version).setHasLocalMutations(), - null; - return n; - } - /** - * A mutation that verifies the existence of the document at the given key with - * the provided precondition. - * - * The `verify` operation is only used in Transactions, and this class serves - * primarily to facilitate serialization into protos. - */ (t, e, n); - } - - /** - * If this mutation is not idempotent, returns the base value to persist with - * this mutation. If a base value is returned, the mutation is always applied - * to this base value, even if document has already been updated. - * - * The base value is a sparse object that consists of only the document - * fields for which this mutation contains a non-idempotent transformation - * (e.g. a numeric increment). The provided value guarantees consistent - * behavior for non-idempotent transforms and allow us to return the same - * latency-compensated value even if the backend has already applied the - * mutation. The base value is null for idempotent mutations, as they can be - * re-played even if the backend has already applied them. - * - * @returns a base value to store along with the mutation, or null for - * idempotent mutations. - */ function Gs(t, e) { - let n = null; - for (const s of t.fieldTransforms) { - const t = e.data.field(s.field), i = Ps(s.transform, t || null); - null != i && (null === n && (n = un.empty()), n.set(s.field, i)); - } - return n || null; - } - - function Qs(t, e) { - return t.type === e.type && (!!t.key.isEqual(e.key) && (!!t.precondition.isEqual(e.precondition) && (!!function(t, e) { - return void 0 === t && void 0 === e || !(!t || !e) && nt(t, e, ((t, e) => $s(t, e))); - }(t.fieldTransforms, e.fieldTransforms) && (0 /* MutationType.Set */ === t.type ? t.value.isEqual(e.value) : 1 /* MutationType.Patch */ !== t.type || t.data.isEqual(e.data) && t.fieldMask.isEqual(e.fieldMask))))); - } - - /** - * A mutation that creates or replaces the document at the given key with the - * object value contents. - */ class js extends Ls { - constructor(t, e, n, s = []) { - super(), this.key = t, this.value = e, this.precondition = n, this.fieldTransforms = s, - this.type = 0 /* MutationType.Set */; - } - getFieldMask() { - return null; - } - } - - class zs extends Ls { - constructor(t, e, n, s, i = []) { - super(), this.key = t, this.data = e, this.fieldMask = n, this.precondition = s, - this.fieldTransforms = i, this.type = 1 /* MutationType.Patch */; - } - getFieldMask() { - return this.fieldMask; - } - } - - function Ws(t) { - const e = new Map; - return t.fieldMask.fields.forEach((n => { - if (!n.isEmpty()) { - const s = t.data.field(n); - e.set(n, s); - } - })), e; - } - - /** - * Creates a list of "transform results" (a transform result is a field value - * representing the result of applying a transform) for use after a mutation - * containing transforms has been acknowledged by the server. - * - * @param fieldTransforms - The field transforms to apply the result to. - * @param mutableDocument - The current state of the document after applying all - * previous mutations. - * @param serverTransformResults - The transform results received by the server. - * @returns The transform results list. - */ function Hs(t, e, n) { - const s = new Map; - F(t.length === n.length); - for (let i = 0; i < n.length; i++) { - const r = t[i], o = r.transform, u = e.data.field(r.field); - s.set(r.field, Rs(o, u, n[i])); - } - return s; - } - - /** - * Creates a list of "transform results" (a transform result is a field value - * representing the result of applying a transform) for use when applying a - * transform locally. - * - * @param fieldTransforms - The field transforms to apply the result to. - * @param localWriteTime - The local time of the mutation (used to - * generate ServerTimestampValues). - * @param mutableDocument - The document to apply transforms on. - * @returns The transform results list. - */ function Js(t, e, n) { - const s = new Map; - for (const i of t) { - const t = i.transform, r = n.data.field(i.field); - s.set(i.field, vs(t, r, e)); - } - return s; - } - - /** A mutation that deletes the document at the given key. */ class Ys extends Ls { - constructor(t, e) { - super(), this.key = t, this.precondition = e, this.type = 2 /* MutationType.Delete */ , - this.fieldTransforms = []; - } - getFieldMask() { - return null; - } - } - - class Xs extends Ls { - constructor(t, e) { - super(), this.key = t, this.precondition = e, this.type = 3 /* MutationType.Verify */ , - this.fieldTransforms = []; - } - getFieldMask() { - return null; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A batch of mutations that will be sent as one unit to the backend. - */ class Zs { - /** - * @param batchId - The unique ID of this mutation batch. - * @param localWriteTime - The original write time of this mutation. - * @param baseMutations - Mutations that are used to populate the base - * values when this mutation is applied locally. This can be used to locally - * overwrite values that are persisted in the remote document cache. Base - * mutations are never sent to the backend. - * @param mutations - The user-provided mutations in this mutation batch. - * User-provided mutations are applied both locally and remotely on the - * backend. - */ - constructor(t, e, n, s) { - this.batchId = t, this.localWriteTime = e, this.baseMutations = n, this.mutations = s; - } - /** - * Applies all the mutations in this MutationBatch to the specified document - * to compute the state of the remote document - * - * @param document - The document to apply mutations to. - * @param batchResult - The result of applying the MutationBatch to the - * backend. - */ applyToRemoteDocument(t, e) { - const n = e.mutationResults; - for (let e = 0; e < this.mutations.length; e++) { - const s = this.mutations[e]; - if (s.key.isEqual(t.key)) { - Us(s, t, n[e]); - } - } - } - /** - * Computes the local view of a document given all the mutations in this - * batch. - * - * @param document - The document to apply mutations to. - * @param mutatedFields - Fields that have been updated before applying this mutation batch. - * @returns A `FieldMask` representing all the fields that are mutated. - */ applyToLocalView(t, e) { - // First, apply the base state. This allows us to apply non-idempotent - // transform against a consistent set of values. - for (const n of this.baseMutations) n.key.isEqual(t.key) && (e = Ks(n, t, e, this.localWriteTime)); - // Second, apply all user-provided mutations. - for (const n of this.mutations) n.key.isEqual(t.key) && (e = Ks(n, t, e, this.localWriteTime)); - return e; - } - /** - * Computes the local view for all provided documents given the mutations in - * this batch. Returns a `DocumentKey` to `Mutation` map which can be used to - * replace all the mutation applications. - */ applyToLocalDocumentSet(t, e) { - // TODO(mrschmidt): This implementation is O(n^2). If we apply the mutations - // directly (as done in `applyToLocalView()`), we can reduce the complexity - // to O(n). - const n = ds(); - return this.mutations.forEach((s => { - const i = t.get(s.key), r = i.overlayedDocument; - // TODO(mutabledocuments): This method should take a MutableDocumentMap - // and we should remove this cast. - let o = this.applyToLocalView(r, i.mutatedFields); - // Set mutatedFields to null if the document is only from local mutations. - // This creates a Set or Delete mutation, instead of trying to create a - // patch mutation as the overlay. - o = e.has(s.key) ? null : o; - const u = qs(r, o); - null !== u && n.set(s.key, u), r.isValidDocument() || r.convertToNoDocument(rt.min()); - })), n; - } - keys() { - return this.mutations.reduce(((t, e) => t.add(e.key)), gs()); - } - isEqual(t) { - return this.batchId === t.batchId && nt(this.mutations, t.mutations, ((t, e) => Qs(t, e))) && nt(this.baseMutations, t.baseMutations, ((t, e) => Qs(t, e))); - } - } - - /** The result of applying a mutation batch to the backend. */ class ti { - constructor(t, e, n, - /** - * A pre-computed mapping from each mutated document to the resulting - * version. - */ - s) { - this.batch = t, this.commitVersion = e, this.mutationResults = n, this.docVersions = s; - } - /** - * Creates a new MutationBatchResult for the given batch and results. There - * must be one result for each mutation in the batch. This static factory - * caches a document=>version mapping (docVersions). - */ static from(t, e, n) { - F(t.mutations.length === n.length); - let s = _s; - const i = t.mutations; - for (let t = 0; t < i.length; t++) s = s.insert(i[t].key, n[t].version); - return new ti(t, e, n, s); - } - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Representation of an overlay computed by Firestore. - * - * Holds information about a mutation and the largest batch id in Firestore when - * the mutation was created. - */ class ei { - constructor(t, e) { - this.largestBatchId = t, this.mutation = e; - } - getKey() { - return this.mutation.key; - } - isEqual(t) { - return null !== t && this.mutation === t.mutation; - } - toString() { - return `Overlay{\n largestBatchId: ${this.largestBatchId},\n mutation: ${this.mutation.toString()}\n }`; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class si { - constructor(t, e) { - this.count = t, this.unchangedNames = e; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Error Codes describing the different ways GRPC can fail. These are copied - * directly from GRPC's sources here: - * - * https://github.com/grpc/grpc/blob/bceec94ea4fc5f0085d81235d8e1c06798dc341a/include/grpc%2B%2B/impl/codegen/status_code_enum.h - * - * Important! The names of these identifiers matter because the string forms - * are used for reverse lookups from the webchannel stream. Do NOT change the - * names of these identifiers or change this into a const enum. - */ var ii, ri; - - /** - * Determines whether an error code represents a permanent error when received - * in response to a non-write operation. - * - * See isPermanentWriteError for classifying write errors. - */ - function oi(t) { - switch (t) { - default: - return O(); - - case q.CANCELLED: - case q.UNKNOWN: - case q.DEADLINE_EXCEEDED: - case q.RESOURCE_EXHAUSTED: - case q.INTERNAL: - case q.UNAVAILABLE: - // Unauthenticated means something went wrong with our token and we need - // to retry with new credentials which will happen automatically. - case q.UNAUTHENTICATED: - return !1; - - case q.INVALID_ARGUMENT: - case q.NOT_FOUND: - case q.ALREADY_EXISTS: - case q.PERMISSION_DENIED: - case q.FAILED_PRECONDITION: - // Aborted might be retried in some scenarios, but that is dependant on - // the context and should handled individually by the calling code. - // See https://cloud.google.com/apis/design/errors. - case q.ABORTED: - case q.OUT_OF_RANGE: - case q.UNIMPLEMENTED: - case q.DATA_LOSS: - return !0; - } - } - - /** - * Determines whether an error code represents a permanent error when received - * in response to a write operation. - * - * Write operations must be handled specially because as of b/119437764, ABORTED - * errors on the write stream should be retried too (even though ABORTED errors - * are not generally retryable). - * - * Note that during the initial handshake on the write stream an ABORTED error - * signals that we should discard our stream token (i.e. it is permanent). This - * means a handshake error should be classified with isPermanentError, above. - */ - /** - * Maps an error Code from GRPC status code number, like 0, 1, or 14. These - * are not the same as HTTP status codes. - * - * @returns The Code equivalent to the given GRPC status code. Fails if there - * is no match. - */ - function ui(t) { - if (void 0 === t) - // This shouldn't normally happen, but in certain error cases (like trying - // to send invalid proto messages) we may get an error with no GRPC code. - return k("GRPC error has no .code"), q.UNKNOWN; - switch (t) { - case ii.OK: - return q.OK; - - case ii.CANCELLED: - return q.CANCELLED; - - case ii.UNKNOWN: - return q.UNKNOWN; - - case ii.DEADLINE_EXCEEDED: - return q.DEADLINE_EXCEEDED; - - case ii.RESOURCE_EXHAUSTED: - return q.RESOURCE_EXHAUSTED; - - case ii.INTERNAL: - return q.INTERNAL; - - case ii.UNAVAILABLE: - return q.UNAVAILABLE; - - case ii.UNAUTHENTICATED: - return q.UNAUTHENTICATED; - - case ii.INVALID_ARGUMENT: - return q.INVALID_ARGUMENT; - - case ii.NOT_FOUND: - return q.NOT_FOUND; - - case ii.ALREADY_EXISTS: - return q.ALREADY_EXISTS; - - case ii.PERMISSION_DENIED: - return q.PERMISSION_DENIED; - - case ii.FAILED_PRECONDITION: - return q.FAILED_PRECONDITION; - - case ii.ABORTED: - return q.ABORTED; - - case ii.OUT_OF_RANGE: - return q.OUT_OF_RANGE; - - case ii.UNIMPLEMENTED: - return q.UNIMPLEMENTED; - - case ii.DATA_LOSS: - return q.DATA_LOSS; - - default: - return O(); - } - } - - /** - * Converts an HTTP response's error status to the equivalent error code. - * - * @param status - An HTTP error response status ("FAILED_PRECONDITION", - * "UNKNOWN", etc.) - * @returns The equivalent Code. Non-matching responses are mapped to - * Code.UNKNOWN. - */ (ri = ii || (ii = {}))[ri.OK = 0] = "OK", ri[ri.CANCELLED = 1] = "CANCELLED", - ri[ri.UNKNOWN = 2] = "UNKNOWN", ri[ri.INVALID_ARGUMENT = 3] = "INVALID_ARGUMENT", - ri[ri.DEADLINE_EXCEEDED = 4] = "DEADLINE_EXCEEDED", ri[ri.NOT_FOUND = 5] = "NOT_FOUND", - ri[ri.ALREADY_EXISTS = 6] = "ALREADY_EXISTS", ri[ri.PERMISSION_DENIED = 7] = "PERMISSION_DENIED", - ri[ri.UNAUTHENTICATED = 16] = "UNAUTHENTICATED", ri[ri.RESOURCE_EXHAUSTED = 8] = "RESOURCE_EXHAUSTED", - ri[ri.FAILED_PRECONDITION = 9] = "FAILED_PRECONDITION", ri[ri.ABORTED = 10] = "ABORTED", - ri[ri.OUT_OF_RANGE = 11] = "OUT_OF_RANGE", ri[ri.UNIMPLEMENTED = 12] = "UNIMPLEMENTED", - ri[ri.INTERNAL = 13] = "INTERNAL", ri[ri.UNAVAILABLE = 14] = "UNAVAILABLE", ri[ri.DATA_LOSS = 15] = "DATA_LOSS"; - - /** - * @license - * Copyright 2023 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Manages "testing hooks", hooks into the internals of the SDK to verify - * internal state and events during integration tests. Do not use this class - * except for testing purposes. - * - * There are two ways to retrieve the global singleton instance of this class: - * 1. The `instance` property, which returns null if the global singleton - * instance has not been created. Use this property if the caller should - * "do nothing" if there are no testing hooks registered, such as when - * delivering an event to notify registered callbacks. - * 2. The `getOrCreateInstance()` method, which creates the global singleton - * instance if it has not been created. Use this method if the instance is - * needed to, for example, register a callback. - * - * @internal - */ - class ci { - constructor() { - this.onExistenceFilterMismatchCallbacks = new Map; - } - /** - * Returns the singleton instance of this class, or null if it has not been - * initialized. - */ static get instance() { - return ai; - } - /** - * Returns the singleton instance of this class, creating it if is has never - * been created before. - */ static getOrCreateInstance() { - return null === ai && (ai = new ci), ai; - } - /** - * Registers a callback to be notified when an existence filter mismatch - * occurs in the Watch listen stream. - * - * The relative order in which callbacks are notified is unspecified; do not - * rely on any particular ordering. If a given callback is registered multiple - * times then it will be notified multiple times, once per registration. - * - * @param callback the callback to invoke upon existence filter mismatch. - * - * @return a function that, when called, unregisters the given callback; only - * the first invocation of the returned function does anything; all subsequent - * invocations do nothing. - */ onExistenceFilterMismatch(t) { - const e = Symbol(); - return this.onExistenceFilterMismatchCallbacks.set(e, t), () => this.onExistenceFilterMismatchCallbacks.delete(e); - } - /** - * Invokes all currently-registered `onExistenceFilterMismatch` callbacks. - * @param info Information about the existence filter mismatch. - */ notifyOnExistenceFilterMismatch(t) { - this.onExistenceFilterMismatchCallbacks.forEach((e => e(t))); - } - } - - /** The global singleton instance of `TestingHooks`. */ let ai = null; - - /** - * @license - * Copyright 2023 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An instance of the Platform's 'TextEncoder' implementation. - */ function hi() { - return new TextEncoder; - } - - /** - * An instance of the Platform's 'TextDecoder' implementation. - */ - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const li = new Integer([ 4294967295, 4294967295 ], 0); - - // Hash a string using md5 hashing algorithm. - function fi(t) { - const e = hi().encode(t), n = new Md5; - return n.update(e), new Uint8Array(n.digest()); - } - - // Interpret the 16 bytes array as two 64-bit unsigned integers, encoded using - // 2’s complement using little endian. - function di(t) { - const e = new DataView(t.buffer), n = e.getUint32(0, /* littleEndian= */ !0), s = e.getUint32(4, /* littleEndian= */ !0), i = e.getUint32(8, /* littleEndian= */ !0), r = e.getUint32(12, /* littleEndian= */ !0); - return [ new Integer([ n, s ], 0), new Integer([ i, r ], 0) ]; - } - - class wi { - constructor(t, e, n) { - if (this.bitmap = t, this.padding = e, this.hashCount = n, e < 0 || e >= 8) throw new _i(`Invalid padding: ${e}`); - if (n < 0) throw new _i(`Invalid hash count: ${n}`); - if (t.length > 0 && 0 === this.hashCount) - // Only empty bloom filter can have 0 hash count. - throw new _i(`Invalid hash count: ${n}`); - if (0 === t.length && 0 !== e) - // Empty bloom filter should have 0 padding. - throw new _i(`Invalid padding when bitmap length is 0: ${e}`); - this.It = 8 * t.length - e, - // Set the bit count in Integer to avoid repetition in mightContain(). - this.Tt = Integer.fromNumber(this.It); - } - // Calculate the ith hash value based on the hashed 64bit integers, - // and calculate its corresponding bit index in the bitmap to be checked. - Et(t, e, n) { - // Calculate hashed value h(i) = h1 + (i * h2). - let s = t.add(e.multiply(Integer.fromNumber(n))); - // Wrap if hash value overflow 64bit. - return 1 === s.compare(li) && (s = new Integer([ s.getBits(0), s.getBits(1) ], 0)), - s.modulo(this.Tt).toNumber(); - } - // Return whether the bit on the given index in the bitmap is set to 1. - At(t) { - return 0 != (this.bitmap[Math.floor(t / 8)] & 1 << t % 8); - } - vt(t) { - // Empty bitmap should always return false on membership check. - if (0 === this.It) return !1; - const e = fi(t), [n, s] = di(e); - for (let t = 0; t < this.hashCount; t++) { - const e = this.Et(n, s, t); - if (!this.At(e)) return !1; - } - return !0; - } - /** Create bloom filter for testing purposes only. */ static create(t, e, n) { - const s = t % 8 == 0 ? 0 : 8 - t % 8, i = new Uint8Array(Math.ceil(t / 8)), r = new wi(i, s, e); - return n.forEach((t => r.insert(t))), r; - } - insert(t) { - if (0 === this.It) return; - const e = fi(t), [n, s] = di(e); - for (let t = 0; t < this.hashCount; t++) { - const e = this.Et(n, s, t); - this.Rt(e); - } - } - Rt(t) { - const e = Math.floor(t / 8), n = t % 8; - this.bitmap[e] |= 1 << n; - } - } - - class _i extends Error { - constructor() { - super(...arguments), this.name = "BloomFilterError"; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An event from the RemoteStore. It is split into targetChanges (changes to the - * state or the set of documents in our watched targets) and documentUpdates - * (changes to the actual documents). - */ class mi { - constructor( - /** - * The snapshot version this event brings us up to, or MIN if not set. - */ - t, - /** - * A map from target to changes to the target. See TargetChange. - */ - e, - /** - * A map of targets that is known to be inconsistent, and the purpose for - * re-listening. Listens for these targets should be re-established without - * resume tokens. - */ - n, - /** - * A set of which documents have changed or been deleted, along with the - * doc's new values (if not deleted). - */ - s, - /** - * A set of which document updates are due only to limbo resolution targets. - */ - i) { - this.snapshotVersion = t, this.targetChanges = e, this.targetMismatches = n, this.documentUpdates = s, - this.resolvedLimboDocuments = i; - } - /** - * HACK: Views require RemoteEvents in order to determine whether the view is - * CURRENT, but secondary tabs don't receive remote events. So this method is - * used to create a synthesized RemoteEvent that can be used to apply a - * CURRENT status change to a View, for queries executed in a different tab. - */ - // PORTING NOTE: Multi-tab only - static createSynthesizedRemoteEventForCurrentChange(t, e, n) { - const s = new Map; - return s.set(t, gi.createSynthesizedTargetChangeForCurrentChange(t, e, n)), new mi(rt.min(), s, new pe(et), cs(), gs()); - } - } - - /** - * A TargetChange specifies the set of changes for a specific target as part of - * a RemoteEvent. These changes track which documents are added, modified or - * removed, as well as the target's resume token and whether the target is - * marked CURRENT. - * The actual changes *to* documents are not part of the TargetChange since - * documents may be part of multiple targets. - */ class gi { - constructor( - /** - * An opaque, server-assigned token that allows watching a query to be resumed - * after disconnecting without retransmitting all the data that matches the - * query. The resume token essentially identifies a point in time from which - * the server should resume sending results. - */ - t, - /** - * The "current" (synced) status of this target. Note that "current" - * has special meaning in the RPC protocol that implies that a target is - * both up-to-date and consistent with the rest of the watch stream. - */ - e, - /** - * The set of documents that were newly assigned to this target as part of - * this remote event. - */ - n, - /** - * The set of documents that were already assigned to this target but received - * an update during this remote event. - */ - s, - /** - * The set of documents that were removed from this target as part of this - * remote event. - */ - i) { - this.resumeToken = t, this.current = e, this.addedDocuments = n, this.modifiedDocuments = s, - this.removedDocuments = i; - } - /** - * This method is used to create a synthesized TargetChanges that can be used to - * apply a CURRENT status change to a View (for queries executed in a different - * tab) or for new queries (to raise snapshots with correct CURRENT status). - */ static createSynthesizedTargetChangeForCurrentChange(t, e, n) { - return new gi(n, e, gs(), gs(), gs()); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents a changed document and a list of target ids to which this change - * applies. - * - * If document has been deleted NoDocument will be provided. - */ class yi { - constructor( - /** The new document applies to all of these targets. */ - t, - /** The new document is removed from all of these targets. */ - e, - /** The key of the document for this change. */ - n, - /** - * The new document or NoDocument if it was deleted. Is null if the - * document went out of view without the server sending a new document. - */ - s) { - this.Pt = t, this.removedTargetIds = e, this.key = n, this.bt = s; - } - } - - class pi { - constructor(t, e) { - this.targetId = t, this.Vt = e; - } - } - - class Ii { - constructor( - /** What kind of change occurred to the watch target. */ - t, - /** The target IDs that were added/removed/set. */ - e, - /** - * An opaque, server-assigned token that allows watching a target to be - * resumed after disconnecting without retransmitting all the data that - * matches the target. The resume token essentially identifies a point in - * time from which the server should resume sending results. - */ - n = Ve.EMPTY_BYTE_STRING - /** An RPC error indicating why the watch failed. */ , s = null) { - this.state = t, this.targetIds = e, this.resumeToken = n, this.cause = s; - } - } - - /** Tracks the internal state of a Watch target. */ class Ti { - constructor() { - /** - * The number of pending responses (adds or removes) that we are waiting on. - * We only consider targets active that have no pending responses. - */ - this.St = 0, - /** - * Keeps track of the document changes since the last raised snapshot. - * - * These changes are continuously updated as we receive document updates and - * always reflect the current set of changes against the last issued snapshot. - */ - this.Dt = vi(), - /** See public getters for explanations of these fields. */ - this.Ct = Ve.EMPTY_BYTE_STRING, this.xt = !1, - /** - * Whether this target state should be included in the next snapshot. We - * initialize to true so that newly-added targets are included in the next - * RemoteEvent. - */ - this.Nt = !0; - } - /** - * Whether this target has been marked 'current'. - * - * 'Current' has special meaning in the RPC protocol: It implies that the - * Watch backend has sent us all changes up to the point at which the target - * was added and that the target is consistent with the rest of the watch - * stream. - */ get current() { - return this.xt; - } - /** The last resume token sent to us for this target. */ get resumeToken() { - return this.Ct; - } - /** Whether this target has pending target adds or target removes. */ get kt() { - return 0 !== this.St; - } - /** Whether we have modified any state that should trigger a snapshot. */ get Mt() { - return this.Nt; - } - /** - * Applies the resume token to the TargetChange, but only when it has a new - * value. Empty resumeTokens are discarded. - */ $t(t) { - t.approximateByteSize() > 0 && (this.Nt = !0, this.Ct = t); - } - /** - * Creates a target change from the current set of changes. - * - * To reset the document changes after raising this snapshot, call - * `clearPendingChanges()`. - */ Ot() { - let t = gs(), e = gs(), n = gs(); - return this.Dt.forEach(((s, i) => { - switch (i) { - case 0 /* ChangeType.Added */ : - t = t.add(s); - break; - - case 2 /* ChangeType.Modified */ : - e = e.add(s); - break; - - case 1 /* ChangeType.Removed */ : - n = n.add(s); - break; - - default: - O(); - } - })), new gi(this.Ct, this.xt, t, e, n); - } - /** - * Resets the document changes and sets `hasPendingChanges` to false. - */ Ft() { - this.Nt = !1, this.Dt = vi(); - } - Bt(t, e) { - this.Nt = !0, this.Dt = this.Dt.insert(t, e); - } - Lt(t) { - this.Nt = !0, this.Dt = this.Dt.remove(t); - } - qt() { - this.St += 1; - } - Ut() { - this.St -= 1; - } - Kt() { - this.Nt = !0, this.xt = !0; - } - } - - /** - * A helper class to accumulate watch changes into a RemoteEvent. - */ - class Ei { - constructor(t) { - this.Gt = t, - /** The internal state of all tracked targets. */ - this.Qt = new Map, - /** Keeps track of the documents to update since the last raised snapshot. */ - this.jt = cs(), - /** A mapping of document keys to their set of target IDs. */ - this.zt = Ai(), - /** - * A map of targets with existence filter mismatches. These targets are - * known to be inconsistent and their listens needs to be re-established by - * RemoteStore. - */ - this.Wt = new pe(et); - } - /** - * Processes and adds the DocumentWatchChange to the current set of changes. - */ Ht(t) { - for (const e of t.Pt) t.bt && t.bt.isFoundDocument() ? this.Jt(e, t.bt) : this.Yt(e, t.key, t.bt); - for (const e of t.removedTargetIds) this.Yt(e, t.key, t.bt); - } - /** Processes and adds the WatchTargetChange to the current set of changes. */ Xt(t) { - this.forEachTarget(t, (e => { - const n = this.Zt(e); - switch (t.state) { - case 0 /* WatchTargetChangeState.NoChange */ : - this.te(e) && n.$t(t.resumeToken); - break; - - case 1 /* WatchTargetChangeState.Added */ : - // We need to decrement the number of pending acks needed from watch - // for this targetId. - n.Ut(), n.kt || - // We have a freshly added target, so we need to reset any state - // that we had previously. This can happen e.g. when remove and add - // back a target for existence filter mismatches. - n.Ft(), n.$t(t.resumeToken); - break; - - case 2 /* WatchTargetChangeState.Removed */ : - // We need to keep track of removed targets to we can post-filter and - // remove any target changes. - // We need to decrement the number of pending acks needed from watch - // for this targetId. - n.Ut(), n.kt || this.removeTarget(e); - break; - - case 3 /* WatchTargetChangeState.Current */ : - this.te(e) && (n.Kt(), n.$t(t.resumeToken)); - break; - - case 4 /* WatchTargetChangeState.Reset */ : - this.te(e) && ( - // Reset the target and synthesizes removes for all existing - // documents. The backend will re-add any documents that still - // match the target before it sends the next global snapshot. - this.ee(e), n.$t(t.resumeToken)); - break; - - default: - O(); - } - })); - } - /** - * Iterates over all targetIds that the watch change applies to: either the - * targetIds explicitly listed in the change or the targetIds of all currently - * active targets. - */ forEachTarget(t, e) { - t.targetIds.length > 0 ? t.targetIds.forEach(e) : this.Qt.forEach(((t, n) => { - this.te(n) && e(n); - })); - } - /** - * Handles existence filters and synthesizes deletes for filter mismatches. - * Targets that are invalidated by filter mismatches are added to - * `pendingTargetResets`. - */ ne(t) { - var e; - const n = t.targetId, s = t.Vt.count, i = this.se(n); - if (i) { - const r = i.target; - if (Fn(r)) if (0 === s) { - // The existence filter told us the document does not exist. We deduce - // that this document does not exist and apply a deleted document to - // our updates. Without applying this deleted document there might be - // another query that will raise this document as part of a snapshot - // until it is resolved, essentially exposing inconsistency between - // queries. - const t = new ht(r.path); - this.Yt(n, t, an.newNoDocument(t, rt.min())); - } else F(1 === s); else { - const i = this.ie(n); - // Existence filter mismatch. Mark the documents as being in limbo, and - // raise a snapshot with `isFromCache:true`. - if (i !== s) { - // Apply bloom filter to identify and mark removed documents. - const s = this.re(t, i); - if (0 /* BloomFilterApplicationStatus.Success */ !== s) { - // If bloom filter application fails, we reset the mapping and - // trigger re-run of the query. - this.ee(n); - const t = 2 /* BloomFilterApplicationStatus.FalsePositive */ === s ? "TargetPurposeExistenceFilterMismatchBloom" /* TargetPurpose.ExistenceFilterMismatchBloom */ : "TargetPurposeExistenceFilterMismatch" /* TargetPurpose.ExistenceFilterMismatch */; - this.Wt = this.Wt.insert(n, t); - } - null === (e = ci.instance) || void 0 === e || e.notifyOnExistenceFilterMismatch(function(t, e, n) { - var s, i, r, o, u, c; - const a = { - localCacheCount: e, - existenceFilterCount: n.count - }, h = n.unchangedNames; - h && (a.bloomFilter = { - applied: 0 /* BloomFilterApplicationStatus.Success */ === t, - hashCount: null !== (s = null == h ? void 0 : h.hashCount) && void 0 !== s ? s : 0, - bitmapLength: null !== (o = null === (r = null === (i = null == h ? void 0 : h.bits) || void 0 === i ? void 0 : i.bitmap) || void 0 === r ? void 0 : r.length) && void 0 !== o ? o : 0, - padding: null !== (c = null === (u = null == h ? void 0 : h.bits) || void 0 === u ? void 0 : u.padding) && void 0 !== c ? c : 0 - }); - return a; - } - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ (s, i, t.Vt)); - } - } - } - } - /** - * Apply bloom filter to remove the deleted documents, and return the - * application status. - */ re(t, e) { - const {unchangedNames: n, count: s} = t.Vt; - if (!n || !n.bits) return 1 /* BloomFilterApplicationStatus.Skipped */; - const {bits: {bitmap: i = "", padding: r = 0}, hashCount: o = 0} = n; - let u, c; - try { - u = xe(i).toUint8Array(); - } catch (t) { - if (t instanceof Pe) return M("Decoding the base64 bloom filter in existence filter failed (" + t.message + "); ignoring the bloom filter and falling back to full re-query."), - 1 /* BloomFilterApplicationStatus.Skipped */; - throw t; - } - try { - // BloomFilter throws error if the inputs are invalid. - c = new wi(u, r, o); - } catch (t) { - return M(t instanceof _i ? "BloomFilter error: " : "Applying bloom filter failed: ", t), - 1 /* BloomFilterApplicationStatus.Skipped */; - } - if (0 === c.It) return 1 /* BloomFilterApplicationStatus.Skipped */; - return s !== e - this.oe(t.targetId, c) ? 2 /* BloomFilterApplicationStatus.FalsePositive */ : 0 /* BloomFilterApplicationStatus.Success */; - } - /** - * Filter out removed documents based on bloom filter membership result and - * return number of documents removed. - */ oe(t, e) { - const n = this.Gt.getRemoteKeysForTarget(t); - let s = 0; - return n.forEach((n => { - const i = this.Gt.ue(), r = `projects/${i.projectId}/databases/${i.database}/documents/${n.path.canonicalString()}`; - e.vt(r) || (this.Yt(t, n, /*updatedDocument=*/ null), s++); - })), s; - } - /** - * Converts the currently accumulated state into a remote event at the - * provided snapshot version. Resets the accumulated changes before returning. - */ ce(t) { - const e = new Map; - this.Qt.forEach(((n, s) => { - const i = this.se(s); - if (i) { - if (n.current && Fn(i.target)) { - // Document queries for document that don't exist can produce an empty - // result set. To update our local cache, we synthesize a document - // delete if we have not previously received the document. This - // resolves the limbo state of the document, removing it from - // limboDocumentRefs. - // TODO(dimond): Ideally we would have an explicit lookup target - // instead resulting in an explicit delete message and we could - // remove this special logic. - const e = new ht(i.target.path); - null !== this.jt.get(e) || this.ae(s, e) || this.Yt(s, e, an.newNoDocument(e, t)); - } - n.Mt && (e.set(s, n.Ot()), n.Ft()); - } - })); - let n = gs(); - // We extract the set of limbo-only document updates as the GC logic - // special-cases documents that do not appear in the target cache. - - // TODO(gsoltis): Expand on this comment once GC is available in the JS - // client. - this.zt.forEach(((t, e) => { - let s = !0; - e.forEachWhile((t => { - const e = this.se(t); - return !e || "TargetPurposeLimboResolution" /* TargetPurpose.LimboResolution */ === e.purpose || (s = !1, - !1); - })), s && (n = n.add(t)); - })), this.jt.forEach(((e, n) => n.setReadTime(t))); - const s = new mi(t, e, this.Wt, this.jt, n); - return this.jt = cs(), this.zt = Ai(), this.Wt = new pe(et), s; - } - /** - * Adds the provided document to the internal list of document updates and - * its document key to the given target's mapping. - */ - // Visible for testing. - Jt(t, e) { - if (!this.te(t)) return; - const n = this.ae(t, e.key) ? 2 /* ChangeType.Modified */ : 0 /* ChangeType.Added */; - this.Zt(t).Bt(e.key, n), this.jt = this.jt.insert(e.key, e), this.zt = this.zt.insert(e.key, this.he(e.key).add(t)); - } - /** - * Removes the provided document from the target mapping. If the - * document no longer matches the target, but the document's state is still - * known (e.g. we know that the document was deleted or we received the change - * that caused the filter mismatch), the new document can be provided - * to update the remote document cache. - */ - // Visible for testing. - Yt(t, e, n) { - if (!this.te(t)) return; - const s = this.Zt(t); - this.ae(t, e) ? s.Bt(e, 1 /* ChangeType.Removed */) : - // The document may have entered and left the target before we raised a - // snapshot, so we can just ignore the change. - s.Lt(e), this.zt = this.zt.insert(e, this.he(e).delete(t)), n && (this.jt = this.jt.insert(e, n)); - } - removeTarget(t) { - this.Qt.delete(t); - } - /** - * Returns the current count of documents in the target. This includes both - * the number of documents that the LocalStore considers to be part of the - * target as well as any accumulated changes. - */ ie(t) { - const e = this.Zt(t).Ot(); - return this.Gt.getRemoteKeysForTarget(t).size + e.addedDocuments.size - e.removedDocuments.size; - } - /** - * Increment the number of acks needed from watch before we can consider the - * server to be 'in-sync' with the client's active targets. - */ qt(t) { - this.Zt(t).qt(); - } - Zt(t) { - let e = this.Qt.get(t); - return e || (e = new Ti, this.Qt.set(t, e)), e; - } - he(t) { - let e = this.zt.get(t); - return e || (e = new Ee(et), this.zt = this.zt.insert(t, e)), e; - } - /** - * Verifies that the user is still interested in this target (by calling - * `getTargetDataForTarget()`) and that we are not waiting for pending ADDs - * from watch. - */ te(t) { - const e = null !== this.se(t); - return e || N("WatchChangeAggregator", "Detected inactive target", t), e; - } - /** - * Returns the TargetData for an active target (i.e. a target that the user - * is still interested in that has no outstanding target change requests). - */ se(t) { - const e = this.Qt.get(t); - return e && e.kt ? null : this.Gt.le(t); - } - /** - * Resets the state of a Watch target to its initial state (e.g. sets - * 'current' to false, clears the resume token and removes its target mapping - * from all documents). - */ ee(t) { - this.Qt.set(t, new Ti); - this.Gt.getRemoteKeysForTarget(t).forEach((e => { - this.Yt(t, e, /*updatedDocument=*/ null); - })); - } - /** - * Returns whether the LocalStore considers the document to be part of the - * specified target. - */ ae(t, e) { - return this.Gt.getRemoteKeysForTarget(t).has(e); - } - } - - function Ai() { - return new pe(ht.comparator); - } - - function vi() { - return new pe(ht.comparator); - } - - const Ri = (() => { - const t = { - asc: "ASCENDING", - desc: "DESCENDING" - }; - return t; - })(), Pi = (() => { - const t = { - "<": "LESS_THAN", - "<=": "LESS_THAN_OR_EQUAL", - ">": "GREATER_THAN", - ">=": "GREATER_THAN_OR_EQUAL", - "==": "EQUAL", - "!=": "NOT_EQUAL", - "array-contains": "ARRAY_CONTAINS", - in: "IN", - "not-in": "NOT_IN", - "array-contains-any": "ARRAY_CONTAINS_ANY" - }; - return t; - })(), bi = (() => { - const t = { - and: "AND", - or: "OR" - }; - return t; - })(); - - /** - * This class generates JsonObject values for the Datastore API suitable for - * sending to either GRPC stub methods or via the JSON/HTTP REST API. - * - * The serializer supports both Protobuf.js and Proto3 JSON formats. By - * setting `useProto3Json` to true, the serializer will use the Proto3 JSON - * format. - * - * For a description of the Proto3 JSON format check - * https://developers.google.com/protocol-buffers/docs/proto3#json - * - * TODO(klimt): We can remove the databaseId argument if we keep the full - * resource name in documents. - */ - class Vi { - constructor(t, e) { - this.databaseId = t, this.useProto3Json = e; - } - } - - /** - * Returns a value for a number (or null) that's appropriate to put into - * a google.protobuf.Int32Value proto. - * DO NOT USE THIS FOR ANYTHING ELSE. - * This method cheats. It's typed as returning "number" because that's what - * our generated proto interfaces say Int32Value must be. But GRPC actually - * expects a { value: } struct. - */ - function Si(t, e) { - return t.useProto3Json || Ft(e) ? e : { - value: e - }; - } - - /** - * Returns a number (or null) from a google.protobuf.Int32Value proto. - */ - /** - * Returns a value for a Date that's appropriate to put into a proto. - */ - function Di(t, e) { - if (t.useProto3Json) { - return `${new Date(1e3 * e.seconds).toISOString().replace(/\.\d*/, "").replace("Z", "")}.${("000000000" + e.nanoseconds).slice(-9)}Z`; - } - return { - seconds: "" + e.seconds, - nanos: e.nanoseconds - }; - } - - /** - * Returns a value for bytes that's appropriate to put in a proto. - * - * Visible for testing. - */ - function Ci(t, e) { - return t.useProto3Json ? e.toBase64() : e.toUint8Array(); - } - - /** - * Returns a ByteString based on the proto string value. - */ function xi(t, e) { - return Di(t, e.toTimestamp()); - } - - function Ni(t) { - return F(!!t), rt.fromTimestamp(function(t) { - const e = De(t); - return new it(e.seconds, e.nanos); - }(t)); - } - - function ki(t, e) { - return function(t) { - return new ut([ "projects", t.projectId, "databases", t.database ]); - }(t).child("documents").child(e).canonicalString(); - } - - function Mi(t) { - const e = ut.fromString(t); - return F(ur(e)), e; - } - - function $i(t, e) { - return ki(t.databaseId, e.path); - } - - function Oi(t, e) { - const n = Mi(e); - if (n.get(1) !== t.databaseId.projectId) throw new U(q.INVALID_ARGUMENT, "Tried to deserialize key from different project: " + n.get(1) + " vs " + t.databaseId.projectId); - if (n.get(3) !== t.databaseId.database) throw new U(q.INVALID_ARGUMENT, "Tried to deserialize key from different database: " + n.get(3) + " vs " + t.databaseId.database); - return new ht(qi(n)); - } - - function Fi(t, e) { - return ki(t.databaseId, e); - } - - function Bi(t) { - const e = Mi(t); - // In v1beta1 queries for collections at the root did not have a trailing - // "/documents". In v1 all resource paths contain "/documents". Preserve the - // ability to read the v1beta1 form for compatibility with queries persisted - // in the local target cache. - return 4 === e.length ? ut.emptyPath() : qi(e); - } - - function Li(t) { - return new ut([ "projects", t.databaseId.projectId, "databases", t.databaseId.database ]).canonicalString(); - } - - function qi(t) { - return F(t.length > 4 && "documents" === t.get(4)), t.popFirst(5); - } - - /** Creates a Document proto from key and fields (but no create/update time) */ function Ui(t, e, n) { - return { - name: $i(t, e), - fields: n.value.mapValue.fields - }; - } - - function Ki(t, e, n) { - const s = Oi(t, e.name), i = Ni(e.updateTime), r = e.createTime ? Ni(e.createTime) : rt.min(), o = new un({ - mapValue: { - fields: e.fields - } - }), u = an.newFoundDocument(s, i, r, o); - return n && u.setHasCommittedMutations(), n ? u.setHasCommittedMutations() : u; - } - - function Gi(t, e) { - return "found" in e ? function(t, e) { - F(!!e.found), e.found.name, e.found.updateTime; - const n = Oi(t, e.found.name), s = Ni(e.found.updateTime), i = e.found.createTime ? Ni(e.found.createTime) : rt.min(), r = new un({ - mapValue: { - fields: e.found.fields - } - }); - return an.newFoundDocument(n, s, i, r); - }(t, e) : "missing" in e ? function(t, e) { - F(!!e.missing), F(!!e.readTime); - const n = Oi(t, e.missing), s = Ni(e.readTime); - return an.newNoDocument(n, s); - }(t, e) : O(); - } - - function Qi(t, e) { - let n; - if ("targetChange" in e) { - e.targetChange; - // proto3 default value is unset in JSON (undefined), so use 'NO_CHANGE' - // if unset - const s = function(t) { - return "NO_CHANGE" === t ? 0 /* WatchTargetChangeState.NoChange */ : "ADD" === t ? 1 /* WatchTargetChangeState.Added */ : "REMOVE" === t ? 2 /* WatchTargetChangeState.Removed */ : "CURRENT" === t ? 3 /* WatchTargetChangeState.Current */ : "RESET" === t ? 4 /* WatchTargetChangeState.Reset */ : O(); - }(e.targetChange.targetChangeType || "NO_CHANGE"), i = e.targetChange.targetIds || [], r = function(t, e) { - return t.useProto3Json ? (F(void 0 === e || "string" == typeof e), Ve.fromBase64String(e || "")) : (F(void 0 === e || e instanceof Uint8Array), - Ve.fromUint8Array(e || new Uint8Array)); - }(t, e.targetChange.resumeToken), o = e.targetChange.cause, u = o && function(t) { - const e = void 0 === t.code ? q.UNKNOWN : ui(t.code); - return new U(e, t.message || ""); - }(o); - n = new Ii(s, i, r, u || null); - } else if ("documentChange" in e) { - e.documentChange; - const s = e.documentChange; - s.document, s.document.name, s.document.updateTime; - const i = Oi(t, s.document.name), r = Ni(s.document.updateTime), o = s.document.createTime ? Ni(s.document.createTime) : rt.min(), u = new un({ - mapValue: { - fields: s.document.fields - } - }), c = an.newFoundDocument(i, r, o, u), a = s.targetIds || [], h = s.removedTargetIds || []; - n = new yi(a, h, c.key, c); - } else if ("documentDelete" in e) { - e.documentDelete; - const s = e.documentDelete; - s.document; - const i = Oi(t, s.document), r = s.readTime ? Ni(s.readTime) : rt.min(), o = an.newNoDocument(i, r), u = s.removedTargetIds || []; - n = new yi([], u, o.key, o); - } else if ("documentRemove" in e) { - e.documentRemove; - const s = e.documentRemove; - s.document; - const i = Oi(t, s.document), r = s.removedTargetIds || []; - n = new yi([], r, i, null); - } else { - if (!("filter" in e)) return O(); - { - e.filter; - const t = e.filter; - t.targetId; - const {count: s = 0, unchangedNames: i} = t, r = new si(s, i), o = t.targetId; - n = new pi(o, r); - } - } - return n; - } - - function ji(t, e) { - let n; - if (e instanceof js) n = { - update: Ui(t, e.key, e.value) - }; else if (e instanceof Ys) n = { - delete: $i(t, e.key) - }; else if (e instanceof zs) n = { - update: Ui(t, e.key, e.data), - updateMask: or(e.fieldMask) - }; else { - if (!(e instanceof Xs)) return O(); - n = { - verify: $i(t, e.key) - }; - } - return e.fieldTransforms.length > 0 && (n.updateTransforms = e.fieldTransforms.map((t => function(t, e) { - const n = e.transform; - if (n instanceof bs) return { - fieldPath: e.field.canonicalString(), - setToServerValue: "REQUEST_TIME" - }; - if (n instanceof Vs) return { - fieldPath: e.field.canonicalString(), - appendMissingElements: { - values: n.elements - } - }; - if (n instanceof Ds) return { - fieldPath: e.field.canonicalString(), - removeAllFromArray: { - values: n.elements - } - }; - if (n instanceof xs) return { - fieldPath: e.field.canonicalString(), - increment: n.gt - }; - throw O(); - }(0, t)))), e.precondition.isNone || (n.currentDocument = function(t, e) { - return void 0 !== e.updateTime ? { - updateTime: xi(t, e.updateTime) - } : void 0 !== e.exists ? { - exists: e.exists - } : O(); - }(t, e.precondition)), n; - } - - function zi(t, e) { - const n = e.currentDocument ? function(t) { - return void 0 !== t.updateTime ? Fs.updateTime(Ni(t.updateTime)) : void 0 !== t.exists ? Fs.exists(t.exists) : Fs.none(); - }(e.currentDocument) : Fs.none(), s = e.updateTransforms ? e.updateTransforms.map((e => function(t, e) { - let n = null; - if ("setToServerValue" in e) F("REQUEST_TIME" === e.setToServerValue), n = new bs; else if ("appendMissingElements" in e) { - const t = e.appendMissingElements.values || []; - n = new Vs(t); - } else if ("removeAllFromArray" in e) { - const t = e.removeAllFromArray.values || []; - n = new Ds(t); - } else "increment" in e ? n = new xs(t, e.increment) : O(); - const s = at.fromServerFormat(e.fieldPath); - return new Ms(s, n); - }(t, e))) : []; - if (e.update) { - e.update.name; - const i = Oi(t, e.update.name), r = new un({ - mapValue: { - fields: e.update.fields - } - }); - if (e.updateMask) { - const t = function(t) { - const e = t.fieldPaths || []; - return new Re(e.map((t => at.fromServerFormat(t)))); - }(e.updateMask); - return new zs(i, r, t, n, s); - } - return new js(i, r, n, s); - } - if (e.delete) { - const s = Oi(t, e.delete); - return new Ys(s, n); - } - if (e.verify) { - const s = Oi(t, e.verify); - return new Xs(s, n); - } - return O(); - } - - function Wi(t, e) { - return t && t.length > 0 ? (F(void 0 !== e), t.map((t => function(t, e) { - // NOTE: Deletes don't have an updateTime. - let n = t.updateTime ? Ni(t.updateTime) : Ni(e); - return n.isEqual(rt.min()) && ( - // The Firestore Emulator currently returns an update time of 0 for - // deletes of non-existing documents (rather than null). This breaks the - // test "get deleted doc while offline with source=cache" as NoDocuments - // with version 0 are filtered by IndexedDb's RemoteDocumentCache. - // TODO(#2149): Remove this when Emulator is fixed - n = Ni(e)), new Os(n, t.transformResults || []); - }(t, e)))) : []; - } - - function Hi(t, e) { - return { - documents: [ Fi(t, e.path) ] - }; - } - - function Ji(t, e) { - // Dissect the path into parent, collectionId, and optional key filter. - const n = { - structuredQuery: {} - }, s = e.path; - null !== e.collectionGroup ? (n.parent = Fi(t, s), n.structuredQuery.from = [ { - collectionId: e.collectionGroup, - allDescendants: !0 - } ]) : (n.parent = Fi(t, s.popLast()), n.structuredQuery.from = [ { - collectionId: s.lastSegment() - } ]); - const i = function(t) { - if (0 === t.length) return; - return rr(gn.create(t, "and" /* CompositeOperator.AND */)); - }(e.filters); - i && (n.structuredQuery.where = i); - const r = function(t) { - if (0 === t.length) return; - return t.map((t => - // visible for testing - function(t) { - return { - field: sr(t.field), - direction: tr(t.dir) - }; - }(t))); - }(e.orderBy); - r && (n.structuredQuery.orderBy = r); - const o = Si(t, e.limit); - var u; - return null !== o && (n.structuredQuery.limit = o), e.startAt && (n.structuredQuery.startAt = { - before: (u = e.startAt).inclusive, - values: u.position - }), e.endAt && (n.structuredQuery.endAt = function(t) { - return { - before: !t.inclusive, - values: t.position - }; - }(e.endAt)), n; - } - - function Yi(t) { - let e = Bi(t.parent); - const n = t.structuredQuery, s = n.from ? n.from.length : 0; - let i = null; - if (s > 0) { - F(1 === s); - const t = n.from[0]; - t.allDescendants ? i = t.collectionId : e = e.child(t.collectionId); - } - let r = []; - n.where && (r = function(t) { - const e = Zi(t); - if (e instanceof gn && In(e)) return e.getFilters(); - return [ e ]; - }(n.where)); - let o = []; - n.orderBy && (o = n.orderBy.map((t => function(t) { - return new dn(ir(t.field), - // visible for testing - function(t) { - switch (t) { - case "ASCENDING": - return "asc" /* Direction.ASCENDING */; - - case "DESCENDING": - return "desc" /* Direction.DESCENDING */; - - default: - return; - } - } - // visible for testing - (t.direction)); - } - // visible for testing - (t)))); - let u = null; - n.limit && (u = function(t) { - let e; - return e = "object" == typeof t ? t.value : t, Ft(e) ? null : e; - }(n.limit)); - let c = null; - n.startAt && (c = function(t) { - const e = !!t.before, n = t.values || []; - return new hn(n, e); - }(n.startAt)); - let a = null; - return n.endAt && (a = function(t) { - const e = !t.before, n = t.values || []; - return new hn(n, e); - } - // visible for testing - (n.endAt)), Kn(e, i, o, r, u, "F" /* LimitType.First */ , c, a); - } - - function Xi(t, e) { - const n = function(t) { - switch (t) { - case "TargetPurposeListen" /* TargetPurpose.Listen */ : - return null; - - case "TargetPurposeExistenceFilterMismatch" /* TargetPurpose.ExistenceFilterMismatch */ : - return "existence-filter-mismatch"; - - case "TargetPurposeExistenceFilterMismatchBloom" /* TargetPurpose.ExistenceFilterMismatchBloom */ : - return "existence-filter-mismatch-bloom"; - - case "TargetPurposeLimboResolution" /* TargetPurpose.LimboResolution */ : - return "limbo-document"; - - default: - return O(); - } - }(e.purpose); - return null == n ? null : { - "goog-listen-tags": n - }; - } - - function Zi(t) { - return void 0 !== t.unaryFilter ? function(t) { - switch (t.unaryFilter.op) { - case "IS_NAN": - const e = ir(t.unaryFilter.field); - return mn.create(e, "==" /* Operator.EQUAL */ , { - doubleValue: NaN - }); - - case "IS_NULL": - const n = ir(t.unaryFilter.field); - return mn.create(n, "==" /* Operator.EQUAL */ , { - nullValue: "NULL_VALUE" - }); - - case "IS_NOT_NAN": - const s = ir(t.unaryFilter.field); - return mn.create(s, "!=" /* Operator.NOT_EQUAL */ , { - doubleValue: NaN - }); - - case "IS_NOT_NULL": - const i = ir(t.unaryFilter.field); - return mn.create(i, "!=" /* Operator.NOT_EQUAL */ , { - nullValue: "NULL_VALUE" - }); - - default: - return O(); - } - }(t) : void 0 !== t.fieldFilter ? function(t) { - return mn.create(ir(t.fieldFilter.field), function(t) { - switch (t) { - case "EQUAL": - return "==" /* Operator.EQUAL */; - - case "NOT_EQUAL": - return "!=" /* Operator.NOT_EQUAL */; - - case "GREATER_THAN": - return ">" /* Operator.GREATER_THAN */; - - case "GREATER_THAN_OR_EQUAL": - return ">=" /* Operator.GREATER_THAN_OR_EQUAL */; - - case "LESS_THAN": - return "<" /* Operator.LESS_THAN */; - - case "LESS_THAN_OR_EQUAL": - return "<=" /* Operator.LESS_THAN_OR_EQUAL */; - - case "ARRAY_CONTAINS": - return "array-contains" /* Operator.ARRAY_CONTAINS */; - - case "IN": - return "in" /* Operator.IN */; - - case "NOT_IN": - return "not-in" /* Operator.NOT_IN */; - - case "ARRAY_CONTAINS_ANY": - return "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */; - - default: - return O(); - } - }(t.fieldFilter.op), t.fieldFilter.value); - }(t) : void 0 !== t.compositeFilter ? function(t) { - return gn.create(t.compositeFilter.filters.map((t => Zi(t))), function(t) { - switch (t) { - case "AND": - return "and" /* CompositeOperator.AND */; - - case "OR": - return "or" /* CompositeOperator.OR */; - - default: - return O(); - } - }(t.compositeFilter.op)); - }(t) : O(); - } - - function tr(t) { - return Ri[t]; - } - - function er(t) { - return Pi[t]; - } - - function nr(t) { - return bi[t]; - } - - function sr(t) { - return { - fieldPath: t.canonicalString() - }; - } - - function ir(t) { - return at.fromServerFormat(t.fieldPath); - } - - function rr(t) { - return t instanceof mn ? function(t) { - if ("==" /* Operator.EQUAL */ === t.op) { - if (Xe(t.value)) return { - unaryFilter: { - field: sr(t.field), - op: "IS_NAN" - } - }; - if (Ye(t.value)) return { - unaryFilter: { - field: sr(t.field), - op: "IS_NULL" - } - }; - } else if ("!=" /* Operator.NOT_EQUAL */ === t.op) { - if (Xe(t.value)) return { - unaryFilter: { - field: sr(t.field), - op: "IS_NOT_NAN" - } - }; - if (Ye(t.value)) return { - unaryFilter: { - field: sr(t.field), - op: "IS_NOT_NULL" - } - }; - } - return { - fieldFilter: { - field: sr(t.field), - op: er(t.op), - value: t.value - } - }; - }(t) : t instanceof gn ? function(t) { - const e = t.getFilters().map((t => rr(t))); - if (1 === e.length) return e[0]; - return { - compositeFilter: { - op: nr(t.op), - filters: e - } - }; - }(t) : O(); - } - - function or(t) { - const e = []; - return t.fields.forEach((t => e.push(t.canonicalString()))), { - fieldPaths: e - }; - } - - function ur(t) { - // Resource names have at least 4 components (project ID, database ID) - return t.length >= 4 && "projects" === t.get(0) && "databases" === t.get(2); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An immutable set of metadata that the local store tracks for each target. - */ class cr { - constructor( - /** The target being listened to. */ - t, - /** - * The target ID to which the target corresponds; Assigned by the - * LocalStore for user listens and by the SyncEngine for limbo watches. - */ - e, - /** The purpose of the target. */ - n, - /** - * The sequence number of the last transaction during which this target data - * was modified. - */ - s, - /** The latest snapshot version seen for this target. */ - i = rt.min() - /** - * The maximum snapshot version at which the associated view - * contained no limbo documents. - */ , r = rt.min() - /** - * An opaque, server-assigned token that allows watching a target to be - * resumed after disconnecting without retransmitting all the data that - * matches the target. The resume token essentially identifies a point in - * time from which the server should resume sending results. - */ , o = Ve.EMPTY_BYTE_STRING - /** - * The number of documents that last matched the query at the resume token or - * read time. Documents are counted only when making a listen request with - * resume token or read time, otherwise, keep it null. - */ , u = null) { - this.target = t, this.targetId = e, this.purpose = n, this.sequenceNumber = s, this.snapshotVersion = i, - this.lastLimboFreeSnapshotVersion = r, this.resumeToken = o, this.expectedCount = u; - } - /** Creates a new target data instance with an updated sequence number. */ withSequenceNumber(t) { - return new cr(this.target, this.targetId, this.purpose, t, this.snapshotVersion, this.lastLimboFreeSnapshotVersion, this.resumeToken, this.expectedCount); - } - /** - * Creates a new target data instance with an updated resume token and - * snapshot version. - */ withResumeToken(t, e) { - return new cr(this.target, this.targetId, this.purpose, this.sequenceNumber, e, this.lastLimboFreeSnapshotVersion, t, - /* expectedCount= */ null); - } - /** - * Creates a new target data instance with an updated expected count. - */ withExpectedCount(t) { - return new cr(this.target, this.targetId, this.purpose, this.sequenceNumber, this.snapshotVersion, this.lastLimboFreeSnapshotVersion, this.resumeToken, t); - } - /** - * Creates a new target data instance with an updated last limbo free - * snapshot version number. - */ withLastLimboFreeSnapshotVersion(t) { - return new cr(this.target, this.targetId, this.purpose, this.sequenceNumber, this.snapshotVersion, t, this.resumeToken, this.expectedCount); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Serializer for values stored in the LocalStore. */ class ar { - constructor(t) { - this.fe = t; - } - } - - /** Decodes a remote document from storage locally to a Document. */ function hr(t, e) { - let n; - if (e.document) n = Ki(t.fe, e.document, !!e.hasCommittedMutations); else if (e.noDocument) { - const t = ht.fromSegments(e.noDocument.path), s = wr(e.noDocument.readTime); - n = an.newNoDocument(t, s), e.hasCommittedMutations && n.setHasCommittedMutations(); - } else { - if (!e.unknownDocument) return O(); - { - const t = ht.fromSegments(e.unknownDocument.path), s = wr(e.unknownDocument.version); - n = an.newUnknownDocument(t, s); - } - } - return e.readTime && n.setReadTime(function(t) { - const e = new it(t[0], t[1]); - return rt.fromTimestamp(e); - }(e.readTime)), n; - } - - /** Encodes a document for storage locally. */ function lr(t, e) { - const n = e.key, s = { - prefixPath: n.getCollectionPath().popLast().toArray(), - collectionGroup: n.collectionGroup, - documentId: n.path.lastSegment(), - readTime: fr(e.readTime), - hasCommittedMutations: e.hasCommittedMutations - }; - if (e.isFoundDocument()) s.document = function(t, e) { - return { - name: $i(t, e.key), - fields: e.data.value.mapValue.fields, - updateTime: Di(t, e.version.toTimestamp()), - createTime: Di(t, e.createTime.toTimestamp()) - }; - }(t.fe, e); else if (e.isNoDocument()) s.noDocument = { - path: n.path.toArray(), - readTime: dr(e.version) - }; else { - if (!e.isUnknownDocument()) return O(); - s.unknownDocument = { - path: n.path.toArray(), - version: dr(e.version) - }; - } - return s; - } - - function fr(t) { - const e = t.toTimestamp(); - return [ e.seconds, e.nanoseconds ]; - } - - function dr(t) { - const e = t.toTimestamp(); - return { - seconds: e.seconds, - nanoseconds: e.nanoseconds - }; - } - - function wr(t) { - const e = new it(t.seconds, t.nanoseconds); - return rt.fromTimestamp(e); - } - - /** Encodes a batch of mutations into a DbMutationBatch for local storage. */ - /** Decodes a DbMutationBatch into a MutationBatch */ - function _r(t, e) { - const n = (e.baseMutations || []).map((e => zi(t.fe, e))); - // Squash old transform mutations into existing patch or set mutations. - // The replacement of representing `transforms` with `update_transforms` - // on the SDK means that old `transform` mutations stored in IndexedDB need - // to be updated to `update_transforms`. - // TODO(b/174608374): Remove this code once we perform a schema migration. - for (let t = 0; t < e.mutations.length - 1; ++t) { - const n = e.mutations[t]; - if (t + 1 < e.mutations.length && void 0 !== e.mutations[t + 1].transform) { - const s = e.mutations[t + 1]; - n.updateTransforms = s.transform.fieldTransforms, e.mutations.splice(t + 1, 1), - ++t; - } - } - const s = e.mutations.map((e => zi(t.fe, e))), i = it.fromMillis(e.localWriteTimeMs); - return new Zs(e.batchId, i, n, s); - } - - /** Decodes a DbTarget into TargetData */ function mr(t) { - const e = wr(t.readTime), n = void 0 !== t.lastLimboFreeSnapshotVersion ? wr(t.lastLimboFreeSnapshotVersion) : rt.min(); - let s; - var i; - return void 0 !== t.query.documents ? (F(1 === (i = t.query).documents.length), - s = Jn(Gn(Bi(i.documents[0])))) : s = function(t) { - return Jn(Yi(t)); - }(t.query), new cr(s, t.targetId, "TargetPurposeListen" /* TargetPurpose.Listen */ , t.lastListenSequenceNumber, e, n, Ve.fromBase64String(t.resumeToken)); - } - - /** Encodes TargetData into a DbTarget for storage locally. */ function gr(t, e) { - const n = dr(e.snapshotVersion), s = dr(e.lastLimboFreeSnapshotVersion); - let i; - i = Fn(e.target) ? Hi(t.fe, e.target) : Ji(t.fe, e.target); - // We can't store the resumeToken as a ByteString in IndexedDb, so we - // convert it to a base64 string for storage. - const r = e.resumeToken.toBase64(); - // lastListenSequenceNumber is always 0 until we do real GC. - return { - targetId: e.targetId, - canonicalId: $n(e.target), - readTime: n, - resumeToken: r, - lastListenSequenceNumber: e.sequenceNumber, - lastLimboFreeSnapshotVersion: s, - query: i - }; - } - - /** - * A helper function for figuring out what kind of query has been stored. - */ - /** - * Encodes a `BundledQuery` from bundle proto to a Query object. - * - * This reconstructs the original query used to build the bundle being loaded, - * including features exists only in SDKs (for example: limit-to-last). - */ - function yr(t) { - const e = Yi({ - parent: t.parent, - structuredQuery: t.structuredQuery - }); - return "LAST" === t.limitType ? Xn(e, e.limit, "L" /* LimitType.Last */) : e; - } - - /** Encodes a NamedQuery proto object to a NamedQuery model object. */ - /** Encodes a DbDocumentOverlay object to an Overlay model object. */ - function pr(t, e) { - return new ei(e.largestBatchId, zi(t.fe, e.overlayMutation)); - } - - /** Decodes an Overlay model object into a DbDocumentOverlay object. */ - /** - * Returns the DbDocumentOverlayKey corresponding to the given user and - * document key. - */ - function Ir(t, e) { - const n = e.path.lastSegment(); - return [ t, qt(e.path.popLast()), n ]; - } - - function Tr(t, e, n, s) { - return { - indexId: t, - uid: e.uid || "", - sequenceNumber: n, - readTime: dr(s.readTime), - documentKey: qt(s.documentKey.path), - largestBatchId: s.largestBatchId - }; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Er { - getBundleMetadata(t, e) { - return Ar(t).get(e).next((t => { - if (t) return { - id: (e = t).bundleId, - createTime: wr(e.createTime), - version: e.version - }; - /** Encodes a DbBundle to a BundleMetadata object. */ - var e; - /** Encodes a BundleMetadata to a DbBundle. */ })); - } - saveBundleMetadata(t, e) { - return Ar(t).put({ - bundleId: (n = e).id, - createTime: dr(Ni(n.createTime)), - version: n.version - }); - var n; - /** Encodes a DbNamedQuery to a NamedQuery. */ } - getNamedQuery(t, e) { - return vr(t).get(e).next((t => { - if (t) return { - name: (e = t).name, - query: yr(e.bundledQuery), - readTime: wr(e.readTime) - }; - var e; - /** Encodes a NamedQuery from a bundle proto to a DbNamedQuery. */ })); - } - saveNamedQuery(t, e) { - return vr(t).put(function(t) { - return { - name: t.name, - readTime: dr(Ni(t.readTime)), - bundledQuery: t.bundledQuery - }; - }(e)); - } - } - - /** - * Helper to get a typed SimpleDbStore for the bundles object store. - */ function Ar(t) { - return _e(t, "bundles"); - } - - /** - * Helper to get a typed SimpleDbStore for the namedQueries object store. - */ function vr(t) { - return _e(t, "namedQueries"); - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Implementation of DocumentOverlayCache using IndexedDb. - */ class Rr { - /** - * @param serializer - The document serializer. - * @param userId - The userId for which we are accessing overlays. - */ - constructor(t, e) { - this.serializer = t, this.userId = e; - } - static de(t, e) { - const n = e.uid || ""; - return new Rr(t, n); - } - getOverlay(t, e) { - return Pr(t).get(Ir(this.userId, e)).next((t => t ? pr(this.serializer, t) : null)); - } - getOverlays(t, e) { - const n = fs(); - return Rt.forEach(e, (e => this.getOverlay(t, e).next((t => { - null !== t && n.set(e, t); - })))).next((() => n)); - } - saveOverlays(t, e, n) { - const s = []; - return n.forEach(((n, i) => { - const r = new ei(e, i); - s.push(this.we(t, r)); - })), Rt.waitFor(s); - } - removeOverlaysForBatchId(t, e, n) { - const s = new Set; - // Get the set of unique collection paths. - e.forEach((t => s.add(qt(t.getCollectionPath())))); - const i = []; - return s.forEach((e => { - const s = IDBKeyRange.bound([ this.userId, e, n ], [ this.userId, e, n + 1 ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0); - i.push(Pr(t).J("collectionPathOverlayIndex", s)); - })), Rt.waitFor(i); - } - getOverlaysForCollection(t, e, n) { - const s = fs(), i = qt(e), r = IDBKeyRange.bound([ this.userId, i, n ], [ this.userId, i, Number.POSITIVE_INFINITY ], - /*lowerOpen=*/ !0); - return Pr(t).j("collectionPathOverlayIndex", r).next((t => { - for (const e of t) { - const t = pr(this.serializer, e); - s.set(t.getKey(), t); - } - return s; - })); - } - getOverlaysForCollectionGroup(t, e, n, s) { - const i = fs(); - let r; - // We want batch IDs larger than `sinceBatchId`, and so the lower bound - // is not inclusive. - const o = IDBKeyRange.bound([ this.userId, e, n ], [ this.userId, e, Number.POSITIVE_INFINITY ], - /*lowerOpen=*/ !0); - return Pr(t).X({ - index: "collectionGroupOverlayIndex", - range: o - }, ((t, e, n) => { - // We do not want to return partial batch overlays, even if the size - // of the result set exceeds the given `count` argument. Therefore, we - // continue to aggregate results even after the result size exceeds - // `count` if there are more overlays from the `currentBatchId`. - const o = pr(this.serializer, e); - i.size() < s || o.largestBatchId === r ? (i.set(o.getKey(), o), r = o.largestBatchId) : n.done(); - })).next((() => i)); - } - we(t, e) { - return Pr(t).put(function(t, e, n) { - const [s, i, r] = Ir(e, n.mutation.key); - return { - userId: e, - collectionPath: i, - documentId: r, - collectionGroup: n.mutation.key.getCollectionGroup(), - largestBatchId: n.largestBatchId, - overlayMutation: ji(t.fe, n.mutation) - }; - }(this.serializer, this.userId, e)); - } - } - - /** - * Helper to get a typed SimpleDbStore for the document overlay object store. - */ function Pr(t) { - return _e(t, "documentOverlays"); - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // Note: This code is copied from the backend. Code that is not used by - // Firestore was removed. - /** Firestore index value writer. */ - class br { - constructor() {} - // The write methods below short-circuit writing terminators for values - // containing a (terminating) truncated value. - // As an example, consider the resulting encoding for: - // ["bar", [2, "foo"]] -> (STRING, "bar", TERM, ARRAY, NUMBER, 2, STRING, "foo", TERM, TERM, TERM) - // ["bar", [2, truncated("foo")]] -> (STRING, "bar", TERM, ARRAY, NUMBER, 2, STRING, "foo", TRUNC) - // ["bar", truncated(["foo"])] -> (STRING, "bar", TERM, ARRAY. STRING, "foo", TERM, TRUNC) - /** Writes an index value. */ - _e(t, e) { - this.me(t, e), - // Write separator to split index values - // (see go/firestore-storage-format#encodings). - e.ge(); - } - me(t, e) { - if ("nullValue" in t) this.ye(e, 5); else if ("booleanValue" in t) this.ye(e, 10), - e.pe(t.booleanValue ? 1 : 0); else if ("integerValue" in t) this.ye(e, 15), e.pe(Ce(t.integerValue)); else if ("doubleValue" in t) { - const n = Ce(t.doubleValue); - isNaN(n) ? this.ye(e, 13) : (this.ye(e, 15), Bt(n) ? - // -0.0, 0 and 0.0 are all considered the same - e.pe(0) : e.pe(n)); - } else if ("timestampValue" in t) { - const n = t.timestampValue; - this.ye(e, 20), "string" == typeof n ? e.Ie(n) : (e.Ie(`${n.seconds || ""}`), e.pe(n.nanos || 0)); - } else if ("stringValue" in t) this.Te(t.stringValue, e), this.Ee(e); else if ("bytesValue" in t) this.ye(e, 30), - e.Ae(xe(t.bytesValue)), this.Ee(e); else if ("referenceValue" in t) this.ve(t.referenceValue, e); else if ("geoPointValue" in t) { - const n = t.geoPointValue; - this.ye(e, 45), e.pe(n.latitude || 0), e.pe(n.longitude || 0); - } else "mapValue" in t ? en(t) ? this.ye(e, Number.MAX_SAFE_INTEGER) : (this.Re(t.mapValue, e), - this.Ee(e)) : "arrayValue" in t ? (this.Pe(t.arrayValue, e), this.Ee(e)) : O(); - } - Te(t, e) { - this.ye(e, 25), this.be(t, e); - } - be(t, e) { - e.Ie(t); - } - Re(t, e) { - const n = t.fields || {}; - this.ye(e, 55); - for (const t of Object.keys(n)) this.Te(t, e), this.me(n[t], e); - } - Pe(t, e) { - const n = t.values || []; - this.ye(e, 50); - for (const t of n) this.me(t, e); - } - ve(t, e) { - this.ye(e, 37); - ht.fromName(t).path.forEach((t => { - this.ye(e, 60), this.be(t, e); - })); - } - ye(t, e) { - t.pe(e); - } - Ee(t) { - // While the SDK does not implement truncation, the truncation marker is - // used to terminate all variable length values (which are strings, bytes, - // references, arrays and maps). - t.pe(2); - } - } - - br.Ve = new br; - - /** - * Counts the number of zeros in a byte. - * - * Visible for testing. - */ - function Vr(t) { - if (0 === t) return 8; - let e = 0; - return t >> 4 == 0 && ( - // Test if the first four bits are zero. - e += 4, t <<= 4), t >> 6 == 0 && ( - // Test if the first two (or next two) bits are zero. - e += 2, t <<= 2), t >> 7 == 0 && ( - // Test if the remaining bit is zero. - e += 1), e; - } - - /** Counts the number of leading zeros in the given byte array. */ - /** - * Returns the number of bytes required to store "value". Leading zero bytes - * are skipped. - */ - function Sr(t) { - // This is just the number of bytes for the unsigned representation of the number. - const e = 64 - function(t) { - let e = 0; - for (let n = 0; n < 8; ++n) { - const s = Vr(255 & t[n]); - if (e += s, 8 !== s) break; - } - return e; - }(t); - return Math.ceil(e / 8); - } - - /** - * OrderedCodeWriter is a minimal-allocation implementation of the writing - * behavior defined by the backend. - * - * The code is ported from its Java counterpart. - */ class Dr { - constructor() { - this.buffer = new Uint8Array(1024), this.position = 0; - } - Se(t) { - const e = t[Symbol.iterator](); - let n = e.next(); - for (;!n.done; ) this.De(n.value), n = e.next(); - this.Ce(); - } - xe(t) { - const e = t[Symbol.iterator](); - let n = e.next(); - for (;!n.done; ) this.Ne(n.value), n = e.next(); - this.ke(); - } - /** Writes utf8 bytes into this byte sequence, ascending. */ Me(t) { - for (const e of t) { - const t = e.charCodeAt(0); - if (t < 128) this.De(t); else if (t < 2048) this.De(960 | t >>> 6), this.De(128 | 63 & t); else if (e < "\ud800" || "\udbff" < e) this.De(480 | t >>> 12), - this.De(128 | 63 & t >>> 6), this.De(128 | 63 & t); else { - const t = e.codePointAt(0); - this.De(240 | t >>> 18), this.De(128 | 63 & t >>> 12), this.De(128 | 63 & t >>> 6), - this.De(128 | 63 & t); - } - } - this.Ce(); - } - /** Writes utf8 bytes into this byte sequence, descending */ $e(t) { - for (const e of t) { - const t = e.charCodeAt(0); - if (t < 128) this.Ne(t); else if (t < 2048) this.Ne(960 | t >>> 6), this.Ne(128 | 63 & t); else if (e < "\ud800" || "\udbff" < e) this.Ne(480 | t >>> 12), - this.Ne(128 | 63 & t >>> 6), this.Ne(128 | 63 & t); else { - const t = e.codePointAt(0); - this.Ne(240 | t >>> 18), this.Ne(128 | 63 & t >>> 12), this.Ne(128 | 63 & t >>> 6), - this.Ne(128 | 63 & t); - } - } - this.ke(); - } - Oe(t) { - // Values are encoded with a single byte length prefix, followed by the - // actual value in big-endian format with leading 0 bytes dropped. - const e = this.Fe(t), n = Sr(e); - this.Be(1 + n), this.buffer[this.position++] = 255 & n; - // Write the length - for (let t = e.length - n; t < e.length; ++t) this.buffer[this.position++] = 255 & e[t]; - } - Le(t) { - // Values are encoded with a single byte length prefix, followed by the - // inverted value in big-endian format with leading 0 bytes dropped. - const e = this.Fe(t), n = Sr(e); - this.Be(1 + n), this.buffer[this.position++] = ~(255 & n); - // Write the length - for (let t = e.length - n; t < e.length; ++t) this.buffer[this.position++] = ~(255 & e[t]); - } - /** - * Writes the "infinity" byte sequence that sorts after all other byte - * sequences written in ascending order. - */ qe() { - this.Ue(255), this.Ue(255); - } - /** - * Writes the "infinity" byte sequence that sorts before all other byte - * sequences written in descending order. - */ Ke() { - this.Ge(255), this.Ge(255); - } - /** - * Resets the buffer such that it is the same as when it was newly - * constructed. - */ reset() { - this.position = 0; - } - seed(t) { - this.Be(t.length), this.buffer.set(t, this.position), this.position += t.length; - } - /** Makes a copy of the encoded bytes in this buffer. */ Qe() { - return this.buffer.slice(0, this.position); - } - /** - * Encodes `val` into an encoding so that the order matches the IEEE 754 - * floating-point comparison results with the following exceptions: - * -0.0 < 0.0 - * all non-NaN < NaN - * NaN = NaN - */ Fe(t) { - const e = - /** Converts a JavaScript number to a byte array (using big endian encoding). */ - function(t) { - const e = new DataView(new ArrayBuffer(8)); - return e.setFloat64(0, t, /* littleEndian= */ !1), new Uint8Array(e.buffer); - }(t), n = 0 != (128 & e[0]); - // Check if the first bit is set. We use a bit mask since value[0] is - // encoded as a number from 0 to 255. - // Revert the two complement to get natural ordering - e[0] ^= n ? 255 : 128; - for (let t = 1; t < e.length; ++t) e[t] ^= n ? 255 : 0; - return e; - } - /** Writes a single byte ascending to the buffer. */ De(t) { - const e = 255 & t; - 0 === e ? (this.Ue(0), this.Ue(255)) : 255 === e ? (this.Ue(255), this.Ue(0)) : this.Ue(e); - } - /** Writes a single byte descending to the buffer. */ Ne(t) { - const e = 255 & t; - 0 === e ? (this.Ge(0), this.Ge(255)) : 255 === e ? (this.Ge(255), this.Ge(0)) : this.Ge(t); - } - Ce() { - this.Ue(0), this.Ue(1); - } - ke() { - this.Ge(0), this.Ge(1); - } - Ue(t) { - this.Be(1), this.buffer[this.position++] = t; - } - Ge(t) { - this.Be(1), this.buffer[this.position++] = ~t; - } - Be(t) { - const e = t + this.position; - if (e <= this.buffer.length) return; - // Try doubling. - let n = 2 * this.buffer.length; - // Still not big enough? Just allocate the right size. - n < e && (n = e); - // Create the new buffer. - const s = new Uint8Array(n); - s.set(this.buffer), // copy old data - this.buffer = s; - } - } - - class Cr { - constructor(t) { - this.je = t; - } - Ae(t) { - this.je.Se(t); - } - Ie(t) { - this.je.Me(t); - } - pe(t) { - this.je.Oe(t); - } - ge() { - this.je.qe(); - } - } - - class xr { - constructor(t) { - this.je = t; - } - Ae(t) { - this.je.xe(t); - } - Ie(t) { - this.je.$e(t); - } - pe(t) { - this.je.Le(t); - } - ge() { - this.je.Ke(); - } - } - - /** - * Implements `DirectionalIndexByteEncoder` using `OrderedCodeWriter` for the - * actual encoding. - */ class Nr { - constructor() { - this.je = new Dr, this.ze = new Cr(this.je), this.We = new xr(this.je); - } - seed(t) { - this.je.seed(t); - } - He(t) { - return 0 /* IndexKind.ASCENDING */ === t ? this.ze : this.We; - } - Qe() { - return this.je.Qe(); - } - reset() { - this.je.reset(); - } - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Represents an index entry saved by the SDK in persisted storage. */ class kr { - constructor(t, e, n, s) { - this.indexId = t, this.documentKey = e, this.arrayValue = n, this.directionalValue = s; - } - /** - * Returns an IndexEntry entry that sorts immediately after the current - * directional value. - */ Je() { - const t = this.directionalValue.length, e = 0 === t || 255 === this.directionalValue[t - 1] ? t + 1 : t, n = new Uint8Array(e); - return n.set(this.directionalValue, 0), e !== t ? n.set([ 0 ], this.directionalValue.length) : ++n[n.length - 1], - new kr(this.indexId, this.documentKey, this.arrayValue, n); - } - } - - function Mr(t, e) { - let n = t.indexId - e.indexId; - return 0 !== n ? n : (n = $r(t.arrayValue, e.arrayValue), 0 !== n ? n : (n = $r(t.directionalValue, e.directionalValue), - 0 !== n ? n : ht.comparator(t.documentKey, e.documentKey))); - } - - function $r(t, e) { - for (let n = 0; n < t.length && n < e.length; ++n) { - const s = t[n] - e[n]; - if (0 !== s) return s; - } - return t.length - e.length; - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A light query planner for Firestore. - * - * This class matches a `FieldIndex` against a Firestore Query `Target`. It - * determines whether a given index can be used to serve the specified target. - * - * The following table showcases some possible index configurations: - * - * Query | Index - * ----------------------------------------------------------------------------- - * where('a', '==', 'a').where('b', '==', 'b') | a ASC, b DESC - * where('a', '==', 'a').where('b', '==', 'b') | a ASC - * where('a', '==', 'a').where('b', '==', 'b') | b DESC - * where('a', '>=', 'a').orderBy('a') | a ASC - * where('a', '>=', 'a').orderBy('a', 'desc') | a DESC - * where('a', '>=', 'a').orderBy('a').orderBy('b') | a ASC, b ASC - * where('a', '>=', 'a').orderBy('a').orderBy('b') | a ASC - * where('a', 'array-contains', 'a').orderBy('b') | a CONTAINS, b ASCENDING - * where('a', 'array-contains', 'a').orderBy('b') | a CONTAINS - */ class Or { - constructor(t) { - this.collectionId = null != t.collectionGroup ? t.collectionGroup : t.path.lastSegment(), - this.Ye = t.orderBy, this.Xe = []; - for (const e of t.filters) { - const t = e; - t.isInequality() ? this.Ze = t : this.Xe.push(t); - } - } - /** - * Returns whether the index can be used to serve the TargetIndexMatcher's - * target. - * - * An index is considered capable of serving the target when: - * - The target uses all index segments for its filters and orderBy clauses. - * The target can have additional filter and orderBy clauses, but not - * fewer. - * - If an ArrayContains/ArrayContainsAnyfilter is used, the index must also - * have a corresponding `CONTAINS` segment. - * - All directional index segments can be mapped to the target as a series of - * equality filters, a single inequality filter and a series of orderBy - * clauses. - * - The segments that represent the equality filters may appear out of order. - * - The optional segment for the inequality filter must appear after all - * equality segments. - * - The segments that represent that orderBy clause of the target must appear - * in order after all equality and inequality segments. Single orderBy - * clauses cannot be skipped, but a continuous orderBy suffix may be - * omitted. - */ tn(t) { - F(t.collectionGroup === this.collectionId); - // If there is an array element, find a matching filter. - const e = ft(t); - if (void 0 !== e && !this.en(e)) return !1; - const n = dt(t); - let s = 0, i = 0; - // Process all equalities first. Equalities can appear out of order. - for (;s < n.length && this.en(n[s]); ++s) ; - // If we already have processed all segments, all segments are used to serve - // the equality filters and we do not need to map any segments to the - // target's inequality and orderBy clauses. - if (s === n.length) return !0; - // If there is an inequality filter, the next segment must match both the - // filter and the first orderBy clause. - if (void 0 !== this.Ze) { - const t = n[s]; - if (!this.nn(this.Ze, t) || !this.sn(this.Ye[i++], t)) return !1; - ++s; - } - // All remaining segments need to represent the prefix of the target's - // orderBy. - for (;s < n.length; ++s) { - const t = n[s]; - if (i >= this.Ye.length || !this.sn(this.Ye[i++], t)) return !1; - } - return !0; - } - en(t) { - for (const e of this.Xe) if (this.nn(e, t)) return !0; - return !1; - } - nn(t, e) { - if (void 0 === t || !t.field.isEqual(e.fieldPath)) return !1; - const n = "array-contains" /* Operator.ARRAY_CONTAINS */ === t.op || "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ === t.op; - return 2 /* IndexKind.CONTAINS */ === e.kind === n; - } - sn(t, e) { - return !!t.field.isEqual(e.fieldPath) && (0 /* IndexKind.ASCENDING */ === e.kind && "asc" /* Direction.ASCENDING */ === t.dir || 1 /* IndexKind.DESCENDING */ === e.kind && "desc" /* Direction.DESCENDING */ === t.dir); - } - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provides utility functions that help with boolean logic transformations needed for handling - * complex filters used in queries. - */ - /** - * The `in` filter is only a syntactic sugar over a disjunction of equalities. For instance: `a in - * [1,2,3]` is in fact `a==1 || a==2 || a==3`. This method expands any `in` filter in the given - * input into a disjunction of equality filters and returns the expanded filter. - */ function Fr(t) { - var e, n; - if (F(t instanceof mn || t instanceof gn), t instanceof mn) { - if (t instanceof Cn) { - const s = (null === (n = null === (e = t.value.arrayValue) || void 0 === e ? void 0 : e.values) || void 0 === n ? void 0 : n.map((e => mn.create(t.field, "==" /* Operator.EQUAL */ , e)))) || []; - return gn.create(s, "or" /* CompositeOperator.OR */); - } - // We have reached other kinds of field filters. - return t; - } - // We have a composite filter. - const s = t.filters.map((t => Fr(t))); - return gn.create(s, t.op); - } - - /** - * Given a composite filter, returns the list of terms in its disjunctive normal form. - * - *

Each element in the return value is one term of the resulting DNF. For instance: For the - * input: (A || B) && C, the DNF form is: (A && C) || (B && C), and the return value is a list - * with two elements: a composite filter that performs (A && C), and a composite filter that - * performs (B && C). - * - * @param filter the composite filter to calculate DNF transform for. - * @return the terms in the DNF transform. - */ function Br(t) { - if (0 === t.getFilters().length) return []; - const e = Kr(Fr(t)); - return F(Ur(e)), Lr(e) || qr(e) ? [ e ] : e.getFilters(); - } - - /** Returns true if the given filter is a single field filter. e.g. (a == 10). */ function Lr(t) { - return t instanceof mn; - } - - /** - * Returns true if the given filter is the conjunction of one or more field filters. e.g. (a == 10 - * && b == 20) - */ function qr(t) { - return t instanceof gn && In(t); - } - - /** - * Returns whether or not the given filter is in disjunctive normal form (DNF). - * - *

In boolean logic, a disjunctive normal form (DNF) is a canonical normal form of a logical - * formula consisting of a disjunction of conjunctions; it can also be described as an OR of ANDs. - * - *

For more info, visit: https://en.wikipedia.org/wiki/Disjunctive_normal_form - */ function Ur(t) { - return Lr(t) || qr(t) || - /** - * Returns true if the given filter is the disjunction of one or more "flat conjunctions" and - * field filters. e.g. (a == 10) || (b==20 && c==30) - */ - function(t) { - if (t instanceof gn && pn(t)) { - for (const e of t.getFilters()) if (!Lr(e) && !qr(e)) return !1; - return !0; - } - return !1; - }(t); - } - - function Kr(t) { - if (F(t instanceof mn || t instanceof gn), t instanceof mn) return t; - if (1 === t.filters.length) return Kr(t.filters[0]); - // Compute DNF for each of the subfilters first - const e = t.filters.map((t => Kr(t))); - let n = gn.create(e, t.op); - return n = jr(n), Ur(n) ? n : (F(n instanceof gn), F(yn(n)), F(n.filters.length > 1), - n.filters.reduce(((t, e) => Gr(t, e)))); - } - - function Gr(t, e) { - let n; - return F(t instanceof mn || t instanceof gn), F(e instanceof mn || e instanceof gn), - // FieldFilter FieldFilter - n = t instanceof mn ? e instanceof mn ? function(t, e) { - // Conjunction distribution for two field filters is the conjunction of them. - return gn.create([ t, e ], "and" /* CompositeOperator.AND */); - }(t, e) : Qr(t, e) : e instanceof mn ? Qr(e, t) : function(t, e) { - // There are four cases: - // (A & B) & (C & D) --> (A & B & C & D) - // (A & B) & (C | D) --> (A & B & C) | (A & B & D) - // (A | B) & (C & D) --> (C & D & A) | (C & D & B) - // (A | B) & (C | D) --> (A & C) | (A & D) | (B & C) | (B & D) - // Case 1 is a merge. - if (F(t.filters.length > 0 && e.filters.length > 0), yn(t) && yn(e)) return vn(t, e.getFilters()); - // Case 2,3,4 all have at least one side (lhs or rhs) that is a disjunction. In all three cases - // we should take each element of the disjunction and distribute it over the other side, and - // return the disjunction of the distribution results. - const n = pn(t) ? t : e, s = pn(t) ? e : t, i = n.filters.map((t => Gr(t, s))); - return gn.create(i, "or" /* CompositeOperator.OR */); - }(t, e), jr(n); - } - - function Qr(t, e) { - // There are two cases: - // A & (B & C) --> (A & B & C) - // A & (B | C) --> (A & B) | (A & C) - if (yn(e)) - // Case 1 - return vn(e, t.getFilters()); - { - // Case 2 - const n = e.filters.map((e => Gr(t, e))); - return gn.create(n, "or" /* CompositeOperator.OR */); - } - } - - /** - * Applies the associativity property to the given filter and returns the resulting filter. - * - *

    - *
  • A | (B | C) == (A | B) | C == (A | B | C) - *
  • A & (B & C) == (A & B) & C == (A & B & C) - *
- * - *

For more info, visit: https://en.wikipedia.org/wiki/Associative_property#Propositional_logic - */ function jr(t) { - if (F(t instanceof mn || t instanceof gn), t instanceof mn) return t; - const e = t.getFilters(); - // If the composite filter only contains 1 filter, apply associativity to it. - if (1 === e.length) return jr(e[0]); - // Associativity applied to a flat composite filter results is itself. - if (Tn(t)) return t; - // First apply associativity to all subfilters. This will in turn recursively apply - // associativity to all nested composite filters and field filters. - const n = e.map((t => jr(t))), s = []; - // For composite subfilters that perform the same kind of logical operation as `compositeFilter` - // take out their filters and add them to `compositeFilter`. For example: - // compositeFilter = (A | (B | C | D)) - // compositeSubfilter = (B | C | D) - // Result: (A | B | C | D) - // Note that the `compositeSubfilter` has been eliminated, and its filters (B, C, D) have been - // added to the top-level "compositeFilter". - return n.forEach((e => { - e instanceof mn ? s.push(e) : e instanceof gn && (e.op === t.op ? - // compositeFilter: (A | (B | C)) - // compositeSubfilter: (B | C) - // Result: (A | B | C) - s.push(...e.filters) : - // compositeFilter: (A | (B & C)) - // compositeSubfilter: (B & C) - // Result: (A | (B & C)) - s.push(e)); - })), 1 === s.length ? s[0] : gn.create(s, t.op); - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An in-memory implementation of IndexManager. - */ class zr { - constructor() { - this.rn = new Wr; - } - addToCollectionParentIndex(t, e) { - return this.rn.add(e), Rt.resolve(); - } - getCollectionParents(t, e) { - return Rt.resolve(this.rn.getEntries(e)); - } - addFieldIndex(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve(); - } - deleteFieldIndex(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve(); - } - getDocumentsMatchingTarget(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve(null); - } - getIndexType(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve(0 /* IndexType.NONE */); - } - getFieldIndexes(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve([]); - } - getNextCollectionGroupToUpdate(t) { - // Field indices are not supported with memory persistence. - return Rt.resolve(null); - } - getMinOffset(t, e) { - return Rt.resolve(It.min()); - } - getMinOffsetFromCollectionGroup(t, e) { - return Rt.resolve(It.min()); - } - updateCollectionGroup(t, e, n) { - // Field indices are not supported with memory persistence. - return Rt.resolve(); - } - updateIndexEntries(t, e) { - // Field indices are not supported with memory persistence. - return Rt.resolve(); - } - } - - /** - * Internal implementation of the collection-parent index exposed by MemoryIndexManager. - * Also used for in-memory caching by IndexedDbIndexManager and initial index population - * in indexeddb_schema.ts - */ class Wr { - constructor() { - this.index = {}; - } - // Returns false if the entry already existed. - add(t) { - const e = t.lastSegment(), n = t.popLast(), s = this.index[e] || new Ee(ut.comparator), i = !s.has(n); - return this.index[e] = s.add(n), i; - } - has(t) { - const e = t.lastSegment(), n = t.popLast(), s = this.index[e]; - return s && s.has(n); - } - getEntries(t) { - return (this.index[t] || new Ee(ut.comparator)).toArray(); - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const Hr = new Uint8Array(0); - - /** - * A persisted implementation of IndexManager. - * - * PORTING NOTE: Unlike iOS and Android, the Web SDK does not memoize index - * data as it supports multi-tab access. - */ - class Jr { - constructor(t, e) { - this.user = t, this.databaseId = e, - /** - * An in-memory copy of the index entries we've already written since the SDK - * launched. Used to avoid re-writing the same entry repeatedly. - * - * This is *NOT* a complete cache of what's in persistence and so can never be - * used to satisfy reads. - */ - this.on = new Wr, - /** - * Maps from a target to its equivalent list of sub-targets. Each sub-target - * contains only one term from the target's disjunctive normal form (DNF). - */ - this.un = new os((t => $n(t)), ((t, e) => On(t, e))), this.uid = t.uid || ""; - } - /** - * Adds a new entry to the collection parent index. - * - * Repeated calls for the same collectionPath should be avoided within a - * transaction as IndexedDbIndexManager only caches writes once a transaction - * has been committed. - */ addToCollectionParentIndex(t, e) { - if (!this.on.has(e)) { - const n = e.lastSegment(), s = e.popLast(); - t.addOnCommittedListener((() => { - // Add the collection to the in memory cache only if the transaction was - // successfully committed. - this.on.add(e); - })); - const i = { - collectionId: n, - parent: qt(s) - }; - return Yr(t).put(i); - } - return Rt.resolve(); - } - getCollectionParents(t, e) { - const n = [], s = IDBKeyRange.bound([ e, "" ], [ st(e), "" ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0); - return Yr(t).j(s).next((t => { - for (const s of t) { - // This collectionId guard shouldn't be necessary (and isn't as long - // as we're running in a real browser), but there's a bug in - // indexeddbshim that breaks our range in our tests running in node: - // https://github.com/axemclion/IndexedDBShim/issues/334 - if (s.collectionId !== e) break; - n.push(Gt(s.parent)); - } - return n; - })); - } - addFieldIndex(t, e) { - // TODO(indexing): Verify that the auto-incrementing index ID works in - // Safari & Firefox. - const n = Zr(t), s = function(t) { - return { - indexId: t.indexId, - collectionGroup: t.collectionGroup, - fields: t.fields.map((t => [ t.fieldPath.canonicalString(), t.kind ])) - }; - }(e); - delete s.indexId; - // `indexId` is auto-populated by IndexedDb - const i = n.add(s); - if (e.indexState) { - const n = to(t); - return i.next((t => { - n.put(Tr(t, this.user, e.indexState.sequenceNumber, e.indexState.offset)); - })); - } - return i.next(); - } - deleteFieldIndex(t, e) { - const n = Zr(t), s = to(t), i = Xr(t); - return n.delete(e.indexId).next((() => s.delete(IDBKeyRange.bound([ e.indexId ], [ e.indexId + 1 ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0)))).next((() => i.delete(IDBKeyRange.bound([ e.indexId ], [ e.indexId + 1 ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0)))); - } - getDocumentsMatchingTarget(t, e) { - const n = Xr(t); - let s = !0; - const i = new Map; - return Rt.forEach(this.cn(e), (e => this.an(t, e).next((t => { - s && (s = !!t), i.set(e, t); - })))).next((() => { - if (s) { - let t = gs(); - const s = []; - return Rt.forEach(i, ((i, r) => { - var o; - N("IndexedDbIndexManager", `Using index ${o = i, `id=${o.indexId}|cg=${o.collectionGroup}|f=${o.fields.map((t => `${t.fieldPath}:${t.kind}`)).join(",")}`} to execute ${$n(e)}`); - const u = function(t, e) { - const n = ft(e); - if (void 0 === n) return null; - for (const e of Bn(t, n.fieldPath)) switch (e.op) { - case "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ : - return e.value.arrayValue.values || []; - - case "array-contains" /* Operator.ARRAY_CONTAINS */ : - return [ e.value ]; - // Remaining filters are not array filters. - } - return null; - } - /** - * Returns the list of values that are used in != or NOT_IN filters. Returns - * `null` if there are no such filters. - */ (r, i), c = function(t, e) { - const n = new Map; - for (const s of dt(e)) for (const e of Bn(t, s.fieldPath)) switch (e.op) { - case "==" /* Operator.EQUAL */ : - case "in" /* Operator.IN */ : - // Encode equality prefix, which is encoded in the index value before - // the inequality (e.g. `a == 'a' && b != 'b'` is encoded to - // `value != 'ab'`). - n.set(s.fieldPath.canonicalString(), e.value); - break; - - case "not-in" /* Operator.NOT_IN */ : - case "!=" /* Operator.NOT_EQUAL */ : - // NotIn/NotEqual is always a suffix. There cannot be any remaining - // segments and hence we can return early here. - return n.set(s.fieldPath.canonicalString(), e.value), Array.from(n.values()); - // Remaining filters cannot be used as notIn bounds. - } - return null; - } - /** - * Returns a lower bound of field values that can be used as a starting point to - * scan the index defined by `fieldIndex`. Returns `MIN_VALUE` if no lower bound - * exists. - */ (r, i), a = function(t, e) { - const n = []; - let s = !0; - // For each segment, retrieve a lower bound if there is a suitable filter or - // startAt. - for (const i of dt(e)) { - const e = 0 /* IndexKind.ASCENDING */ === i.kind ? Ln(t, i.fieldPath, t.startAt) : qn(t, i.fieldPath, t.startAt); - n.push(e.value), s && (s = e.inclusive); - } - return new hn(n, s); - } - /** - * Returns an upper bound of field values that can be used as an ending point - * when scanning the index defined by `fieldIndex`. Returns `MAX_VALUE` if no - * upper bound exists. - */ (r, i), h = function(t, e) { - const n = []; - let s = !0; - // For each segment, retrieve an upper bound if there is a suitable filter or - // endAt. - for (const i of dt(e)) { - const e = 0 /* IndexKind.ASCENDING */ === i.kind ? qn(t, i.fieldPath, t.endAt) : Ln(t, i.fieldPath, t.endAt); - n.push(e.value), s && (s = e.inclusive); - } - return new hn(n, s); - }(r, i), l = this.hn(i, r, a), f = this.hn(i, r, h), d = this.ln(i, r, c), w = this.fn(i.indexId, u, l, a.inclusive, f, h.inclusive, d); - return Rt.forEach(w, (i => n.H(i, e.limit).next((e => { - e.forEach((e => { - const n = ht.fromSegments(e.documentKey); - t.has(n) || (t = t.add(n), s.push(n)); - })); - })))); - })).next((() => s)); - } - return Rt.resolve(null); - })); - } - cn(t) { - let e = this.un.get(t); - if (e) return e; - if (0 === t.filters.length) e = [ t ]; else { - e = Br(gn.create(t.filters, "and" /* CompositeOperator.AND */)).map((e => Mn(t.path, t.collectionGroup, t.orderBy, e.getFilters(), t.limit, t.startAt, t.endAt))); - } - return this.un.set(t, e), e; - } - /** - * Constructs a key range query on `DbIndexEntryStore` that unions all - * bounds. - */ fn(t, e, n, s, i, r, o) { - // The number of total index scans we union together. This is similar to a - // distributed normal form, but adapted for array values. We create a single - // index range per value in an ARRAY_CONTAINS or ARRAY_CONTAINS_ANY filter - // combined with the values from the query bounds. - const u = (null != e ? e.length : 1) * Math.max(n.length, i.length), c = u / (null != e ? e.length : 1), a = []; - for (let h = 0; h < u; ++h) { - const u = e ? this.dn(e[h / c]) : Hr, l = this.wn(t, u, n[h % c], s), f = this._n(t, u, i[h % c], r), d = o.map((e => this.wn(t, u, e, - /* inclusive= */ !0))); - a.push(...this.createRange(l, f, d)); - } - return a; - } - /** Generates the lower bound for `arrayValue` and `directionalValue`. */ wn(t, e, n, s) { - const i = new kr(t, ht.empty(), e, n); - return s ? i : i.Je(); - } - /** Generates the upper bound for `arrayValue` and `directionalValue`. */ _n(t, e, n, s) { - const i = new kr(t, ht.empty(), e, n); - return s ? i.Je() : i; - } - an(t, e) { - const n = new Or(e), s = null != e.collectionGroup ? e.collectionGroup : e.path.lastSegment(); - return this.getFieldIndexes(t, s).next((t => { - // Return the index with the most number of segments. - let e = null; - for (const s of t) { - n.tn(s) && (!e || s.fields.length > e.fields.length) && (e = s); - } - return e; - })); - } - getIndexType(t, e) { - let n = 2 /* IndexType.FULL */; - const s = this.cn(e); - return Rt.forEach(s, (e => this.an(t, e).next((t => { - t ? 0 /* IndexType.NONE */ !== n && t.fields.length < function(t) { - let e = new Ee(at.comparator), n = !1; - for (const s of t.filters) for (const t of s.getFlattenedFilters()) - // __name__ is not an explicit segment of any index, so we don't need to - // count it. - t.field.isKeyField() || ( - // ARRAY_CONTAINS or ARRAY_CONTAINS_ANY filters must be counted separately. - // For instance, it is possible to have an index for "a ARRAY a ASC". Even - // though these are on the same field, they should be counted as two - // separate segments in an index. - "array-contains" /* Operator.ARRAY_CONTAINS */ === t.op || "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ === t.op ? n = !0 : e = e.add(t.field)); - for (const n of t.orderBy) - // __name__ is not an explicit segment of any index, so we don't need to - // count it. - n.field.isKeyField() || (e = e.add(n.field)); - return e.size + (n ? 1 : 0); - }(e) && (n = 1 /* IndexType.PARTIAL */) : n = 0 /* IndexType.NONE */; - })))).next((() => - // OR queries have more than one sub-target (one sub-target per DNF term). We currently consider - // OR queries that have a `limit` to have a partial index. For such queries we perform sorting - // and apply the limit in memory as a post-processing step. - function(t) { - return null !== t.limit; - }(e) && s.length > 1 && 2 /* IndexType.FULL */ === n ? 1 /* IndexType.PARTIAL */ : n)); - } - /** - * Returns the byte encoded form of the directional values in the field index. - * Returns `null` if the document does not have all fields specified in the - * index. - */ mn(t, e) { - const n = new Nr; - for (const s of dt(t)) { - const t = e.data.field(s.fieldPath); - if (null == t) return null; - const i = n.He(s.kind); - br.Ve._e(t, i); - } - return n.Qe(); - } - /** Encodes a single value to the ascending index format. */ dn(t) { - const e = new Nr; - return br.Ve._e(t, e.He(0 /* IndexKind.ASCENDING */)), e.Qe(); - } - /** - * Returns an encoded form of the document key that sorts based on the key - * ordering of the field index. - */ gn(t, e) { - const n = new Nr; - return br.Ve._e(We(this.databaseId, e), n.He(function(t) { - const e = dt(t); - return 0 === e.length ? 0 /* IndexKind.ASCENDING */ : e[e.length - 1].kind; - }(t))), n.Qe(); - } - /** - * Encodes the given field values according to the specification in `target`. - * For IN queries, a list of possible values is returned. - */ ln(t, e, n) { - if (null === n) return []; - let s = []; - s.push(new Nr); - let i = 0; - for (const r of dt(t)) { - const t = n[i++]; - for (const n of s) if (this.yn(e, r.fieldPath) && Je(t)) s = this.pn(s, r, t); else { - const e = n.He(r.kind); - br.Ve._e(t, e); - } - } - return this.In(s); - } - /** - * Encodes the given bounds according to the specification in `target`. For IN - * queries, a list of possible values is returned. - */ hn(t, e, n) { - return this.ln(t, e, n.position); - } - /** Returns the byte representation for the provided encoders. */ In(t) { - const e = []; - for (let n = 0; n < t.length; ++n) e[n] = t[n].Qe(); - return e; - } - /** - * Creates a separate encoder for each element of an array. - * - * The method appends each value to all existing encoders (e.g. filter("a", - * "==", "a1").filter("b", "in", ["b1", "b2"]) becomes ["a1,b1", "a1,b2"]). A - * list of new encoders is returned. - */ pn(t, e, n) { - const s = [ ...t ], i = []; - for (const t of n.arrayValue.values || []) for (const n of s) { - const s = new Nr; - s.seed(n.Qe()), br.Ve._e(t, s.He(e.kind)), i.push(s); - } - return i; - } - yn(t, e) { - return !!t.filters.find((t => t instanceof mn && t.field.isEqual(e) && ("in" /* Operator.IN */ === t.op || "not-in" /* Operator.NOT_IN */ === t.op))); - } - getFieldIndexes(t, e) { - const n = Zr(t), s = to(t); - return (e ? n.j("collectionGroupIndex", IDBKeyRange.bound(e, e)) : n.j()).next((t => { - const e = []; - return Rt.forEach(t, (t => s.get([ t.indexId, this.uid ]).next((n => { - e.push(function(t, e) { - const n = e ? new gt$2(e.sequenceNumber, new It(wr(e.readTime), new ht(Gt(e.documentKey)), e.largestBatchId)) : gt$2.empty(), s = t.fields.map((([t, e]) => new _t(at.fromServerFormat(t), e))); - return new lt(t.indexId, t.collectionGroup, s, n); - }(t, n)); - })))).next((() => e)); - })); - } - getNextCollectionGroupToUpdate(t) { - return this.getFieldIndexes(t).next((t => 0 === t.length ? null : (t.sort(((t, e) => { - const n = t.indexState.sequenceNumber - e.indexState.sequenceNumber; - return 0 !== n ? n : et(t.collectionGroup, e.collectionGroup); - })), t[0].collectionGroup))); - } - updateCollectionGroup(t, e, n) { - const s = Zr(t), i = to(t); - return this.Tn(t).next((t => s.j("collectionGroupIndex", IDBKeyRange.bound(e, e)).next((e => Rt.forEach(e, (e => i.put(Tr(e.indexId, this.user, t, n)))))))); - } - updateIndexEntries(t, e) { - // Porting Note: `getFieldIndexes()` on Web does not cache index lookups as - // it could be used across different IndexedDB transactions. As any cached - // data might be invalidated by other multi-tab clients, we can only trust - // data within a single IndexedDB transaction. We therefore add a cache - // here. - const n = new Map; - return Rt.forEach(e, ((e, s) => { - const i = n.get(e.collectionGroup); - return (i ? Rt.resolve(i) : this.getFieldIndexes(t, e.collectionGroup)).next((i => (n.set(e.collectionGroup, i), - Rt.forEach(i, (n => this.En(t, e, n).next((e => { - const i = this.An(s, n); - return e.isEqual(i) ? Rt.resolve() : this.vn(t, s, n, e, i); - }))))))); - })); - } - Rn(t, e, n, s) { - return Xr(t).put({ - indexId: s.indexId, - uid: this.uid, - arrayValue: s.arrayValue, - directionalValue: s.directionalValue, - orderedDocumentKey: this.gn(n, e.key), - documentKey: e.key.path.toArray() - }); - } - Pn(t, e, n, s) { - return Xr(t).delete([ s.indexId, this.uid, s.arrayValue, s.directionalValue, this.gn(n, e.key), e.key.path.toArray() ]); - } - En(t, e, n) { - const s = Xr(t); - let i = new Ee(Mr); - return s.X({ - index: "documentKeyIndex", - range: IDBKeyRange.only([ n.indexId, this.uid, this.gn(n, e) ]) - }, ((t, s) => { - i = i.add(new kr(n.indexId, e, s.arrayValue, s.directionalValue)); - })).next((() => i)); - } - /** Creates the index entries for the given document. */ An(t, e) { - let n = new Ee(Mr); - const s = this.mn(e, t); - if (null == s) return n; - const i = ft(e); - if (null != i) { - const r = t.data.field(i.fieldPath); - if (Je(r)) for (const i of r.arrayValue.values || []) n = n.add(new kr(e.indexId, t.key, this.dn(i), s)); - } else n = n.add(new kr(e.indexId, t.key, Hr, s)); - return n; - } - /** - * Updates the index entries for the provided document by deleting entries - * that are no longer referenced in `newEntries` and adding all newly added - * entries. - */ vn(t, e, n, s, i) { - N("IndexedDbIndexManager", "Updating index entries for document '%s'", e.key); - const r = []; - return function(t, e, n, s, i) { - const r = t.getIterator(), o = e.getIterator(); - let u = ve(r), c = ve(o); - // Walk through the two sets at the same time, using the ordering defined by - // `comparator`. - for (;u || c; ) { - let t = !1, e = !1; - if (u && c) { - const s = n(u, c); - s < 0 ? - // The element was removed if the next element in our ordered - // walkthrough is only in `before`. - e = !0 : s > 0 && ( - // The element was added if the next element in our ordered walkthrough - // is only in `after`. - t = !0); - } else null != u ? e = !0 : t = !0; - t ? (s(c), c = ve(o)) : e ? (i(u), u = ve(r)) : (u = ve(r), c = ve(o)); - } - }(s, i, Mr, ( - /* onAdd= */ s => { - r.push(this.Rn(t, e, n, s)); - }), ( - /* onRemove= */ s => { - r.push(this.Pn(t, e, n, s)); - })), Rt.waitFor(r); - } - Tn(t) { - let e = 1; - return to(t).X({ - index: "sequenceNumberIndex", - reverse: !0, - range: IDBKeyRange.upperBound([ this.uid, Number.MAX_SAFE_INTEGER ]) - }, ((t, n, s) => { - s.done(), e = n.sequenceNumber + 1; - })).next((() => e)); - } - /** - * Returns a new set of IDB ranges that splits the existing range and excludes - * any values that match the `notInValue` from these ranges. As an example, - * '[foo > 2 && foo != 3]` becomes `[foo > 2 && < 3, foo > 3]`. - */ createRange(t, e, n) { - // The notIn values need to be sorted and unique so that we can return a - // sorted set of non-overlapping ranges. - n = n.sort(((t, e) => Mr(t, e))).filter(((t, e, n) => !e || 0 !== Mr(t, n[e - 1]))); - const s = []; - s.push(t); - for (const i of n) { - const n = Mr(i, t), r = Mr(i, e); - if (0 === n) - // `notInValue` is the lower bound. We therefore need to raise the bound - // to the next value. - s[0] = t.Je(); else if (n > 0 && r < 0) - // `notInValue` is in the middle of the range - s.push(i), s.push(i.Je()); else if (r > 0) - // `notInValue` (and all following values) are out of the range - break; - } - s.push(e); - const i = []; - for (let t = 0; t < s.length; t += 2) { - // If we encounter two bounds that will create an unmatchable key range, - // then we return an empty set of key ranges. - if (this.bn(s[t], s[t + 1])) return []; - const e = [ s[t].indexId, this.uid, s[t].arrayValue, s[t].directionalValue, Hr, [] ], n = [ s[t + 1].indexId, this.uid, s[t + 1].arrayValue, s[t + 1].directionalValue, Hr, [] ]; - i.push(IDBKeyRange.bound(e, n)); - } - return i; - } - bn(t, e) { - // If lower bound is greater than the upper bound, then the key - // range can never be matched. - return Mr(t, e) > 0; - } - getMinOffsetFromCollectionGroup(t, e) { - return this.getFieldIndexes(t, e).next(eo); - } - getMinOffset(t, e) { - return Rt.mapArray(this.cn(e), (e => this.an(t, e).next((t => t || O())))).next(eo); - } - } - - /** - * Helper to get a typed SimpleDbStore for the collectionParents - * document store. - */ function Yr(t) { - return _e(t, "collectionParents"); - } - - /** - * Helper to get a typed SimpleDbStore for the index entry object store. - */ function Xr(t) { - return _e(t, "indexEntries"); - } - - /** - * Helper to get a typed SimpleDbStore for the index configuration object store. - */ function Zr(t) { - return _e(t, "indexConfiguration"); - } - - /** - * Helper to get a typed SimpleDbStore for the index state object store. - */ function to(t) { - return _e(t, "indexState"); - } - - function eo(t) { - F(0 !== t.length); - let e = t[0].indexState.offset, n = e.largestBatchId; - for (let s = 1; s < t.length; s++) { - const i = t[s].indexState.offset; - Tt(i, e) < 0 && (e = i), n < i.largestBatchId && (n = i.largestBatchId); - } - return new It(e.readTime, e.documentKey, n); - } - - /** - * @license - * Copyright 2018 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const no = { - didRun: !1, - sequenceNumbersCollected: 0, - targetsRemoved: 0, - documentsRemoved: 0 - }; - - class so { - constructor( - // When we attempt to collect, we will only do so if the cache size is greater than this - // threshold. Passing `COLLECTION_DISABLED` here will cause collection to always be skipped. - t, - // The percentage of sequence numbers that we will attempt to collect - e, - // A cap on the total number of sequence numbers that will be collected. This prevents - // us from collecting a huge number of sequence numbers if the cache has grown very large. - n) { - this.cacheSizeCollectionThreshold = t, this.percentileToCollect = e, this.maximumSequenceNumbersToCollect = n; - } - static withCacheSize(t) { - return new so(t, so.DEFAULT_COLLECTION_PERCENTILE, so.DEFAULT_MAX_SEQUENCE_NUMBERS_TO_COLLECT); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Delete a mutation batch and the associated document mutations. - * @returns A PersistencePromise of the document mutations that were removed. - */ - function io(t, e, n) { - const s = t.store("mutations"), i = t.store("documentMutations"), r = [], o = IDBKeyRange.only(n.batchId); - let u = 0; - const c = s.X({ - range: o - }, ((t, e, n) => (u++, n.delete()))); - r.push(c.next((() => { - F(1 === u); - }))); - const a = []; - for (const t of n.mutations) { - const s = zt(e, t.key.path, n.batchId); - r.push(i.delete(s)), a.push(t.key); - } - return Rt.waitFor(r).next((() => a)); - } - - /** - * Returns an approximate size for the given document. - */ function ro(t) { - if (!t) return 0; - let e; - if (t.document) e = t.document; else if (t.unknownDocument) e = t.unknownDocument; else { - if (!t.noDocument) throw O(); - e = t.noDocument; - } - return JSON.stringify(e).length; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** A mutation queue for a specific user, backed by IndexedDB. */ so.DEFAULT_COLLECTION_PERCENTILE = 10, - so.DEFAULT_MAX_SEQUENCE_NUMBERS_TO_COLLECT = 1e3, so.DEFAULT = new so(41943040, so.DEFAULT_COLLECTION_PERCENTILE, so.DEFAULT_MAX_SEQUENCE_NUMBERS_TO_COLLECT), - so.DISABLED = new so(-1, 0, 0); - - class oo { - constructor( - /** - * The normalized userId (e.g. null UID => "" userId) used to store / - * retrieve mutations. - */ - t, e, n, s) { - this.userId = t, this.serializer = e, this.indexManager = n, this.referenceDelegate = s, - /** - * Caches the document keys for pending mutation batches. If the mutation - * has been removed from IndexedDb, the cached value may continue to - * be used to retrieve the batch's document keys. To remove a cached value - * locally, `removeCachedMutationKeys()` should be invoked either directly - * or through `removeMutationBatches()`. - * - * With multi-tab, when the primary client acknowledges or rejects a mutation, - * this cache is used by secondary clients to invalidate the local - * view of the documents that were previously affected by the mutation. - */ - // PORTING NOTE: Multi-tab only. - this.Vn = {}; - } - /** - * Creates a new mutation queue for the given user. - * @param user - The user for which to create a mutation queue. - * @param serializer - The serializer to use when persisting to IndexedDb. - */ static de(t, e, n, s) { - // TODO(mcg): Figure out what constraints there are on userIDs - // In particular, are there any reserved characters? are empty ids allowed? - // For the moment store these together in the same mutations table assuming - // that empty userIDs aren't allowed. - F("" !== t.uid); - const i = t.isAuthenticated() ? t.uid : ""; - return new oo(i, e, n, s); - } - checkEmpty(t) { - let e = !0; - const n = IDBKeyRange.bound([ this.userId, Number.NEGATIVE_INFINITY ], [ this.userId, Number.POSITIVE_INFINITY ]); - return co(t).X({ - index: "userMutationsIndex", - range: n - }, ((t, n, s) => { - e = !1, s.done(); - })).next((() => e)); - } - addMutationBatch(t, e, n, s) { - const i = ao(t), r = co(t); - // The IndexedDb implementation in Chrome (and Firefox) does not handle - // compound indices that include auto-generated keys correctly. To ensure - // that the index entry is added correctly in all browsers, we perform two - // writes: The first write is used to retrieve the next auto-generated Batch - // ID, and the second write populates the index and stores the actual - // mutation batch. - // See: https://bugs.chromium.org/p/chromium/issues/detail?id=701972 - // We write an empty object to obtain key - // eslint-disable-next-line @typescript-eslint/no-explicit-any - return r.add({}).next((o => { - F("number" == typeof o); - const u = new Zs(o, e, n, s), c = function(t, e, n) { - const s = n.baseMutations.map((e => ji(t.fe, e))), i = n.mutations.map((e => ji(t.fe, e))); - return { - userId: e, - batchId: n.batchId, - localWriteTimeMs: n.localWriteTime.toMillis(), - baseMutations: s, - mutations: i - }; - }(this.serializer, this.userId, u), a = []; - let h = new Ee(((t, e) => et(t.canonicalString(), e.canonicalString()))); - for (const t of s) { - const e = zt(this.userId, t.key.path, o); - h = h.add(t.key.path.popLast()), a.push(r.put(c)), a.push(i.put(e, Wt)); - } - return h.forEach((e => { - a.push(this.indexManager.addToCollectionParentIndex(t, e)); - })), t.addOnCommittedListener((() => { - this.Vn[o] = u.keys(); - })), Rt.waitFor(a).next((() => u)); - })); - } - lookupMutationBatch(t, e) { - return co(t).get(e).next((t => t ? (F(t.userId === this.userId), _r(this.serializer, t)) : null)); - } - /** - * Returns the document keys for the mutation batch with the given batchId. - * For primary clients, this method returns `null` after - * `removeMutationBatches()` has been called. Secondary clients return a - * cached result until `removeCachedMutationKeys()` is invoked. - */ - // PORTING NOTE: Multi-tab only. - Sn(t, e) { - return this.Vn[e] ? Rt.resolve(this.Vn[e]) : this.lookupMutationBatch(t, e).next((t => { - if (t) { - const n = t.keys(); - return this.Vn[e] = n, n; - } - return null; - })); - } - getNextMutationBatchAfterBatchId(t, e) { - const n = e + 1, s = IDBKeyRange.lowerBound([ this.userId, n ]); - let i = null; - return co(t).X({ - index: "userMutationsIndex", - range: s - }, ((t, e, s) => { - e.userId === this.userId && (F(e.batchId >= n), i = _r(this.serializer, e)), s.done(); - })).next((() => i)); - } - getHighestUnacknowledgedBatchId(t) { - const e = IDBKeyRange.upperBound([ this.userId, Number.POSITIVE_INFINITY ]); - let n = -1; - return co(t).X({ - index: "userMutationsIndex", - range: e, - reverse: !0 - }, ((t, e, s) => { - n = e.batchId, s.done(); - })).next((() => n)); - } - getAllMutationBatches(t) { - const e = IDBKeyRange.bound([ this.userId, -1 ], [ this.userId, Number.POSITIVE_INFINITY ]); - return co(t).j("userMutationsIndex", e).next((t => t.map((t => _r(this.serializer, t))))); - } - getAllMutationBatchesAffectingDocumentKey(t, e) { - // Scan the document-mutation index starting with a prefix starting with - // the given documentKey. - const n = jt(this.userId, e.path), s = IDBKeyRange.lowerBound(n), i = []; - return ao(t).X({ - range: s - }, ((n, s, r) => { - const [o, u, c] = n, a = Gt(u); - // Only consider rows matching exactly the specific key of - // interest. Note that because we order by path first, and we - // order terminators before path separators, we'll encounter all - // the index rows for documentKey contiguously. In particular, all - // the rows for documentKey will occur before any rows for - // documents nested in a subcollection beneath documentKey so we - // can stop as soon as we hit any such row. - if (o === this.userId && e.path.isEqual(a)) - // Look up the mutation batch in the store. - return co(t).get(c).next((t => { - if (!t) throw O(); - F(t.userId === this.userId), i.push(_r(this.serializer, t)); - })); - r.done(); - })).next((() => i)); - } - getAllMutationBatchesAffectingDocumentKeys(t, e) { - let n = new Ee(et); - const s = []; - return e.forEach((e => { - const i = jt(this.userId, e.path), r = IDBKeyRange.lowerBound(i), o = ao(t).X({ - range: r - }, ((t, s, i) => { - const [r, o, u] = t, c = Gt(o); - // Only consider rows matching exactly the specific key of - // interest. Note that because we order by path first, and we - // order terminators before path separators, we'll encounter all - // the index rows for documentKey contiguously. In particular, all - // the rows for documentKey will occur before any rows for - // documents nested in a subcollection beneath documentKey so we - // can stop as soon as we hit any such row. - r === this.userId && e.path.isEqual(c) ? n = n.add(u) : i.done(); - })); - s.push(o); - })), Rt.waitFor(s).next((() => this.Dn(t, n))); - } - getAllMutationBatchesAffectingQuery(t, e) { - const n = e.path, s = n.length + 1, i = jt(this.userId, n), r = IDBKeyRange.lowerBound(i); - // Collect up unique batchIDs encountered during a scan of the index. Use a - // SortedSet to accumulate batch IDs so they can be traversed in order in a - // scan of the main table. - let o = new Ee(et); - return ao(t).X({ - range: r - }, ((t, e, i) => { - const [r, u, c] = t, a = Gt(u); - r === this.userId && n.isPrefixOf(a) ? - // Rows with document keys more than one segment longer than the - // query path can't be matches. For example, a query on 'rooms' - // can't match the document /rooms/abc/messages/xyx. - // TODO(mcg): we'll need a different scanner when we implement - // ancestor queries. - a.length === s && (o = o.add(c)) : i.done(); - })).next((() => this.Dn(t, o))); - } - Dn(t, e) { - const n = [], s = []; - // TODO(rockwood): Implement this using iterate. - return e.forEach((e => { - s.push(co(t).get(e).next((t => { - if (null === t) throw O(); - F(t.userId === this.userId), n.push(_r(this.serializer, t)); - }))); - })), Rt.waitFor(s).next((() => n)); - } - removeMutationBatch(t, e) { - return io(t.ht, this.userId, e).next((n => (t.addOnCommittedListener((() => { - this.Cn(e.batchId); - })), Rt.forEach(n, (e => this.referenceDelegate.markPotentiallyOrphaned(t, e)))))); - } - /** - * Clears the cached keys for a mutation batch. This method should be - * called by secondary clients after they process mutation updates. - * - * Note that this method does not have to be called from primary clients as - * the corresponding cache entries are cleared when an acknowledged or - * rejected batch is removed from the mutation queue. - */ - // PORTING NOTE: Multi-tab only - Cn(t) { - delete this.Vn[t]; - } - performConsistencyCheck(t) { - return this.checkEmpty(t).next((e => { - if (!e) return Rt.resolve(); - // Verify that there are no entries in the documentMutations index if - // the queue is empty. - const n = IDBKeyRange.lowerBound([ this.userId ]); - const s = []; - return ao(t).X({ - range: n - }, ((t, e, n) => { - if (t[0] === this.userId) { - const e = Gt(t[1]); - s.push(e); - } else n.done(); - })).next((() => { - F(0 === s.length); - })); - })); - } - containsKey(t, e) { - return uo(t, this.userId, e); - } - // PORTING NOTE: Multi-tab only (state is held in memory in other clients). - /** Returns the mutation queue's metadata from IndexedDb. */ - xn(t) { - return ho(t).get(this.userId).next((t => t || { - userId: this.userId, - lastAcknowledgedBatchId: -1, - lastStreamToken: "" - })); - } - } - - /** - * @returns true if the mutation queue for the given user contains a pending - * mutation for the given key. - */ function uo(t, e, n) { - const s = jt(e, n.path), i = s[1], r = IDBKeyRange.lowerBound(s); - let o = !1; - return ao(t).X({ - range: r, - Y: !0 - }, ((t, n, s) => { - const [r, u, /*batchID*/ c] = t; - r === e && u === i && (o = !0), s.done(); - })).next((() => o)); - } - - /** Returns true if any mutation queue contains the given document. */ - /** - * Helper to get a typed SimpleDbStore for the mutations object store. - */ - function co(t) { - return _e(t, "mutations"); - } - - /** - * Helper to get a typed SimpleDbStore for the mutationQueues object store. - */ function ao(t) { - return _e(t, "documentMutations"); - } - - /** - * Helper to get a typed SimpleDbStore for the mutationQueues object store. - */ function ho(t) { - return _e(t, "mutationQueues"); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Offset to ensure non-overlapping target ids. */ - /** - * Generates monotonically increasing target IDs for sending targets to the - * watch stream. - * - * The client constructs two generators, one for the target cache, and one for - * for the sync engine (to generate limbo documents targets). These - * generators produce non-overlapping IDs (by using even and odd IDs - * respectively). - * - * By separating the target ID space, the query cache can generate target IDs - * that persist across client restarts, while sync engine can independently - * generate in-memory target IDs that are transient and can be reused after a - * restart. - */ - class lo { - constructor(t) { - this.Nn = t; - } - next() { - return this.Nn += 2, this.Nn; - } - static kn() { - // The target cache generator must return '2' in its first call to `next()` - // as there is no differentiation in the protocol layer between an unset - // number and the number '0'. If we were to sent a target with target ID - // '0', the backend would consider it unset and replace it with its own ID. - return new lo(0); - } - static Mn() { - // Sync engine assigns target IDs for limbo document detection. - return new lo(-1); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class fo { - constructor(t, e) { - this.referenceDelegate = t, this.serializer = e; - } - // PORTING NOTE: We don't cache global metadata for the target cache, since - // some of it (in particular `highestTargetId`) can be modified by secondary - // tabs. We could perhaps be more granular (and e.g. still cache - // `lastRemoteSnapshotVersion` in memory) but for simplicity we currently go - // to IndexedDb whenever we need to read metadata. We can revisit if it turns - // out to have a meaningful performance impact. - allocateTargetId(t) { - return this.$n(t).next((e => { - const n = new lo(e.highestTargetId); - return e.highestTargetId = n.next(), this.On(t, e).next((() => e.highestTargetId)); - })); - } - getLastRemoteSnapshotVersion(t) { - return this.$n(t).next((t => rt.fromTimestamp(new it(t.lastRemoteSnapshotVersion.seconds, t.lastRemoteSnapshotVersion.nanoseconds)))); - } - getHighestSequenceNumber(t) { - return this.$n(t).next((t => t.highestListenSequenceNumber)); - } - setTargetsMetadata(t, e, n) { - return this.$n(t).next((s => (s.highestListenSequenceNumber = e, n && (s.lastRemoteSnapshotVersion = n.toTimestamp()), - e > s.highestListenSequenceNumber && (s.highestListenSequenceNumber = e), this.On(t, s)))); - } - addTargetData(t, e) { - return this.Fn(t, e).next((() => this.$n(t).next((n => (n.targetCount += 1, this.Bn(e, n), - this.On(t, n)))))); - } - updateTargetData(t, e) { - return this.Fn(t, e); - } - removeTargetData(t, e) { - return this.removeMatchingKeysForTargetId(t, e.targetId).next((() => wo(t).delete(e.targetId))).next((() => this.$n(t))).next((e => (F(e.targetCount > 0), - e.targetCount -= 1, this.On(t, e)))); - } - /** - * Drops any targets with sequence number less than or equal to the upper bound, excepting those - * present in `activeTargetIds`. Document associations for the removed targets are also removed. - * Returns the number of targets removed. - */ removeTargets(t, e, n) { - let s = 0; - const i = []; - return wo(t).X(((r, o) => { - const u = mr(o); - u.sequenceNumber <= e && null === n.get(u.targetId) && (s++, i.push(this.removeTargetData(t, u))); - })).next((() => Rt.waitFor(i))).next((() => s)); - } - /** - * Call provided function with each `TargetData` that we have cached. - */ forEachTarget(t, e) { - return wo(t).X(((t, n) => { - const s = mr(n); - e(s); - })); - } - $n(t) { - return _o(t).get("targetGlobalKey").next((t => (F(null !== t), t))); - } - On(t, e) { - return _o(t).put("targetGlobalKey", e); - } - Fn(t, e) { - return wo(t).put(gr(this.serializer, e)); - } - /** - * In-place updates the provided metadata to account for values in the given - * TargetData. Saving is done separately. Returns true if there were any - * changes to the metadata. - */ Bn(t, e) { - let n = !1; - return t.targetId > e.highestTargetId && (e.highestTargetId = t.targetId, n = !0), - t.sequenceNumber > e.highestListenSequenceNumber && (e.highestListenSequenceNumber = t.sequenceNumber, - n = !0), n; - } - getTargetCount(t) { - return this.$n(t).next((t => t.targetCount)); - } - getTargetData(t, e) { - // Iterating by the canonicalId may yield more than one result because - // canonicalId values are not required to be unique per target. This query - // depends on the queryTargets index to be efficient. - const n = $n(e), s = IDBKeyRange.bound([ n, Number.NEGATIVE_INFINITY ], [ n, Number.POSITIVE_INFINITY ]); - let i = null; - return wo(t).X({ - range: s, - index: "queryTargetsIndex" - }, ((t, n, s) => { - const r = mr(n); - // After finding a potential match, check that the target is - // actually equal to the requested target. - On(e, r.target) && (i = r, s.done()); - })).next((() => i)); - } - addMatchingKeys(t, e, n) { - // PORTING NOTE: The reverse index (documentsTargets) is maintained by - // IndexedDb. - const s = [], i = mo(t); - return e.forEach((e => { - const r = qt(e.path); - s.push(i.put({ - targetId: n, - path: r - })), s.push(this.referenceDelegate.addReference(t, n, e)); - })), Rt.waitFor(s); - } - removeMatchingKeys(t, e, n) { - // PORTING NOTE: The reverse index (documentsTargets) is maintained by - // IndexedDb. - const s = mo(t); - return Rt.forEach(e, (e => { - const i = qt(e.path); - return Rt.waitFor([ s.delete([ n, i ]), this.referenceDelegate.removeReference(t, n, e) ]); - })); - } - removeMatchingKeysForTargetId(t, e) { - const n = mo(t), s = IDBKeyRange.bound([ e ], [ e + 1 ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0); - return n.delete(s); - } - getMatchingKeysForTargetId(t, e) { - const n = IDBKeyRange.bound([ e ], [ e + 1 ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0), s = mo(t); - let i = gs(); - return s.X({ - range: n, - Y: !0 - }, ((t, e, n) => { - const s = Gt(t[1]), r = new ht(s); - i = i.add(r); - })).next((() => i)); - } - containsKey(t, e) { - const n = qt(e.path), s = IDBKeyRange.bound([ n ], [ st(n) ], - /*lowerOpen=*/ !1, - /*upperOpen=*/ !0); - let i = 0; - return mo(t).X({ - index: "documentTargetsIndex", - Y: !0, - range: s - }, (([t, e], n, s) => { - // Having a sentinel row for a document does not count as containing that document; - // For the target cache, containing the document means the document is part of some - // target. - 0 !== t && (i++, s.done()); - })).next((() => i > 0)); - } - /** - * Looks up a TargetData entry by target ID. - * - * @param targetId - The target ID of the TargetData entry to look up. - * @returns The cached TargetData entry, or null if the cache has no entry for - * the target. - */ - // PORTING NOTE: Multi-tab only. - le(t, e) { - return wo(t).get(e).next((t => t ? mr(t) : null)); - } - } - - /** - * Helper to get a typed SimpleDbStore for the queries object store. - */ function wo(t) { - return _e(t, "targets"); - } - - /** - * Helper to get a typed SimpleDbStore for the target globals object store. - */ function _o(t) { - return _e(t, "targetGlobal"); - } - - /** - * Helper to get a typed SimpleDbStore for the document target object store. - */ function mo(t) { - return _e(t, "targetDocuments"); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ function go([t, e], [n, s]) { - const i = et(t, n); - return 0 === i ? et(e, s) : i; - } - - /** - * Used to calculate the nth sequence number. Keeps a rolling buffer of the - * lowest n values passed to `addElement`, and finally reports the largest of - * them in `maxValue`. - */ class yo { - constructor(t) { - this.Ln = t, this.buffer = new Ee(go), this.qn = 0; - } - Un() { - return ++this.qn; - } - Kn(t) { - const e = [ t, this.Un() ]; - if (this.buffer.size < this.Ln) this.buffer = this.buffer.add(e); else { - const t = this.buffer.last(); - go(e, t) < 0 && (this.buffer = this.buffer.delete(t).add(e)); - } - } - get maxValue() { - // Guaranteed to be non-empty. If we decide we are not collecting any - // sequence numbers, nthSequenceNumber below short-circuits. If we have - // decided that we are collecting n sequence numbers, it's because n is some - // percentage of the existing sequence numbers. That means we should never - // be in a situation where we are collecting sequence numbers but don't - // actually have any. - return this.buffer.last()[0]; - } - } - - /** - * This class is responsible for the scheduling of LRU garbage collection. It handles checking - * whether or not GC is enabled, as well as which delay to use before the next run. - */ class po { - constructor(t, e, n) { - this.garbageCollector = t, this.asyncQueue = e, this.localStore = n, this.Gn = null; - } - start() { - -1 !== this.garbageCollector.params.cacheSizeCollectionThreshold && this.Qn(6e4); - } - stop() { - this.Gn && (this.Gn.cancel(), this.Gn = null); - } - get started() { - return null !== this.Gn; - } - Qn(t) { - N("LruGarbageCollector", `Garbage collection scheduled in ${t}ms`), this.Gn = this.asyncQueue.enqueueAfterDelay("lru_garbage_collection" /* TimerId.LruGarbageCollection */ , t, (async () => { - this.Gn = null; - try { - await this.localStore.collectGarbage(this.garbageCollector); - } catch (t) { - Dt(t) ? N("LruGarbageCollector", "Ignoring IndexedDB error during garbage collection: ", t) : await vt(t); - } - await this.Qn(3e5); - })); - } - } - - /** - * Implements the steps for LRU garbage collection. - */ class Io { - constructor(t, e) { - this.jn = t, this.params = e; - } - calculateTargetCount(t, e) { - return this.jn.zn(t).next((t => Math.floor(e / 100 * t))); - } - nthSequenceNumber(t, e) { - if (0 === e) return Rt.resolve(Ot.ct); - const n = new yo(e); - return this.jn.forEachTarget(t, (t => n.Kn(t.sequenceNumber))).next((() => this.jn.Wn(t, (t => n.Kn(t))))).next((() => n.maxValue)); - } - removeTargets(t, e, n) { - return this.jn.removeTargets(t, e, n); - } - removeOrphanedDocuments(t, e) { - return this.jn.removeOrphanedDocuments(t, e); - } - collect(t, e) { - return -1 === this.params.cacheSizeCollectionThreshold ? (N("LruGarbageCollector", "Garbage collection skipped; disabled"), - Rt.resolve(no)) : this.getCacheSize(t).next((n => n < this.params.cacheSizeCollectionThreshold ? (N("LruGarbageCollector", `Garbage collection skipped; Cache size ${n} is lower than threshold ${this.params.cacheSizeCollectionThreshold}`), - no) : this.Hn(t, e))); - } - getCacheSize(t) { - return this.jn.getCacheSize(t); - } - Hn(t, e) { - let n, s, i, r, o, c, a; - const h = Date.now(); - return this.calculateTargetCount(t, this.params.percentileToCollect).next((e => ( - // Cap at the configured max - e > this.params.maximumSequenceNumbersToCollect ? (N("LruGarbageCollector", `Capping sequence numbers to collect down to the maximum of ${this.params.maximumSequenceNumbersToCollect} from ${e}`), - s = this.params.maximumSequenceNumbersToCollect) : s = e, r = Date.now(), this.nthSequenceNumber(t, s)))).next((s => (n = s, - o = Date.now(), this.removeTargets(t, n, e)))).next((e => (i = e, c = Date.now(), - this.removeOrphanedDocuments(t, n)))).next((t => { - if (a = Date.now(), C() <= LogLevel.DEBUG) { - N("LruGarbageCollector", `LRU Garbage Collection\n\tCounted targets in ${r - h}ms\n\tDetermined least recently used ${s} in ` + (o - r) + "ms\n" + `\tRemoved ${i} targets in ` + (c - o) + "ms\n" + `\tRemoved ${t} documents in ` + (a - c) + "ms\n" + `Total Duration: ${a - h}ms`); - } - return Rt.resolve({ - didRun: !0, - sequenceNumbersCollected: s, - targetsRemoved: i, - documentsRemoved: t - }); - })); - } - } - - function To(t, e) { - return new Io(t, e); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Provides LRU functionality for IndexedDB persistence. */ class Eo { - constructor(t, e) { - this.db = t, this.garbageCollector = To(this, e); - } - zn(t) { - const e = this.Jn(t); - return this.db.getTargetCache().getTargetCount(t).next((t => e.next((e => t + e)))); - } - Jn(t) { - let e = 0; - return this.Wn(t, (t => { - e++; - })).next((() => e)); - } - forEachTarget(t, e) { - return this.db.getTargetCache().forEachTarget(t, e); - } - Wn(t, e) { - return this.Yn(t, ((t, n) => e(n))); - } - addReference(t, e, n) { - return Ao(t, n); - } - removeReference(t, e, n) { - return Ao(t, n); - } - removeTargets(t, e, n) { - return this.db.getTargetCache().removeTargets(t, e, n); - } - markPotentiallyOrphaned(t, e) { - return Ao(t, e); - } - /** - * Returns true if anything would prevent this document from being garbage - * collected, given that the document in question is not present in any - * targets and has a sequence number less than or equal to the upper bound for - * the collection run. - */ Xn(t, e) { - return function(t, e) { - let n = !1; - return ho(t).Z((s => uo(t, s, e).next((t => (t && (n = !0), Rt.resolve(!t)))))).next((() => n)); - }(t, e); - } - removeOrphanedDocuments(t, e) { - const n = this.db.getRemoteDocumentCache().newChangeBuffer(), s = []; - let i = 0; - return this.Yn(t, ((r, o) => { - if (o <= e) { - const e = this.Xn(t, r).next((e => { - if (!e) - // Our size accounting requires us to read all documents before - // removing them. - return i++, n.getEntry(t, r).next((() => (n.removeEntry(r, rt.min()), mo(t).delete([ 0, qt(r.path) ])))); - })); - s.push(e); - } - })).next((() => Rt.waitFor(s))).next((() => n.apply(t))).next((() => i)); - } - removeTarget(t, e) { - const n = e.withSequenceNumber(t.currentSequenceNumber); - return this.db.getTargetCache().updateTargetData(t, n); - } - updateLimboDocument(t, e) { - return Ao(t, e); - } - /** - * Call provided function for each document in the cache that is 'orphaned'. Orphaned - * means not a part of any target, so the only entry in the target-document index for - * that document will be the sentinel row (targetId 0), which will also have the sequence - * number for the last time the document was accessed. - */ Yn(t, e) { - const n = mo(t); - let s, i = Ot.ct; - return n.X({ - index: "documentTargetsIndex" - }, (([t, n], {path: r, sequenceNumber: o}) => { - 0 === t ? ( - // if nextToReport is valid, report it, this is a new key so the - // last one must not be a member of any targets. - i !== Ot.ct && e(new ht(Gt(s)), i), - // set nextToReport to be this sequence number. It's the next one we - // might report, if we don't find any targets for this document. - // Note that the sequence number must be defined when the targetId - // is 0. - i = o, s = r) : - // set nextToReport to be invalid, we know we don't need to report - // this one since we found a target for it. - i = Ot.ct; - })).next((() => { - // Since we report sequence numbers after getting to the next key, we - // need to check if the last key we iterated over was an orphaned - // document and report it. - i !== Ot.ct && e(new ht(Gt(s)), i); - })); - } - getCacheSize(t) { - return this.db.getRemoteDocumentCache().getSize(t); - } - } - - function Ao(t, e) { - return mo(t).put( - /** - * @returns A value suitable for writing a sentinel row in the target-document - * store. - */ - function(t, e) { - return { - targetId: 0, - path: qt(t.path), - sequenceNumber: e - }; - }(e, t.currentSequenceNumber)); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An in-memory buffer of entries to be written to a RemoteDocumentCache. - * It can be used to batch up a set of changes to be written to the cache, but - * additionally supports reading entries back with the `getEntry()` method, - * falling back to the underlying RemoteDocumentCache if no entry is - * buffered. - * - * Entries added to the cache *must* be read first. This is to facilitate - * calculating the size delta of the pending changes. - * - * PORTING NOTE: This class was implemented then removed from other platforms. - * If byte-counting ends up being needed on the other platforms, consider - * porting this class as part of that implementation work. - */ class vo { - constructor() { - // A mapping of document key to the new cache entry that should be written. - this.changes = new os((t => t.toString()), ((t, e) => t.isEqual(e))), this.changesApplied = !1; - } - /** - * Buffers a `RemoteDocumentCache.addEntry()` call. - * - * You can only modify documents that have already been retrieved via - * `getEntry()/getEntries()` (enforced via IndexedDbs `apply()`). - */ addEntry(t) { - this.assertNotApplied(), this.changes.set(t.key, t); - } - /** - * Buffers a `RemoteDocumentCache.removeEntry()` call. - * - * You can only remove documents that have already been retrieved via - * `getEntry()/getEntries()` (enforced via IndexedDbs `apply()`). - */ removeEntry(t, e) { - this.assertNotApplied(), this.changes.set(t, an.newInvalidDocument(t).setReadTime(e)); - } - /** - * Looks up an entry in the cache. The buffered changes will first be checked, - * and if no buffered change applies, this will forward to - * `RemoteDocumentCache.getEntry()`. - * - * @param transaction - The transaction in which to perform any persistence - * operations. - * @param documentKey - The key of the entry to look up. - * @returns The cached document or an invalid document if we have nothing - * cached. - */ getEntry(t, e) { - this.assertNotApplied(); - const n = this.changes.get(e); - return void 0 !== n ? Rt.resolve(n) : this.getFromCache(t, e); - } - /** - * Looks up several entries in the cache, forwarding to - * `RemoteDocumentCache.getEntry()`. - * - * @param transaction - The transaction in which to perform any persistence - * operations. - * @param documentKeys - The keys of the entries to look up. - * @returns A map of cached documents, indexed by key. If an entry cannot be - * found, the corresponding key will be mapped to an invalid document. - */ getEntries(t, e) { - return this.getAllFromCache(t, e); - } - /** - * Applies buffered changes to the underlying RemoteDocumentCache, using - * the provided transaction. - */ apply(t) { - return this.assertNotApplied(), this.changesApplied = !0, this.applyChanges(t); - } - /** Helper to assert this.changes is not null */ assertNotApplied() {} - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The RemoteDocumentCache for IndexedDb. To construct, invoke - * `newIndexedDbRemoteDocumentCache()`. - */ class Ro { - constructor(t) { - this.serializer = t; - } - setIndexManager(t) { - this.indexManager = t; - } - /** - * Adds the supplied entries to the cache. - * - * All calls of `addEntry` are required to go through the RemoteDocumentChangeBuffer - * returned by `newChangeBuffer()` to ensure proper accounting of metadata. - */ addEntry(t, e, n) { - return So(t).put(n); - } - /** - * Removes a document from the cache. - * - * All calls of `removeEntry` are required to go through the RemoteDocumentChangeBuffer - * returned by `newChangeBuffer()` to ensure proper accounting of metadata. - */ removeEntry(t, e, n) { - return So(t).delete( - /** - * Returns a key that can be used for document lookups via the primary key of - * the DbRemoteDocument object store. - */ - function(t, e) { - const n = t.path.toArray(); - return [ - /* prefix path */ n.slice(0, n.length - 2), - /* collection id */ n[n.length - 2], fr(e), - /* document id */ n[n.length - 1] ]; - } - /** - * Returns a key that can be used for document lookups on the - * `DbRemoteDocumentDocumentCollectionGroupIndex` index. - */ (e, n)); - } - /** - * Updates the current cache size. - * - * Callers to `addEntry()` and `removeEntry()` *must* call this afterwards to update the - * cache's metadata. - */ updateMetadata(t, e) { - return this.getMetadata(t).next((n => (n.byteSize += e, this.Zn(t, n)))); - } - getEntry(t, e) { - let n = an.newInvalidDocument(e); - return So(t).X({ - index: "documentKeyIndex", - range: IDBKeyRange.only(Do(e)) - }, ((t, s) => { - n = this.ts(e, s); - })).next((() => n)); - } - /** - * Looks up an entry in the cache. - * - * @param documentKey - The key of the entry to look up. - * @returns The cached document entry and its size. - */ es(t, e) { - let n = { - size: 0, - document: an.newInvalidDocument(e) - }; - return So(t).X({ - index: "documentKeyIndex", - range: IDBKeyRange.only(Do(e)) - }, ((t, s) => { - n = { - document: this.ts(e, s), - size: ro(s) - }; - })).next((() => n)); - } - getEntries(t, e) { - let n = cs(); - return this.ns(t, e, ((t, e) => { - const s = this.ts(t, e); - n = n.insert(t, s); - })).next((() => n)); - } - /** - * Looks up several entries in the cache. - * - * @param documentKeys - The set of keys entries to look up. - * @returns A map of documents indexed by key and a map of sizes indexed by - * key (zero if the document does not exist). - */ ss(t, e) { - let n = cs(), s = new pe(ht.comparator); - return this.ns(t, e, ((t, e) => { - const i = this.ts(t, e); - n = n.insert(t, i), s = s.insert(t, ro(e)); - })).next((() => ({ - documents: n, - rs: s - }))); - } - ns(t, e, n) { - if (e.isEmpty()) return Rt.resolve(); - let s = new Ee(xo); - e.forEach((t => s = s.add(t))); - const i = IDBKeyRange.bound(Do(s.first()), Do(s.last())), r = s.getIterator(); - let o = r.getNext(); - return So(t).X({ - index: "documentKeyIndex", - range: i - }, ((t, e, s) => { - const i = ht.fromSegments([ ...e.prefixPath, e.collectionGroup, e.documentId ]); - // Go through keys not found in cache. - for (;o && xo(o, i) < 0; ) n(o, null), o = r.getNext(); - o && o.isEqual(i) && ( - // Key found in cache. - n(o, e), o = r.hasNext() ? r.getNext() : null), - // Skip to the next key (if there is one). - o ? s.G(Do(o)) : s.done(); - })).next((() => { - // The rest of the keys are not in the cache. One case where `iterate` - // above won't go through them is when the cache is empty. - for (;o; ) n(o, null), o = r.hasNext() ? r.getNext() : null; - })); - } - getDocumentsMatchingQuery(t, e, n, s) { - const i = e.path, r = [ i.popLast().toArray(), i.lastSegment(), fr(n.readTime), n.documentKey.path.isEmpty() ? "" : n.documentKey.path.lastSegment() ], o = [ i.popLast().toArray(), i.lastSegment(), [ Number.MAX_SAFE_INTEGER, Number.MAX_SAFE_INTEGER ], "" ]; - return So(t).j(IDBKeyRange.bound(r, o, !0)).next((t => { - let n = cs(); - for (const i of t) { - const t = this.ts(ht.fromSegments(i.prefixPath.concat(i.collectionGroup, i.documentId)), i); - t.isFoundDocument() && (ns(e, t) || s.has(t.key)) && ( - // Either the document matches the given query, or it is mutated. - n = n.insert(t.key, t)); - } - return n; - })); - } - getAllFromCollectionGroup(t, e, n, s) { - let i = cs(); - const r = Co(e, n), o = Co(e, It.max()); - return So(t).X({ - index: "collectionGroupIndex", - range: IDBKeyRange.bound(r, o, !0) - }, ((t, e, n) => { - const r = this.ts(ht.fromSegments(e.prefixPath.concat(e.collectionGroup, e.documentId)), e); - i = i.insert(r.key, r), i.size === s && n.done(); - })).next((() => i)); - } - newChangeBuffer(t) { - return new bo(this, !!t && t.trackRemovals); - } - getSize(t) { - return this.getMetadata(t).next((t => t.byteSize)); - } - getMetadata(t) { - return Vo(t).get("remoteDocumentGlobalKey").next((t => (F(!!t), t))); - } - Zn(t, e) { - return Vo(t).put("remoteDocumentGlobalKey", e); - } - /** - * Decodes `dbRemoteDoc` and returns the document (or an invalid document if - * the document corresponds to the format used for sentinel deletes). - */ ts(t, e) { - if (e) { - const t = hr(this.serializer, e); - // Whether the document is a sentinel removal and should only be used in the - // `getNewDocumentChanges()` - if (!(t.isNoDocument() && t.version.isEqual(rt.min()))) return t; - } - return an.newInvalidDocument(t); - } - } - - /** Creates a new IndexedDbRemoteDocumentCache. */ function Po(t) { - return new Ro(t); - } - - /** - * Handles the details of adding and updating documents in the IndexedDbRemoteDocumentCache. - * - * Unlike the MemoryRemoteDocumentChangeBuffer, the IndexedDb implementation computes the size - * delta for all submitted changes. This avoids having to re-read all documents from IndexedDb - * when we apply the changes. - */ class bo extends vo { - /** - * @param documentCache - The IndexedDbRemoteDocumentCache to apply the changes to. - * @param trackRemovals - Whether to create sentinel deletes that can be tracked by - * `getNewDocumentChanges()`. - */ - constructor(t, e) { - super(), this.os = t, this.trackRemovals = e, - // A map of document sizes and read times prior to applying the changes in - // this buffer. - this.us = new os((t => t.toString()), ((t, e) => t.isEqual(e))); - } - applyChanges(t) { - const e = []; - let n = 0, s = new Ee(((t, e) => et(t.canonicalString(), e.canonicalString()))); - return this.changes.forEach(((i, r) => { - const o = this.us.get(i); - if (e.push(this.os.removeEntry(t, i, o.readTime)), r.isValidDocument()) { - const u = lr(this.os.serializer, r); - s = s.add(i.path.popLast()); - const c = ro(u); - n += c - o.size, e.push(this.os.addEntry(t, i, u)); - } else if (n -= o.size, this.trackRemovals) { - // In order to track removals, we store a "sentinel delete" in the - // RemoteDocumentCache. This entry is represented by a NoDocument - // with a version of 0 and ignored by `maybeDecodeDocument()` but - // preserved in `getNewDocumentChanges()`. - const n = lr(this.os.serializer, r.convertToNoDocument(rt.min())); - e.push(this.os.addEntry(t, i, n)); - } - })), s.forEach((n => { - e.push(this.os.indexManager.addToCollectionParentIndex(t, n)); - })), e.push(this.os.updateMetadata(t, n)), Rt.waitFor(e); - } - getFromCache(t, e) { - // Record the size of everything we load from the cache so we can compute a delta later. - return this.os.es(t, e).next((t => (this.us.set(e, { - size: t.size, - readTime: t.document.readTime - }), t.document))); - } - getAllFromCache(t, e) { - // Record the size of everything we load from the cache so we can compute - // a delta later. - return this.os.ss(t, e).next((({documents: t, rs: e}) => ( - // Note: `getAllFromCache` returns two maps instead of a single map from - // keys to `DocumentSizeEntry`s. This is to allow returning the - // `MutableDocumentMap` directly, without a conversion. - e.forEach(((e, n) => { - this.us.set(e, { - size: n, - readTime: t.get(e).readTime - }); - })), t))); - } - } - - function Vo(t) { - return _e(t, "remoteDocumentGlobal"); - } - - /** - * Helper to get a typed SimpleDbStore for the remoteDocuments object store. - */ function So(t) { - return _e(t, "remoteDocumentsV14"); - } - - /** - * Returns a key that can be used for document lookups on the - * `DbRemoteDocumentDocumentKeyIndex` index. - */ function Do(t) { - const e = t.path.toArray(); - return [ - /* prefix path */ e.slice(0, e.length - 2), - /* collection id */ e[e.length - 2], - /* document id */ e[e.length - 1] ]; - } - - function Co(t, e) { - const n = e.documentKey.path.toArray(); - return [ - /* collection id */ t, fr(e.readTime), - /* prefix path */ n.slice(0, n.length - 2), - /* document id */ n.length > 0 ? n[n.length - 1] : "" ]; - } - - /** - * Comparator that compares document keys according to the primary key sorting - * used by the `DbRemoteDocumentDocument` store (by prefix path, collection id - * and then document ID). - * - * Visible for testing. - */ function xo(t, e) { - const n = t.path.toArray(), s = e.path.toArray(); - // The ordering is based on https://chromium.googlesource.com/chromium/blink/+/fe5c21fef94dae71c1c3344775b8d8a7f7e6d9ec/Source/modules/indexeddb/IDBKey.cpp#74 - let i = 0; - for (let t = 0; t < n.length - 2 && t < s.length - 2; ++t) if (i = et(n[t], s[t]), - i) return i; - return i = et(n.length, s.length), i || (i = et(n[n.length - 2], s[s.length - 2]), - i || et(n[n.length - 1], s[s.length - 1])); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Schema Version for the Web client: - * 1. Initial version including Mutation Queue, Query Cache, and Remote - * Document Cache - * 2. Used to ensure a targetGlobal object exists and add targetCount to it. No - * longer required because migration 3 unconditionally clears it. - * 3. Dropped and re-created Query Cache to deal with cache corruption related - * to limbo resolution. Addresses - * https://github.com/firebase/firebase-ios-sdk/issues/1548 - * 4. Multi-Tab Support. - * 5. Removal of held write acks. - * 6. Create document global for tracking document cache size. - * 7. Ensure every cached document has a sentinel row with a sequence number. - * 8. Add collection-parent index for Collection Group queries. - * 9. Change RemoteDocumentChanges store to be keyed by readTime rather than - * an auto-incrementing ID. This is required for Index-Free queries. - * 10. Rewrite the canonical IDs to the explicit Protobuf-based format. - * 11. Add bundles and named_queries for bundle support. - * 12. Add document overlays. - * 13. Rewrite the keys of the remote document cache to allow for efficient - * document lookup via `getAll()`. - * 14. Add overlays. - * 15. Add indexing support. - */ - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents a local view (overlay) of a document, and the fields that are - * locally mutated. - */ - class No { - constructor(t, - /** - * The fields that are locally mutated by patch mutations. - * - * If the overlayed document is from set or delete mutations, this is `null`. - * If there is no overlay (mutation) for the document, this is an empty `FieldMask`. - */ - e) { - this.overlayedDocument = t, this.mutatedFields = e; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A readonly view of the local state of all documents we're tracking (i.e. we - * have a cached version in remoteDocumentCache or local mutations for the - * document). The view is computed by applying the mutations in the - * MutationQueue to the RemoteDocumentCache. - */ class ko { - constructor(t, e, n, s) { - this.remoteDocumentCache = t, this.mutationQueue = e, this.documentOverlayCache = n, - this.indexManager = s; - } - /** - * Get the local view of the document identified by `key`. - * - * @returns Local view of the document or null if we don't have any cached - * state for it. - */ getDocument(t, e) { - let n = null; - return this.documentOverlayCache.getOverlay(t, e).next((s => (n = s, this.remoteDocumentCache.getEntry(t, e)))).next((t => (null !== n && Ks(n.mutation, t, Re.empty(), it.now()), - t))); - } - /** - * Gets the local view of the documents identified by `keys`. - * - * If we don't have cached state for a document in `keys`, a NoDocument will - * be stored for that key in the resulting set. - */ getDocuments(t, e) { - return this.remoteDocumentCache.getEntries(t, e).next((e => this.getLocalViewOfDocuments(t, e, gs()).next((() => e)))); - } - /** - * Similar to `getDocuments`, but creates the local view from the given - * `baseDocs` without retrieving documents from the local store. - * - * @param transaction - The transaction this operation is scoped to. - * @param docs - The documents to apply local mutations to get the local views. - * @param existenceStateChanged - The set of document keys whose existence state - * is changed. This is useful to determine if some documents overlay needs - * to be recalculated. - */ getLocalViewOfDocuments(t, e, n = gs()) { - const s = fs(); - return this.populateOverlays(t, s, e).next((() => this.computeViews(t, e, s, n).next((t => { - let e = hs(); - return t.forEach(((t, n) => { - e = e.insert(t, n.overlayedDocument); - })), e; - })))); - } - /** - * Gets the overlayed documents for the given document map, which will include - * the local view of those documents and a `FieldMask` indicating which fields - * are mutated locally, `null` if overlay is a Set or Delete mutation. - */ getOverlayedDocuments(t, e) { - const n = fs(); - return this.populateOverlays(t, n, e).next((() => this.computeViews(t, e, n, gs()))); - } - /** - * Fetches the overlays for {@code docs} and adds them to provided overlay map - * if the map does not already contain an entry for the given document key. - */ populateOverlays(t, e, n) { - const s = []; - return n.forEach((t => { - e.has(t) || s.push(t); - })), this.documentOverlayCache.getOverlays(t, s).next((t => { - t.forEach(((t, n) => { - e.set(t, n); - })); - })); - } - /** - * Computes the local view for the given documents. - * - * @param docs - The documents to compute views for. It also has the base - * version of the documents. - * @param overlays - The overlays that need to be applied to the given base - * version of the documents. - * @param existenceStateChanged - A set of documents whose existence states - * might have changed. This is used to determine if we need to re-calculate - * overlays from mutation queues. - * @return A map represents the local documents view. - */ computeViews(t, e, n, s) { - let i = cs(); - const r = ws(), o = ws(); - return e.forEach(((t, e) => { - const o = n.get(e.key); - // Recalculate an overlay if the document's existence state changed due to - // a remote event *and* the overlay is a PatchMutation. This is because - // document existence state can change if some patch mutation's - // preconditions are met. - // NOTE: we recalculate when `overlay` is undefined as well, because there - // might be a patch mutation whose precondition does not match before the - // change (hence overlay is undefined), but would now match. - s.has(e.key) && (void 0 === o || o.mutation instanceof zs) ? i = i.insert(e.key, e) : void 0 !== o ? (r.set(e.key, o.mutation.getFieldMask()), - Ks(o.mutation, e, o.mutation.getFieldMask(), it.now())) : - // no overlay exists - // Using EMPTY to indicate there is no overlay for the document. - r.set(e.key, Re.empty()); - })), this.recalculateAndSaveOverlays(t, i).next((t => (t.forEach(((t, e) => r.set(t, e))), - e.forEach(((t, e) => { - var n; - return o.set(t, new No(e, null !== (n = r.get(t)) && void 0 !== n ? n : null)); - })), o))); - } - recalculateAndSaveOverlays(t, e) { - const n = ws(); - // A reverse lookup map from batch id to the documents within that batch. - let s = new pe(((t, e) => t - e)), i = gs(); - return this.mutationQueue.getAllMutationBatchesAffectingDocumentKeys(t, e).next((t => { - for (const i of t) i.keys().forEach((t => { - const r = e.get(t); - if (null === r) return; - let o = n.get(t) || Re.empty(); - o = i.applyToLocalView(r, o), n.set(t, o); - const u = (s.get(i.batchId) || gs()).add(t); - s = s.insert(i.batchId, u); - })); - })).next((() => { - const r = [], o = s.getReverseIterator(); - // Iterate in descending order of batch IDs, and skip documents that are - // already saved. - for (;o.hasNext(); ) { - const s = o.getNext(), u = s.key, c = s.value, a = ds(); - c.forEach((t => { - if (!i.has(t)) { - const s = qs(e.get(t), n.get(t)); - null !== s && a.set(t, s), i = i.add(t); - } - })), r.push(this.documentOverlayCache.saveOverlays(t, u, a)); - } - return Rt.waitFor(r); - })).next((() => n)); - } - /** - * Recalculates overlays by reading the documents from remote document cache - * first, and saves them after they are calculated. - */ recalculateAndSaveOverlaysForDocumentKeys(t, e) { - return this.remoteDocumentCache.getEntries(t, e).next((e => this.recalculateAndSaveOverlays(t, e))); - } - /** - * Performs a query against the local view of all documents. - * - * @param transaction - The persistence transaction. - * @param query - The query to match documents against. - * @param offset - Read time and key to start scanning by (exclusive). - */ getDocumentsMatchingQuery(t, e, n) { - /** - * Returns whether the query matches a single document by path (rather than a - * collection). - */ - return function(t) { - return ht.isDocumentKey(t.path) && null === t.collectionGroup && 0 === t.filters.length; - }(e) ? this.getDocumentsMatchingDocumentQuery(t, e.path) : Wn(e) ? this.getDocumentsMatchingCollectionGroupQuery(t, e, n) : this.getDocumentsMatchingCollectionQuery(t, e, n); - } - /** - * Given a collection group, returns the next documents that follow the provided offset, along - * with an updated batch ID. - * - *

The documents returned by this method are ordered by remote version from the provided - * offset. If there are no more remote documents after the provided offset, documents with - * mutations in order of batch id from the offset are returned. Since all documents in a batch are - * returned together, the total number of documents returned can exceed {@code count}. - * - * @param transaction - * @param collectionGroup The collection group for the documents. - * @param offset The offset to index into. - * @param count The number of documents to return - * @return A LocalWriteResult with the documents that follow the provided offset and the last processed batch id. - */ getNextDocuments(t, e, n, s) { - return this.remoteDocumentCache.getAllFromCollectionGroup(t, e, n, s).next((i => { - const r = s - i.size > 0 ? this.documentOverlayCache.getOverlaysForCollectionGroup(t, e, n.largestBatchId, s - i.size) : Rt.resolve(fs()); - // The callsite will use the largest batch ID together with the latest read time to create - // a new index offset. Since we only process batch IDs if all remote documents have been read, - // no overlay will increase the overall read time. This is why we only need to special case - // the batch id. - let o = -1, u = i; - return r.next((e => Rt.forEach(e, ((e, n) => (o < n.largestBatchId && (o = n.largestBatchId), - i.get(e) ? Rt.resolve() : this.remoteDocumentCache.getEntry(t, e).next((t => { - u = u.insert(e, t); - }))))).next((() => this.populateOverlays(t, e, i))).next((() => this.computeViews(t, u, e, gs()))).next((t => ({ - batchId: o, - changes: ls(t) - }))))); - })); - } - getDocumentsMatchingDocumentQuery(t, e) { - // Just do a simple document lookup. - return this.getDocument(t, new ht(e)).next((t => { - let e = hs(); - return t.isFoundDocument() && (e = e.insert(t.key, t)), e; - })); - } - getDocumentsMatchingCollectionGroupQuery(t, e, n) { - const s = e.collectionGroup; - let i = hs(); - return this.indexManager.getCollectionParents(t, s).next((r => Rt.forEach(r, (r => { - const o = function(t, e) { - return new Un(e, - /*collectionGroup=*/ null, t.explicitOrderBy.slice(), t.filters.slice(), t.limit, t.limitType, t.startAt, t.endAt); - }(e, r.child(s)); - return this.getDocumentsMatchingCollectionQuery(t, o, n).next((t => { - t.forEach(((t, e) => { - i = i.insert(t, e); - })); - })); - })).next((() => i)))); - } - getDocumentsMatchingCollectionQuery(t, e, n) { - // Query the remote documents and overlay mutations. - let s; - return this.documentOverlayCache.getOverlaysForCollection(t, e.path, n.largestBatchId).next((i => (s = i, - this.remoteDocumentCache.getDocumentsMatchingQuery(t, e, n, s)))).next((t => { - // As documents might match the query because of their overlay we need to - // include documents for all overlays in the initial document set. - s.forEach(((e, n) => { - const s = n.getKey(); - null === t.get(s) && (t = t.insert(s, an.newInvalidDocument(s))); - })); - // Apply the overlays and match against the query. - let n = hs(); - return t.forEach(((t, i) => { - const r = s.get(t); - void 0 !== r && Ks(r.mutation, i, Re.empty(), it.now()), - // Finally, insert the documents that still match the query - ns(e, i) && (n = n.insert(t, i)); - })), n; - })); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Mo { - constructor(t) { - this.serializer = t, this.cs = new Map, this.hs = new Map; - } - getBundleMetadata(t, e) { - return Rt.resolve(this.cs.get(e)); - } - saveBundleMetadata(t, e) { - /** Decodes a BundleMetadata proto into a BundleMetadata object. */ - var n; - return this.cs.set(e.id, { - id: (n = e).id, - version: n.version, - createTime: Ni(n.createTime) - }), Rt.resolve(); - } - getNamedQuery(t, e) { - return Rt.resolve(this.hs.get(e)); - } - saveNamedQuery(t, e) { - return this.hs.set(e.name, function(t) { - return { - name: t.name, - query: yr(t.bundledQuery), - readTime: Ni(t.readTime) - }; - }(e)), Rt.resolve(); - } - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An in-memory implementation of DocumentOverlayCache. - */ class $o { - constructor() { - // A map sorted by DocumentKey, whose value is a pair of the largest batch id - // for the overlay and the overlay itself. - this.overlays = new pe(ht.comparator), this.ls = new Map; - } - getOverlay(t, e) { - return Rt.resolve(this.overlays.get(e)); - } - getOverlays(t, e) { - const n = fs(); - return Rt.forEach(e, (e => this.getOverlay(t, e).next((t => { - null !== t && n.set(e, t); - })))).next((() => n)); - } - saveOverlays(t, e, n) { - return n.forEach(((n, s) => { - this.we(t, e, s); - })), Rt.resolve(); - } - removeOverlaysForBatchId(t, e, n) { - const s = this.ls.get(n); - return void 0 !== s && (s.forEach((t => this.overlays = this.overlays.remove(t))), - this.ls.delete(n)), Rt.resolve(); - } - getOverlaysForCollection(t, e, n) { - const s = fs(), i = e.length + 1, r = new ht(e.child("")), o = this.overlays.getIteratorFrom(r); - for (;o.hasNext(); ) { - const t = o.getNext().value, r = t.getKey(); - if (!e.isPrefixOf(r.path)) break; - // Documents from sub-collections - r.path.length === i && (t.largestBatchId > n && s.set(t.getKey(), t)); - } - return Rt.resolve(s); - } - getOverlaysForCollectionGroup(t, e, n, s) { - let i = new pe(((t, e) => t - e)); - const r = this.overlays.getIterator(); - for (;r.hasNext(); ) { - const t = r.getNext().value; - if (t.getKey().getCollectionGroup() === e && t.largestBatchId > n) { - let e = i.get(t.largestBatchId); - null === e && (e = fs(), i = i.insert(t.largestBatchId, e)), e.set(t.getKey(), t); - } - } - const o = fs(), u = i.getIterator(); - for (;u.hasNext(); ) { - if (u.getNext().value.forEach(((t, e) => o.set(t, e))), o.size() >= s) break; - } - return Rt.resolve(o); - } - we(t, e, n) { - // Remove the association of the overlay to its batch id. - const s = this.overlays.get(n.key); - if (null !== s) { - const t = this.ls.get(s.largestBatchId).delete(n.key); - this.ls.set(s.largestBatchId, t); - } - this.overlays = this.overlays.insert(n.key, new ei(e, n)); - // Create the association of this overlay to the given largestBatchId. - let i = this.ls.get(e); - void 0 === i && (i = gs(), this.ls.set(e, i)), this.ls.set(e, i.add(n.key)); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A collection of references to a document from some kind of numbered entity - * (either a target ID or batch ID). As references are added to or removed from - * the set corresponding events are emitted to a registered garbage collector. - * - * Each reference is represented by a DocumentReference object. Each of them - * contains enough information to uniquely identify the reference. They are all - * stored primarily in a set sorted by key. A document is considered garbage if - * there's no references in that set (this can be efficiently checked thanks to - * sorting by key). - * - * ReferenceSet also keeps a secondary set that contains references sorted by - * IDs. This one is used to efficiently implement removal of all references by - * some target ID. - */ class Oo { - constructor() { - // A set of outstanding references to a document sorted by key. - this.fs = new Ee(Fo.ds), - // A set of outstanding references to a document sorted by target id. - this.ws = new Ee(Fo._s); - } - /** Returns true if the reference set contains no references. */ isEmpty() { - return this.fs.isEmpty(); - } - /** Adds a reference to the given document key for the given ID. */ addReference(t, e) { - const n = new Fo(t, e); - this.fs = this.fs.add(n), this.ws = this.ws.add(n); - } - /** Add references to the given document keys for the given ID. */ gs(t, e) { - t.forEach((t => this.addReference(t, e))); - } - /** - * Removes a reference to the given document key for the given - * ID. - */ removeReference(t, e) { - this.ys(new Fo(t, e)); - } - ps(t, e) { - t.forEach((t => this.removeReference(t, e))); - } - /** - * Clears all references with a given ID. Calls removeRef() for each key - * removed. - */ Is(t) { - const e = new ht(new ut([])), n = new Fo(e, t), s = new Fo(e, t + 1), i = []; - return this.ws.forEachInRange([ n, s ], (t => { - this.ys(t), i.push(t.key); - })), i; - } - Ts() { - this.fs.forEach((t => this.ys(t))); - } - ys(t) { - this.fs = this.fs.delete(t), this.ws = this.ws.delete(t); - } - Es(t) { - const e = new ht(new ut([])), n = new Fo(e, t), s = new Fo(e, t + 1); - let i = gs(); - return this.ws.forEachInRange([ n, s ], (t => { - i = i.add(t.key); - })), i; - } - containsKey(t) { - const e = new Fo(t, 0), n = this.fs.firstAfterOrEqual(e); - return null !== n && t.isEqual(n.key); - } - } - - class Fo { - constructor(t, e) { - this.key = t, this.As = e; - } - /** Compare by key then by ID */ static ds(t, e) { - return ht.comparator(t.key, e.key) || et(t.As, e.As); - } - /** Compare by ID then by key */ static _s(t, e) { - return et(t.As, e.As) || ht.comparator(t.key, e.key); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Bo { - constructor(t, e) { - this.indexManager = t, this.referenceDelegate = e, - /** - * The set of all mutations that have been sent but not yet been applied to - * the backend. - */ - this.mutationQueue = [], - /** Next value to use when assigning sequential IDs to each mutation batch. */ - this.vs = 1, - /** An ordered mapping between documents and the mutations batch IDs. */ - this.Rs = new Ee(Fo.ds); - } - checkEmpty(t) { - return Rt.resolve(0 === this.mutationQueue.length); - } - addMutationBatch(t, e, n, s) { - const i = this.vs; - this.vs++, this.mutationQueue.length > 0 && this.mutationQueue[this.mutationQueue.length - 1]; - const r = new Zs(i, e, n, s); - this.mutationQueue.push(r); - // Track references by document key and index collection parents. - for (const e of s) this.Rs = this.Rs.add(new Fo(e.key, i)), this.indexManager.addToCollectionParentIndex(t, e.key.path.popLast()); - return Rt.resolve(r); - } - lookupMutationBatch(t, e) { - return Rt.resolve(this.Ps(e)); - } - getNextMutationBatchAfterBatchId(t, e) { - const n = e + 1, s = this.bs(n), i = s < 0 ? 0 : s; - // The requested batchId may still be out of range so normalize it to the - // start of the queue. - return Rt.resolve(this.mutationQueue.length > i ? this.mutationQueue[i] : null); - } - getHighestUnacknowledgedBatchId() { - return Rt.resolve(0 === this.mutationQueue.length ? -1 : this.vs - 1); - } - getAllMutationBatches(t) { - return Rt.resolve(this.mutationQueue.slice()); - } - getAllMutationBatchesAffectingDocumentKey(t, e) { - const n = new Fo(e, 0), s = new Fo(e, Number.POSITIVE_INFINITY), i = []; - return this.Rs.forEachInRange([ n, s ], (t => { - const e = this.Ps(t.As); - i.push(e); - })), Rt.resolve(i); - } - getAllMutationBatchesAffectingDocumentKeys(t, e) { - let n = new Ee(et); - return e.forEach((t => { - const e = new Fo(t, 0), s = new Fo(t, Number.POSITIVE_INFINITY); - this.Rs.forEachInRange([ e, s ], (t => { - n = n.add(t.As); - })); - })), Rt.resolve(this.Vs(n)); - } - getAllMutationBatchesAffectingQuery(t, e) { - // Use the query path as a prefix for testing if a document matches the - // query. - const n = e.path, s = n.length + 1; - // Construct a document reference for actually scanning the index. Unlike - // the prefix the document key in this reference must have an even number of - // segments. The empty segment can be used a suffix of the query path - // because it precedes all other segments in an ordered traversal. - let i = n; - ht.isDocumentKey(i) || (i = i.child("")); - const r = new Fo(new ht(i), 0); - // Find unique batchIDs referenced by all documents potentially matching the - // query. - let o = new Ee(et); - return this.Rs.forEachWhile((t => { - const e = t.key.path; - return !!n.isPrefixOf(e) && ( - // Rows with document keys more than one segment longer than the query - // path can't be matches. For example, a query on 'rooms' can't match - // the document /rooms/abc/messages/xyx. - // TODO(mcg): we'll need a different scanner when we implement - // ancestor queries. - e.length === s && (o = o.add(t.As)), !0); - }), r), Rt.resolve(this.Vs(o)); - } - Vs(t) { - // Construct an array of matching batches, sorted by batchID to ensure that - // multiple mutations affecting the same document key are applied in order. - const e = []; - return t.forEach((t => { - const n = this.Ps(t); - null !== n && e.push(n); - })), e; - } - removeMutationBatch(t, e) { - F(0 === this.Ss(e.batchId, "removed")), this.mutationQueue.shift(); - let n = this.Rs; - return Rt.forEach(e.mutations, (s => { - const i = new Fo(s.key, e.batchId); - return n = n.delete(i), this.referenceDelegate.markPotentiallyOrphaned(t, s.key); - })).next((() => { - this.Rs = n; - })); - } - Cn(t) { - // No-op since the memory mutation queue does not maintain a separate cache. - } - containsKey(t, e) { - const n = new Fo(e, 0), s = this.Rs.firstAfterOrEqual(n); - return Rt.resolve(e.isEqual(s && s.key)); - } - performConsistencyCheck(t) { - return this.mutationQueue.length, Rt.resolve(); - } - /** - * Finds the index of the given batchId in the mutation queue and asserts that - * the resulting index is within the bounds of the queue. - * - * @param batchId - The batchId to search for - * @param action - A description of what the caller is doing, phrased in passive - * form (e.g. "acknowledged" in a routine that acknowledges batches). - */ Ss(t, e) { - return this.bs(t); - } - /** - * Finds the index of the given batchId in the mutation queue. This operation - * is O(1). - * - * @returns The computed index of the batch with the given batchId, based on - * the state of the queue. Note this index can be negative if the requested - * batchId has already been remvoed from the queue or past the end of the - * queue if the batchId is larger than the last added batch. - */ bs(t) { - if (0 === this.mutationQueue.length) - // As an index this is past the end of the queue - return 0; - // Examine the front of the queue to figure out the difference between the - // batchId and indexes in the array. Note that since the queue is ordered - // by batchId, if the first batch has a larger batchId then the requested - // batchId doesn't exist in the queue. - return t - this.mutationQueue[0].batchId; - } - /** - * A version of lookupMutationBatch that doesn't return a promise, this makes - * other functions that uses this code easier to read and more efficent. - */ Ps(t) { - const e = this.bs(t); - if (e < 0 || e >= this.mutationQueue.length) return null; - return this.mutationQueue[e]; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The memory-only RemoteDocumentCache for IndexedDb. To construct, invoke - * `newMemoryRemoteDocumentCache()`. - */ - class Lo { - /** - * @param sizer - Used to assess the size of a document. For eager GC, this is - * expected to just return 0 to avoid unnecessarily doing the work of - * calculating the size. - */ - constructor(t) { - this.Ds = t, - /** Underlying cache of documents and their read times. */ - this.docs = new pe(ht.comparator), - /** Size of all cached documents. */ - this.size = 0; - } - setIndexManager(t) { - this.indexManager = t; - } - /** - * Adds the supplied entry to the cache and updates the cache size as appropriate. - * - * All calls of `addEntry` are required to go through the RemoteDocumentChangeBuffer - * returned by `newChangeBuffer()`. - */ addEntry(t, e) { - const n = e.key, s = this.docs.get(n), i = s ? s.size : 0, r = this.Ds(e); - return this.docs = this.docs.insert(n, { - document: e.mutableCopy(), - size: r - }), this.size += r - i, this.indexManager.addToCollectionParentIndex(t, n.path.popLast()); - } - /** - * Removes the specified entry from the cache and updates the cache size as appropriate. - * - * All calls of `removeEntry` are required to go through the RemoteDocumentChangeBuffer - * returned by `newChangeBuffer()`. - */ removeEntry(t) { - const e = this.docs.get(t); - e && (this.docs = this.docs.remove(t), this.size -= e.size); - } - getEntry(t, e) { - const n = this.docs.get(e); - return Rt.resolve(n ? n.document.mutableCopy() : an.newInvalidDocument(e)); - } - getEntries(t, e) { - let n = cs(); - return e.forEach((t => { - const e = this.docs.get(t); - n = n.insert(t, e ? e.document.mutableCopy() : an.newInvalidDocument(t)); - })), Rt.resolve(n); - } - getDocumentsMatchingQuery(t, e, n, s) { - let i = cs(); - // Documents are ordered by key, so we can use a prefix scan to narrow down - // the documents we need to match the query against. - const r = e.path, o = new ht(r.child("")), u = this.docs.getIteratorFrom(o); - for (;u.hasNext(); ) { - const {key: t, value: {document: o}} = u.getNext(); - if (!r.isPrefixOf(t.path)) break; - t.path.length > r.length + 1 || (Tt(pt(o), n) <= 0 || (s.has(o.key) || ns(e, o)) && (i = i.insert(o.key, o.mutableCopy()))); - } - return Rt.resolve(i); - } - getAllFromCollectionGroup(t, e, n, s) { - // This method should only be called from the IndexBackfiller if persistence - // is enabled. - O(); - } - Cs(t, e) { - return Rt.forEach(this.docs, (t => e(t))); - } - newChangeBuffer(t) { - // `trackRemovals` is ignores since the MemoryRemoteDocumentCache keeps - // a separate changelog and does not need special handling for removals. - return new qo(this); - } - getSize(t) { - return Rt.resolve(this.size); - } - } - - /** - * Creates a new memory-only RemoteDocumentCache. - * - * @param sizer - Used to assess the size of a document. For eager GC, this is - * expected to just return 0 to avoid unnecessarily doing the work of - * calculating the size. - */ - /** - * Handles the details of adding and updating documents in the MemoryRemoteDocumentCache. - */ - class qo extends vo { - constructor(t) { - super(), this.os = t; - } - applyChanges(t) { - const e = []; - return this.changes.forEach(((n, s) => { - s.isValidDocument() ? e.push(this.os.addEntry(t, s)) : this.os.removeEntry(n); - })), Rt.waitFor(e); - } - getFromCache(t, e) { - return this.os.getEntry(t, e); - } - getAllFromCache(t, e) { - return this.os.getEntries(t, e); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Uo { - constructor(t) { - this.persistence = t, - /** - * Maps a target to the data about that target - */ - this.xs = new os((t => $n(t)), On), - /** The last received snapshot version. */ - this.lastRemoteSnapshotVersion = rt.min(), - /** The highest numbered target ID encountered. */ - this.highestTargetId = 0, - /** The highest sequence number encountered. */ - this.Ns = 0, - /** - * A ordered bidirectional mapping between documents and the remote target - * IDs. - */ - this.ks = new Oo, this.targetCount = 0, this.Ms = lo.kn(); - } - forEachTarget(t, e) { - return this.xs.forEach(((t, n) => e(n))), Rt.resolve(); - } - getLastRemoteSnapshotVersion(t) { - return Rt.resolve(this.lastRemoteSnapshotVersion); - } - getHighestSequenceNumber(t) { - return Rt.resolve(this.Ns); - } - allocateTargetId(t) { - return this.highestTargetId = this.Ms.next(), Rt.resolve(this.highestTargetId); - } - setTargetsMetadata(t, e, n) { - return n && (this.lastRemoteSnapshotVersion = n), e > this.Ns && (this.Ns = e), - Rt.resolve(); - } - Fn(t) { - this.xs.set(t.target, t); - const e = t.targetId; - e > this.highestTargetId && (this.Ms = new lo(e), this.highestTargetId = e), t.sequenceNumber > this.Ns && (this.Ns = t.sequenceNumber); - } - addTargetData(t, e) { - return this.Fn(e), this.targetCount += 1, Rt.resolve(); - } - updateTargetData(t, e) { - return this.Fn(e), Rt.resolve(); - } - removeTargetData(t, e) { - return this.xs.delete(e.target), this.ks.Is(e.targetId), this.targetCount -= 1, - Rt.resolve(); - } - removeTargets(t, e, n) { - let s = 0; - const i = []; - return this.xs.forEach(((r, o) => { - o.sequenceNumber <= e && null === n.get(o.targetId) && (this.xs.delete(r), i.push(this.removeMatchingKeysForTargetId(t, o.targetId)), - s++); - })), Rt.waitFor(i).next((() => s)); - } - getTargetCount(t) { - return Rt.resolve(this.targetCount); - } - getTargetData(t, e) { - const n = this.xs.get(e) || null; - return Rt.resolve(n); - } - addMatchingKeys(t, e, n) { - return this.ks.gs(e, n), Rt.resolve(); - } - removeMatchingKeys(t, e, n) { - this.ks.ps(e, n); - const s = this.persistence.referenceDelegate, i = []; - return s && e.forEach((e => { - i.push(s.markPotentiallyOrphaned(t, e)); - })), Rt.waitFor(i); - } - removeMatchingKeysForTargetId(t, e) { - return this.ks.Is(e), Rt.resolve(); - } - getMatchingKeysForTargetId(t, e) { - const n = this.ks.Es(e); - return Rt.resolve(n); - } - containsKey(t, e) { - return Rt.resolve(this.ks.containsKey(e)); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A memory-backed instance of Persistence. Data is stored only in RAM and - * not persisted across sessions. - */ - class Ko { - /** - * The constructor accepts a factory for creating a reference delegate. This - * allows both the delegate and this instance to have strong references to - * each other without having nullable fields that would then need to be - * checked or asserted on every access. - */ - constructor(t, e) { - this.$s = {}, this.overlays = {}, this.Os = new Ot(0), this.Fs = !1, this.Fs = !0, - this.referenceDelegate = t(this), this.Bs = new Uo(this); - this.indexManager = new zr, this.remoteDocumentCache = function(t) { - return new Lo(t); - }((t => this.referenceDelegate.Ls(t))), this.serializer = new ar(e), this.qs = new Mo(this.serializer); - } - start() { - return Promise.resolve(); - } - shutdown() { - // No durable state to ensure is closed on shutdown. - return this.Fs = !1, Promise.resolve(); - } - get started() { - return this.Fs; - } - setDatabaseDeletedListener() { - // No op. - } - setNetworkEnabled() { - // No op. - } - getIndexManager(t) { - // We do not currently support indices for memory persistence, so we can - // return the same shared instance of the memory index manager. - return this.indexManager; - } - getDocumentOverlayCache(t) { - let e = this.overlays[t.toKey()]; - return e || (e = new $o, this.overlays[t.toKey()] = e), e; - } - getMutationQueue(t, e) { - let n = this.$s[t.toKey()]; - return n || (n = new Bo(e, this.referenceDelegate), this.$s[t.toKey()] = n), n; - } - getTargetCache() { - return this.Bs; - } - getRemoteDocumentCache() { - return this.remoteDocumentCache; - } - getBundleCache() { - return this.qs; - } - runTransaction(t, e, n) { - N("MemoryPersistence", "Starting transaction:", t); - const s = new Go(this.Os.next()); - return this.referenceDelegate.Us(), n(s).next((t => this.referenceDelegate.Ks(s).next((() => t)))).toPromise().then((t => (s.raiseOnCommittedEvent(), - t))); - } - Gs(t, e) { - return Rt.or(Object.values(this.$s).map((n => () => n.containsKey(t, e)))); - } - } - - /** - * Memory persistence is not actually transactional, but future implementations - * may have transaction-scoped state. - */ class Go extends At { - constructor(t) { - super(), this.currentSequenceNumber = t; - } - } - - class Qo { - constructor(t) { - this.persistence = t, - /** Tracks all documents that are active in Query views. */ - this.Qs = new Oo, - /** The list of documents that are potentially GCed after each transaction. */ - this.js = null; - } - static zs(t) { - return new Qo(t); - } - get Ws() { - if (this.js) return this.js; - throw O(); - } - addReference(t, e, n) { - return this.Qs.addReference(n, e), this.Ws.delete(n.toString()), Rt.resolve(); - } - removeReference(t, e, n) { - return this.Qs.removeReference(n, e), this.Ws.add(n.toString()), Rt.resolve(); - } - markPotentiallyOrphaned(t, e) { - return this.Ws.add(e.toString()), Rt.resolve(); - } - removeTarget(t, e) { - this.Qs.Is(e.targetId).forEach((t => this.Ws.add(t.toString()))); - const n = this.persistence.getTargetCache(); - return n.getMatchingKeysForTargetId(t, e.targetId).next((t => { - t.forEach((t => this.Ws.add(t.toString()))); - })).next((() => n.removeTargetData(t, e))); - } - Us() { - this.js = new Set; - } - Ks(t) { - // Remove newly orphaned documents. - const e = this.persistence.getRemoteDocumentCache().newChangeBuffer(); - return Rt.forEach(this.Ws, (n => { - const s = ht.fromPath(n); - return this.Hs(t, s).next((t => { - t || e.removeEntry(s, rt.min()); - })); - })).next((() => (this.js = null, e.apply(t)))); - } - updateLimboDocument(t, e) { - return this.Hs(t, e).next((t => { - t ? this.Ws.delete(e.toString()) : this.Ws.add(e.toString()); - })); - } - Ls(t) { - // For eager GC, we don't care about the document size, there are no size thresholds. - return 0; - } - Hs(t, e) { - return Rt.or([ () => Rt.resolve(this.Qs.containsKey(e)), () => this.persistence.getTargetCache().containsKey(t, e), () => this.persistence.Gs(t, e) ]); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Performs database creation and schema upgrades. */ class zo { - constructor(t) { - this.serializer = t; - } - /** - * Performs database creation and schema upgrades. - * - * Note that in production, this method is only ever used to upgrade the schema - * to SCHEMA_VERSION. Different values of toVersion are only used for testing - * and local feature development. - */ O(t, e, n, s) { - const i = new Pt("createOrUpgrade", e); - n < 1 && s >= 1 && (function(t) { - t.createObjectStore("owner"); - }(t), function(t) { - t.createObjectStore("mutationQueues", { - keyPath: "userId" - }); - t.createObjectStore("mutations", { - keyPath: "batchId", - autoIncrement: !0 - }).createIndex("userMutationsIndex", Qt, { - unique: !0 - }), t.createObjectStore("documentMutations"); - } - /** - * Upgrade function to migrate the 'mutations' store from V1 to V3. Loads - * and rewrites all data. - */ (t), Wo(t), function(t) { - t.createObjectStore("remoteDocuments"); - }(t)); - // Migration 2 to populate the targetGlobal object no longer needed since - // migration 3 unconditionally clears it. - let r = Rt.resolve(); - return n < 3 && s >= 3 && ( - // Brand new clients don't need to drop and recreate--only clients that - // potentially have corrupt data. - 0 !== n && (!function(t) { - t.deleteObjectStore("targetDocuments"), t.deleteObjectStore("targets"), t.deleteObjectStore("targetGlobal"); - }(t), Wo(t)), r = r.next((() => - /** - * Creates the target global singleton row. - * - * @param txn - The version upgrade transaction for indexeddb - */ - function(t) { - const e = t.store("targetGlobal"), n = { - highestTargetId: 0, - highestListenSequenceNumber: 0, - lastRemoteSnapshotVersion: rt.min().toTimestamp(), - targetCount: 0 - }; - return e.put("targetGlobalKey", n); - }(i)))), n < 4 && s >= 4 && (0 !== n && ( - // Schema version 3 uses auto-generated keys to generate globally unique - // mutation batch IDs (this was previously ensured internally by the - // client). To migrate to the new schema, we have to read all mutations - // and write them back out. We preserve the existing batch IDs to guarantee - // consistency with other object stores. Any further mutation batch IDs will - // be auto-generated. - r = r.next((() => function(t, e) { - return e.store("mutations").j().next((n => { - t.deleteObjectStore("mutations"); - t.createObjectStore("mutations", { - keyPath: "batchId", - autoIncrement: !0 - }).createIndex("userMutationsIndex", Qt, { - unique: !0 - }); - const s = e.store("mutations"), i = n.map((t => s.put(t))); - return Rt.waitFor(i); - })); - }(t, i)))), r = r.next((() => { - !function(t) { - t.createObjectStore("clientMetadata", { - keyPath: "clientId" - }); - }(t); - }))), n < 5 && s >= 5 && (r = r.next((() => this.Ys(i)))), n < 6 && s >= 6 && (r = r.next((() => (function(t) { - t.createObjectStore("remoteDocumentGlobal"); - }(t), this.Xs(i))))), n < 7 && s >= 7 && (r = r.next((() => this.Zs(i)))), n < 8 && s >= 8 && (r = r.next((() => this.ti(t, i)))), - n < 9 && s >= 9 && (r = r.next((() => { - // Multi-Tab used to manage its own changelog, but this has been moved - // to the DbRemoteDocument object store itself. Since the previous change - // log only contained transient data, we can drop its object store. - !function(t) { - t.objectStoreNames.contains("remoteDocumentChanges") && t.deleteObjectStore("remoteDocumentChanges"); - }(t); - // Note: Schema version 9 used to create a read time index for the - // RemoteDocumentCache. This is now done with schema version 13. - }))), n < 10 && s >= 10 && (r = r.next((() => this.ei(i)))), n < 11 && s >= 11 && (r = r.next((() => { - !function(t) { - t.createObjectStore("bundles", { - keyPath: "bundleId" - }); - }(t), function(t) { - t.createObjectStore("namedQueries", { - keyPath: "name" - }); - }(t); - }))), n < 12 && s >= 12 && (r = r.next((() => { - !function(t) { - const e = t.createObjectStore("documentOverlays", { - keyPath: oe - }); - e.createIndex("collectionPathOverlayIndex", ue, { - unique: !1 - }), e.createIndex("collectionGroupOverlayIndex", ce, { - unique: !1 - }); - }(t); - }))), n < 13 && s >= 13 && (r = r.next((() => function(t) { - const e = t.createObjectStore("remoteDocumentsV14", { - keyPath: Ht - }); - e.createIndex("documentKeyIndex", Jt), e.createIndex("collectionGroupIndex", Yt); - }(t))).next((() => this.ni(t, i))).next((() => t.deleteObjectStore("remoteDocuments")))), - n < 14 && s >= 14 && (r = r.next((() => this.si(t, i)))), n < 15 && s >= 15 && (r = r.next((() => function(t) { - t.createObjectStore("indexConfiguration", { - keyPath: "indexId", - autoIncrement: !0 - }).createIndex("collectionGroupIndex", "collectionGroup", { - unique: !1 - }); - t.createObjectStore("indexState", { - keyPath: ne - }).createIndex("sequenceNumberIndex", se, { - unique: !1 - }); - t.createObjectStore("indexEntries", { - keyPath: ie - }).createIndex("documentKeyIndex", re, { - unique: !1 - }); - }(t)))), r; - } - Xs(t) { - let e = 0; - return t.store("remoteDocuments").X(((t, n) => { - e += ro(n); - })).next((() => { - const n = { - byteSize: e - }; - return t.store("remoteDocumentGlobal").put("remoteDocumentGlobalKey", n); - })); - } - Ys(t) { - const e = t.store("mutationQueues"), n = t.store("mutations"); - return e.j().next((e => Rt.forEach(e, (e => { - const s = IDBKeyRange.bound([ e.userId, -1 ], [ e.userId, e.lastAcknowledgedBatchId ]); - return n.j("userMutationsIndex", s).next((n => Rt.forEach(n, (n => { - F(n.userId === e.userId); - const s = _r(this.serializer, n); - return io(t, e.userId, s).next((() => {})); - })))); - })))); - } - /** - * Ensures that every document in the remote document cache has a corresponding sentinel row - * with a sequence number. Missing rows are given the most recently used sequence number. - */ Zs(t) { - const e = t.store("targetDocuments"), n = t.store("remoteDocuments"); - return t.store("targetGlobal").get("targetGlobalKey").next((t => { - const s = []; - return n.X(((n, i) => { - const r = new ut(n), o = function(t) { - return [ 0, qt(t) ]; - }(r); - s.push(e.get(o).next((n => n ? Rt.resolve() : (n => e.put({ - targetId: 0, - path: qt(n), - sequenceNumber: t.highestListenSequenceNumber - }))(r)))); - })).next((() => Rt.waitFor(s))); - })); - } - ti(t, e) { - // Create the index. - t.createObjectStore("collectionParents", { - keyPath: ee - }); - const n = e.store("collectionParents"), s = new Wr, i = t => { - if (s.add(t)) { - const e = t.lastSegment(), s = t.popLast(); - return n.put({ - collectionId: e, - parent: qt(s) - }); - } - }; - // Helper to add an index entry iff we haven't already written it. - // Index existing remote documents. - return e.store("remoteDocuments").X({ - Y: !0 - }, ((t, e) => { - const n = new ut(t); - return i(n.popLast()); - })).next((() => e.store("documentMutations").X({ - Y: !0 - }, (([t, e, n], s) => { - const r = Gt(e); - return i(r.popLast()); - })))); - } - ei(t) { - const e = t.store("targets"); - return e.X(((t, n) => { - const s = mr(n), i = gr(this.serializer, s); - return e.put(i); - })); - } - ni(t, e) { - const n = e.store("remoteDocuments"), s = []; - return n.X(((t, n) => { - const i = e.store("remoteDocumentsV14"), r = (o = n, o.document ? new ht(ut.fromString(o.document.name).popFirst(5)) : o.noDocument ? ht.fromSegments(o.noDocument.path) : o.unknownDocument ? ht.fromSegments(o.unknownDocument.path) : O()).path.toArray(); - var o; - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const u = { - prefixPath: r.slice(0, r.length - 2), - collectionGroup: r[r.length - 2], - documentId: r[r.length - 1], - readTime: n.readTime || [ 0, 0 ], - unknownDocument: n.unknownDocument, - noDocument: n.noDocument, - document: n.document, - hasCommittedMutations: !!n.hasCommittedMutations - }; - s.push(i.put(u)); - })).next((() => Rt.waitFor(s))); - } - si(t, e) { - const n = e.store("mutations"), s = Po(this.serializer), i = new Ko(Qo.zs, this.serializer.fe); - return n.j().next((t => { - const n = new Map; - return t.forEach((t => { - var e; - let s = null !== (e = n.get(t.userId)) && void 0 !== e ? e : gs(); - _r(this.serializer, t).keys().forEach((t => s = s.add(t))), n.set(t.userId, s); - })), Rt.forEach(n, ((t, n) => { - const r = new V(n), o = Rr.de(this.serializer, r), u = i.getIndexManager(r), c = oo.de(r, this.serializer, u, i.referenceDelegate); - return new ko(s, c, o, u).recalculateAndSaveOverlaysForDocumentKeys(new we(e, Ot.ct), t).next(); - })); - })); - } - } - - function Wo(t) { - t.createObjectStore("targetDocuments", { - keyPath: Zt - }).createIndex("documentTargetsIndex", te, { - unique: !0 - }); - // NOTE: This is unique only because the TargetId is the suffix. - t.createObjectStore("targets", { - keyPath: "targetId" - }).createIndex("queryTargetsIndex", Xt, { - unique: !0 - }), t.createObjectStore("targetGlobal"); - } - - const Ho = "Failed to obtain exclusive access to the persistence layer. To allow shared access, multi-tab synchronization has to be enabled in all tabs. If you are using `experimentalForceOwningTab:true`, make sure that only one tab has persistence enabled at any given time."; - - /** - * Oldest acceptable age in milliseconds for client metadata before the client - * is considered inactive and its associated data is garbage collected. - */ - /** - * An IndexedDB-backed instance of Persistence. Data is stored persistently - * across sessions. - * - * On Web only, the Firestore SDKs support shared access to its persistence - * layer. This allows multiple browser tabs to read and write to IndexedDb and - * to synchronize state even without network connectivity. Shared access is - * currently optional and not enabled unless all clients invoke - * `enablePersistence()` with `{synchronizeTabs:true}`. - * - * In multi-tab mode, if multiple clients are active at the same time, the SDK - * will designate one client as the “primary client”. An effort is made to pick - * a visible, network-connected and active client, and this client is - * responsible for letting other clients know about its presence. The primary - * client writes a unique client-generated identifier (the client ID) to - * IndexedDb’s “owner” store every 4 seconds. If the primary client fails to - * update this entry, another client can acquire the lease and take over as - * primary. - * - * Some persistence operations in the SDK are designated as primary-client only - * operations. This includes the acknowledgment of mutations and all updates of - * remote documents. The effects of these operations are written to persistence - * and then broadcast to other tabs via LocalStorage (see - * `WebStorageSharedClientState`), which then refresh their state from - * persistence. - * - * Similarly, the primary client listens to notifications sent by secondary - * clients to discover persistence changes written by secondary clients, such as - * the addition of new mutations and query targets. - * - * If multi-tab is not enabled and another tab already obtained the primary - * lease, IndexedDbPersistence enters a failed state and all subsequent - * operations will automatically fail. - * - * Additionally, there is an optimization so that when a tab is closed, the - * primary lease is released immediately (this is especially important to make - * sure that a refreshed tab is able to immediately re-acquire the primary - * lease). Unfortunately, IndexedDB cannot be reliably used in window.unload - * since it is an asynchronous API. So in addition to attempting to give up the - * lease, the leaseholder writes its client ID to a "zombiedClient" entry in - * LocalStorage which acts as an indicator that another tab should go ahead and - * take the primary lease immediately regardless of the current lease timestamp. - * - * TODO(b/114226234): Remove `synchronizeTabs` section when multi-tab is no - * longer optional. - */ - class Jo { - constructor( - /** - * Whether to synchronize the in-memory state of multiple tabs and share - * access to local persistence. - */ - t, e, n, s, i, r, o, u, c, - /** - * If set to true, forcefully obtains database access. Existing tabs will - * no longer be able to access IndexedDB. - */ - a, h = 15) { - if (this.allowTabSynchronization = t, this.persistenceKey = e, this.clientId = n, - this.ii = i, this.window = r, this.document = o, this.ri = c, this.oi = a, this.ui = h, - this.Os = null, this.Fs = !1, this.isPrimary = !1, this.networkEnabled = !0, - /** Our window.unload handler, if registered. */ - this.ci = null, this.inForeground = !1, - /** Our 'visibilitychange' listener if registered. */ - this.ai = null, - /** The client metadata refresh task. */ - this.hi = null, - /** The last time we garbage collected the client metadata object store. */ - this.li = Number.NEGATIVE_INFINITY, - /** A listener to notify on primary state changes. */ - this.fi = t => Promise.resolve(), !Jo.D()) throw new U(q.UNIMPLEMENTED, "This platform is either missing IndexedDB or is known to have an incomplete implementation. Offline persistence has been disabled."); - this.referenceDelegate = new Eo(this, s), this.di = e + "main", this.serializer = new ar(u), - this.wi = new bt(this.di, this.ui, new zo(this.serializer)), this.Bs = new fo(this.referenceDelegate, this.serializer), - this.remoteDocumentCache = Po(this.serializer), this.qs = new Er, this.window && this.window.localStorage ? this._i = this.window.localStorage : (this._i = null, - !1 === a && k("IndexedDbPersistence", "LocalStorage is unavailable. As a result, persistence may not work reliably. In particular enablePersistence() could fail immediately after refreshing the page.")); - } - /** - * Attempt to start IndexedDb persistence. - * - * @returns Whether persistence was enabled. - */ start() { - // NOTE: This is expected to fail sometimes (in the case of another tab - // already having the persistence lock), so it's the first thing we should - // do. - return this.mi().then((() => { - if (!this.isPrimary && !this.allowTabSynchronization) - // Fail `start()` if `synchronizeTabs` is disabled and we cannot - // obtain the primary lease. - throw new U(q.FAILED_PRECONDITION, Ho); - return this.gi(), this.yi(), this.pi(), this.runTransaction("getHighestListenSequenceNumber", "readonly", (t => this.Bs.getHighestSequenceNumber(t))); - })).then((t => { - this.Os = new Ot(t, this.ri); - })).then((() => { - this.Fs = !0; - })).catch((t => (this.wi && this.wi.close(), Promise.reject(t)))); - } - /** - * Registers a listener that gets called when the primary state of the - * instance changes. Upon registering, this listener is invoked immediately - * with the current primary state. - * - * PORTING NOTE: This is only used for Web multi-tab. - */ Ii(t) { - return this.fi = async e => { - if (this.started) return t(e); - }, t(this.isPrimary); - } - /** - * Registers a listener that gets called when the database receives a - * version change event indicating that it has deleted. - * - * PORTING NOTE: This is only used for Web multi-tab. - */ setDatabaseDeletedListener(t) { - this.wi.B((async e => { - // Check if an attempt is made to delete IndexedDB. - null === e.newVersion && await t(); - })); - } - /** - * Adjusts the current network state in the client's metadata, potentially - * affecting the primary lease. - * - * PORTING NOTE: This is only used for Web multi-tab. - */ setNetworkEnabled(t) { - this.networkEnabled !== t && (this.networkEnabled = t, - // Schedule a primary lease refresh for immediate execution. The eventual - // lease update will be propagated via `primaryStateListener`. - this.ii.enqueueAndForget((async () => { - this.started && await this.mi(); - }))); - } - /** - * Updates the client metadata in IndexedDb and attempts to either obtain or - * extend the primary lease for the local client. Asynchronously notifies the - * primary state listener if the client either newly obtained or released its - * primary lease. - */ mi() { - return this.runTransaction("updateClientMetadataAndTryBecomePrimary", "readwrite", (t => Xo(t).put({ - clientId: this.clientId, - updateTimeMs: Date.now(), - networkEnabled: this.networkEnabled, - inForeground: this.inForeground - }).next((() => { - if (this.isPrimary) return this.Ti(t).next((t => { - t || (this.isPrimary = !1, this.ii.enqueueRetryable((() => this.fi(!1)))); - })); - })).next((() => this.Ei(t))).next((e => this.isPrimary && !e ? this.Ai(t).next((() => !1)) : !!e && this.vi(t).next((() => !0)))))).catch((t => { - if (Dt(t)) - // Proceed with the existing state. Any subsequent access to - // IndexedDB will verify the lease. - return N("IndexedDbPersistence", "Failed to extend owner lease: ", t), this.isPrimary; - if (!this.allowTabSynchronization) throw t; - return N("IndexedDbPersistence", "Releasing owner lease after error during lease refresh", t), - /* isPrimary= */ !1; - })).then((t => { - this.isPrimary !== t && this.ii.enqueueRetryable((() => this.fi(t))), this.isPrimary = t; - })); - } - Ti(t) { - return Yo(t).get("owner").next((t => Rt.resolve(this.Ri(t)))); - } - Pi(t) { - return Xo(t).delete(this.clientId); - } - /** - * If the garbage collection threshold has passed, prunes the - * RemoteDocumentChanges and the ClientMetadata store based on the last update - * time of all clients. - */ async bi() { - if (this.isPrimary && !this.Vi(this.li, 18e5)) { - this.li = Date.now(); - const t = await this.runTransaction("maybeGarbageCollectMultiClientState", "readwrite-primary", (t => { - const e = _e(t, "clientMetadata"); - return e.j().next((t => { - const n = this.Si(t, 18e5), s = t.filter((t => -1 === n.indexOf(t))); - // Delete metadata for clients that are no longer considered active. - return Rt.forEach(s, (t => e.delete(t.clientId))).next((() => s)); - })); - })).catch((() => [])); - // Delete potential leftover entries that may continue to mark the - // inactive clients as zombied in LocalStorage. - // Ideally we'd delete the IndexedDb and LocalStorage zombie entries for - // the client atomically, but we can't. So we opt to delete the IndexedDb - // entries first to avoid potentially reviving a zombied client. - if (this._i) for (const e of t) this._i.removeItem(this.Di(e.clientId)); - } - } - /** - * Schedules a recurring timer to update the client metadata and to either - * extend or acquire the primary lease if the client is eligible. - */ pi() { - this.hi = this.ii.enqueueAfterDelay("client_metadata_refresh" /* TimerId.ClientMetadataRefresh */ , 4e3, (() => this.mi().then((() => this.bi())).then((() => this.pi())))); - } - /** Checks whether `client` is the local client. */ Ri(t) { - return !!t && t.ownerId === this.clientId; - } - /** - * Evaluate the state of all active clients and determine whether the local - * client is or can act as the holder of the primary lease. Returns whether - * the client is eligible for the lease, but does not actually acquire it. - * May return 'false' even if there is no active leaseholder and another - * (foreground) client should become leaseholder instead. - */ Ei(t) { - if (this.oi) return Rt.resolve(!0); - return Yo(t).get("owner").next((e => { - // A client is eligible for the primary lease if: - // - its network is enabled and the client's tab is in the foreground. - // - its network is enabled and no other client's tab is in the - // foreground. - // - every clients network is disabled and the client's tab is in the - // foreground. - // - every clients network is disabled and no other client's tab is in - // the foreground. - // - the `forceOwningTab` setting was passed in. - if (null !== e && this.Vi(e.leaseTimestampMs, 5e3) && !this.Ci(e.ownerId)) { - if (this.Ri(e) && this.networkEnabled) return !0; - if (!this.Ri(e)) { - if (!e.allowTabSynchronization) - // Fail the `canActAsPrimary` check if the current leaseholder has - // not opted into multi-tab synchronization. If this happens at - // client startup, we reject the Promise returned by - // `enablePersistence()` and the user can continue to use Firestore - // with in-memory persistence. - // If this fails during a lease refresh, we will instead block the - // AsyncQueue from executing further operations. Note that this is - // acceptable since mixing & matching different `synchronizeTabs` - // settings is not supported. - // TODO(b/114226234): Remove this check when `synchronizeTabs` can - // no longer be turned off. - throw new U(q.FAILED_PRECONDITION, Ho); - return !1; - } - } - return !(!this.networkEnabled || !this.inForeground) || Xo(t).j().next((t => void 0 === this.Si(t, 5e3).find((t => { - if (this.clientId !== t.clientId) { - const e = !this.networkEnabled && t.networkEnabled, n = !this.inForeground && t.inForeground, s = this.networkEnabled === t.networkEnabled; - if (e || n && s) return !0; - } - return !1; - })))); - })).next((t => (this.isPrimary !== t && N("IndexedDbPersistence", `Client ${t ? "is" : "is not"} eligible for a primary lease.`), - t))); - } - async shutdown() { - // The shutdown() operations are idempotent and can be called even when - // start() aborted (e.g. because it couldn't acquire the persistence lease). - this.Fs = !1, this.xi(), this.hi && (this.hi.cancel(), this.hi = null), this.Ni(), - this.ki(), - // Use `SimpleDb.runTransaction` directly to avoid failing if another tab - // has obtained the primary lease. - await this.wi.runTransaction("shutdown", "readwrite", [ "owner", "clientMetadata" ], (t => { - const e = new we(t, Ot.ct); - return this.Ai(e).next((() => this.Pi(e))); - })), this.wi.close(), - // Remove the entry marking the client as zombied from LocalStorage since - // we successfully deleted its metadata from IndexedDb. - this.Mi(); - } - /** - * Returns clients that are not zombied and have an updateTime within the - * provided threshold. - */ Si(t, e) { - return t.filter((t => this.Vi(t.updateTimeMs, e) && !this.Ci(t.clientId))); - } - /** - * Returns the IDs of the clients that are currently active. If multi-tab - * is not supported, returns an array that only contains the local client's - * ID. - * - * PORTING NOTE: This is only used for Web multi-tab. - */ $i() { - return this.runTransaction("getActiveClients", "readonly", (t => Xo(t).j().next((t => this.Si(t, 18e5).map((t => t.clientId)))))); - } - get started() { - return this.Fs; - } - getMutationQueue(t, e) { - return oo.de(t, this.serializer, e, this.referenceDelegate); - } - getTargetCache() { - return this.Bs; - } - getRemoteDocumentCache() { - return this.remoteDocumentCache; - } - getIndexManager(t) { - return new Jr(t, this.serializer.fe.databaseId); - } - getDocumentOverlayCache(t) { - return Rr.de(this.serializer, t); - } - getBundleCache() { - return this.qs; - } - runTransaction(t, e, n) { - N("IndexedDbPersistence", "Starting transaction:", t); - const s = "readonly" === e ? "readonly" : "readwrite", i = 15 === (r = this.ui) ? de : 14 === r ? fe : 13 === r ? le : 12 === r ? he : 11 === r ? ae : void O(); - /** Returns the object stores for the provided schema. */ - var r; - let o; - // Do all transactions as readwrite against all object stores, since we - // are the only reader/writer. - return this.wi.runTransaction(t, s, i, (s => (o = new we(s, this.Os ? this.Os.next() : Ot.ct), - "readwrite-primary" === e ? this.Ti(o).next((t => !!t || this.Ei(o))).next((e => { - if (!e) throw k(`Failed to obtain primary lease for action '${t}'.`), this.isPrimary = !1, - this.ii.enqueueRetryable((() => this.fi(!1))), new U(q.FAILED_PRECONDITION, Et); - return n(o); - })).next((t => this.vi(o).next((() => t)))) : this.Oi(o).next((() => n(o)))))).then((t => (o.raiseOnCommittedEvent(), - t))); - } - /** - * Verifies that the current tab is the primary leaseholder or alternatively - * that the leaseholder has opted into multi-tab synchronization. - */ - // TODO(b/114226234): Remove this check when `synchronizeTabs` can no longer - // be turned off. - Oi(t) { - return Yo(t).get("owner").next((t => { - if (null !== t && this.Vi(t.leaseTimestampMs, 5e3) && !this.Ci(t.ownerId) && !this.Ri(t) && !(this.oi || this.allowTabSynchronization && t.allowTabSynchronization)) throw new U(q.FAILED_PRECONDITION, Ho); - })); - } - /** - * Obtains or extends the new primary lease for the local client. This - * method does not verify that the client is eligible for this lease. - */ vi(t) { - const e = { - ownerId: this.clientId, - allowTabSynchronization: this.allowTabSynchronization, - leaseTimestampMs: Date.now() - }; - return Yo(t).put("owner", e); - } - static D() { - return bt.D(); - } - /** Checks the primary lease and removes it if we are the current primary. */ Ai(t) { - const e = Yo(t); - return e.get("owner").next((t => this.Ri(t) ? (N("IndexedDbPersistence", "Releasing primary lease."), - e.delete("owner")) : Rt.resolve())); - } - /** Verifies that `updateTimeMs` is within `maxAgeMs`. */ Vi(t, e) { - const n = Date.now(); - return !(t < n - e) && (!(t > n) || (k(`Detected an update time that is in the future: ${t} > ${n}`), - !1)); - } - gi() { - null !== this.document && "function" == typeof this.document.addEventListener && (this.ai = () => { - this.ii.enqueueAndForget((() => (this.inForeground = "visible" === this.document.visibilityState, - this.mi()))); - }, this.document.addEventListener("visibilitychange", this.ai), this.inForeground = "visible" === this.document.visibilityState); - } - Ni() { - this.ai && (this.document.removeEventListener("visibilitychange", this.ai), this.ai = null); - } - /** - * Attaches a window.unload handler that will synchronously write our - * clientId to a "zombie client id" location in LocalStorage. This can be used - * by tabs trying to acquire the primary lease to determine that the lease - * is no longer valid even if the timestamp is recent. This is particularly - * important for the refresh case (so the tab correctly re-acquires the - * primary lease). LocalStorage is used for this rather than IndexedDb because - * it is a synchronous API and so can be used reliably from an unload - * handler. - */ yi() { - var t; - "function" == typeof (null === (t = this.window) || void 0 === t ? void 0 : t.addEventListener) && (this.ci = () => { - // Note: In theory, this should be scheduled on the AsyncQueue since it - // accesses internal state. We execute this code directly during shutdown - // to make sure it gets a chance to run. - this.xi(); - const t = /(?:Version|Mobile)\/1[456]/; - isSafari() && (navigator.appVersion.match(t) || navigator.userAgent.match(t)) && - // On Safari 14, 15, and 16, we do not run any cleanup actions as it might - // trigger a bug that prevents Safari from re-opening IndexedDB during - // the next page load. - // See https://bugs.webkit.org/show_bug.cgi?id=226547 - this.ii.enterRestrictedMode(/* purgeExistingTasks= */ !0), this.ii.enqueueAndForget((() => this.shutdown())); - }, this.window.addEventListener("pagehide", this.ci)); - } - ki() { - this.ci && (this.window.removeEventListener("pagehide", this.ci), this.ci = null); - } - /** - * Returns whether a client is "zombied" based on its LocalStorage entry. - * Clients become zombied when their tab closes without running all of the - * cleanup logic in `shutdown()`. - */ Ci(t) { - var e; - try { - const n = null !== (null === (e = this._i) || void 0 === e ? void 0 : e.getItem(this.Di(t))); - return N("IndexedDbPersistence", `Client '${t}' ${n ? "is" : "is not"} zombied in LocalStorage`), - n; - } catch (t) { - // Gracefully handle if LocalStorage isn't working. - return k("IndexedDbPersistence", "Failed to get zombied client id.", t), !1; - } - } - /** - * Record client as zombied (a client that had its tab closed). Zombied - * clients are ignored during primary tab selection. - */ xi() { - if (this._i) try { - this._i.setItem(this.Di(this.clientId), String(Date.now())); - } catch (t) { - // Gracefully handle if LocalStorage isn't available / working. - k("Failed to set zombie client id.", t); - } - } - /** Removes the zombied client entry if it exists. */ Mi() { - if (this._i) try { - this._i.removeItem(this.Di(this.clientId)); - } catch (t) { - // Ignore - } - } - Di(t) { - return `firestore_zombie_${this.persistenceKey}_${t}`; - } - } - - /** - * Helper to get a typed SimpleDbStore for the primary client object store. - */ function Yo(t) { - return _e(t, "owner"); - } - - /** - * Helper to get a typed SimpleDbStore for the client metadata object store. - */ function Xo(t) { - return _e(t, "clientMetadata"); - } - - /** - * Generates a string used as a prefix when storing data in IndexedDB and - * LocalStorage. - */ function Zo(t, e) { - // Use two different prefix formats: - // * firestore / persistenceKey / projectID . databaseID / ... - // * firestore / persistenceKey / projectID / ... - // projectIDs are DNS-compatible names and cannot contain dots - // so there's no danger of collisions. - let n = t.projectId; - return t.isDefaultDatabase || (n += "." + t.database), "firestore/" + e + "/" + n + "/"; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A set of changes to what documents are currently in view and out of view for - * a given query. These changes are sent to the LocalStore by the View (via - * the SyncEngine) and are used to pin / unpin documents as appropriate. - */ - class tu { - constructor(t, e, n, s) { - this.targetId = t, this.fromCache = e, this.Fi = n, this.Bi = s; - } - static Li(t, e) { - let n = gs(), s = gs(); - for (const t of e.docChanges) switch (t.type) { - case 0 /* ChangeType.Added */ : - n = n.add(t.doc.key); - break; - - case 1 /* ChangeType.Removed */ : - s = s.add(t.doc.key); - // do nothing - } - return new tu(t, e.fromCache, n, s); - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The Firestore query engine. - * - * Firestore queries can be executed in three modes. The Query Engine determines - * what mode to use based on what data is persisted. The mode only determines - * the runtime complexity of the query - the result set is equivalent across all - * implementations. - * - * The Query engine will use indexed-based execution if a user has configured - * any index that can be used to execute query (via `setIndexConfiguration()`). - * Otherwise, the engine will try to optimize the query by re-using a previously - * persisted query result. If that is not possible, the query will be executed - * via a full collection scan. - * - * Index-based execution is the default when available. The query engine - * supports partial indexed execution and merges the result from the index - * lookup with documents that have not yet been indexed. The index evaluation - * matches the backend's format and as such, the SDK can use indexing for all - * queries that the backend supports. - * - * If no index exists, the query engine tries to take advantage of the target - * document mapping in the TargetCache. These mappings exists for all queries - * that have been synced with the backend at least once and allow the query - * engine to only read documents that previously matched a query plus any - * documents that were edited after the query was last listened to. - * - * There are some cases when this optimization is not guaranteed to produce - * the same results as full collection scans. In these cases, query - * processing falls back to full scans. These cases are: - * - * - Limit queries where a document that matched the query previously no longer - * matches the query. - * - * - Limit queries where a document edit may cause the document to sort below - * another document that is in the local cache. - * - * - Queries that have never been CURRENT or free of limbo documents. - */ class eu { - constructor() { - this.qi = !1; - } - /** Sets the document view to query against. */ initialize(t, e) { - this.Ui = t, this.indexManager = e, this.qi = !0; - } - /** Returns all local documents matching the specified query. */ getDocumentsMatchingQuery(t, e, n, s) { - return this.Ki(t, e).next((i => i || this.Gi(t, e, s, n))).next((n => n || this.Qi(t, e))); - } - /** - * Performs an indexed query that evaluates the query based on a collection's - * persisted index values. Returns `null` if an index is not available. - */ Ki(t, e) { - if (Qn(e)) - // Queries that match all documents don't benefit from using - // key-based lookups. It is more efficient to scan all documents in a - // collection, rather than to perform individual lookups. - return Rt.resolve(null); - let n = Jn(e); - return this.indexManager.getIndexType(t, n).next((s => 0 /* IndexType.NONE */ === s ? null : (null !== e.limit && 1 /* IndexType.PARTIAL */ === s && ( - // We cannot apply a limit for targets that are served using a partial - // index. If a partial index will be used to serve the target, the - // query may return a superset of documents that match the target - // (e.g. if the index doesn't include all the target's filters), or - // may return the correct set of documents in the wrong order (e.g. if - // the index doesn't include a segment for one of the orderBys). - // Therefore, a limit should not be applied in such cases. - e = Xn(e, null, "F" /* LimitType.First */), n = Jn(e)), this.indexManager.getDocumentsMatchingTarget(t, n).next((s => { - const i = gs(...s); - return this.Ui.getDocuments(t, i).next((s => this.indexManager.getMinOffset(t, n).next((n => { - const r = this.ji(e, s); - return this.zi(e, r, i, n.readTime) ? this.Ki(t, Xn(e, null, "F" /* LimitType.First */)) : this.Wi(t, r, e, n); - })))); - }))))); - } - /** - * Performs a query based on the target's persisted query mapping. Returns - * `null` if the mapping is not available or cannot be used. - */ Gi(t, e, n, s) { - return Qn(e) || s.isEqual(rt.min()) ? this.Qi(t, e) : this.Ui.getDocuments(t, n).next((i => { - const r = this.ji(e, i); - return this.zi(e, r, n, s) ? this.Qi(t, e) : (C() <= LogLevel.DEBUG && N("QueryEngine", "Re-using previous result from %s to execute query: %s", s.toString(), es(e)), - this.Wi(t, r, e, yt(s, -1))); - })); - // Queries that have never seen a snapshot without limbo free documents - // should also be run as a full collection scan. - } - /** Applies the query filter and sorting to the provided documents. */ ji(t, e) { - // Sort the documents and re-apply the query filter since previously - // matching documents do not necessarily still match the query. - let n = new Ee(is(t)); - return e.forEach(((e, s) => { - ns(t, s) && (n = n.add(s)); - })), n; - } - /** - * Determines if a limit query needs to be refilled from cache, making it - * ineligible for index-free execution. - * - * @param query - The query. - * @param sortedPreviousResults - The documents that matched the query when it - * was last synchronized, sorted by the query's comparator. - * @param remoteKeys - The document keys that matched the query at the last - * snapshot. - * @param limboFreeSnapshotVersion - The version of the snapshot when the - * query was last synchronized. - */ zi(t, e, n, s) { - if (null === t.limit) - // Queries without limits do not need to be refilled. - return !1; - if (n.size !== e.size) - // The query needs to be refilled if a previously matching document no - // longer matches. - return !0; - // Limit queries are not eligible for index-free query execution if there is - // a potential that an older document from cache now sorts before a document - // that was previously part of the limit. This, however, can only happen if - // the document at the edge of the limit goes out of limit. - // If a document that is not the limit boundary sorts differently, - // the boundary of the limit itself did not change and documents from cache - // will continue to be "rejected" by this boundary. Therefore, we can ignore - // any modifications that don't affect the last document. - const i = "F" /* LimitType.First */ === t.limitType ? e.last() : e.first(); - return !!i && (i.hasPendingWrites || i.version.compareTo(s) > 0); - } - Qi(t, e) { - return C() <= LogLevel.DEBUG && N("QueryEngine", "Using full collection scan to execute query:", es(e)), - this.Ui.getDocumentsMatchingQuery(t, e, It.min()); - } - /** - * Combines the results from an indexed execution with the remaining documents - * that have not yet been indexed. - */ Wi(t, e, n, s) { - // Retrieve all results for documents that were updated since the offset. - return this.Ui.getDocumentsMatchingQuery(t, n, s).next((t => ( - // Merge with existing results - e.forEach((e => { - t = t.insert(e.key, e); - })), t))); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Implements `LocalStore` interface. - * - * Note: some field defined in this class might have public access level, but - * the class is not exported so they are only accessible from this module. - * This is useful to implement optional features (like bundles) in free - * functions, such that they are tree-shakeable. - */ - class nu { - constructor( - /** Manages our in-memory or durable persistence. */ - t, e, n, s) { - this.persistence = t, this.Hi = e, this.serializer = s, - /** - * Maps a targetID to data about its target. - * - * PORTING NOTE: We are using an immutable data structure on Web to make re-runs - * of `applyRemoteEvent()` idempotent. - */ - this.Ji = new pe(et), - /** Maps a target to its targetID. */ - // TODO(wuandy): Evaluate if TargetId can be part of Target. - this.Yi = new os((t => $n(t)), On), - /** - * A per collection group index of the last read time processed by - * `getNewDocumentChanges()`. - * - * PORTING NOTE: This is only used for multi-tab synchronization. - */ - this.Xi = new Map, this.Zi = t.getRemoteDocumentCache(), this.Bs = t.getTargetCache(), - this.qs = t.getBundleCache(), this.tr(n); - } - tr(t) { - // TODO(indexing): Add spec tests that test these components change after a - // user change - this.documentOverlayCache = this.persistence.getDocumentOverlayCache(t), this.indexManager = this.persistence.getIndexManager(t), - this.mutationQueue = this.persistence.getMutationQueue(t, this.indexManager), this.localDocuments = new ko(this.Zi, this.mutationQueue, this.documentOverlayCache, this.indexManager), - this.Zi.setIndexManager(this.indexManager), this.Hi.initialize(this.localDocuments, this.indexManager); - } - collectGarbage(t) { - return this.persistence.runTransaction("Collect garbage", "readwrite-primary", (e => t.collect(e, this.Ji))); - } - } - - function su( - /** Manages our in-memory or durable persistence. */ - t, e, n, s) { - return new nu(t, e, n, s); - } - - /** - * Tells the LocalStore that the currently authenticated user has changed. - * - * In response the local store switches the mutation queue to the new user and - * returns any resulting document changes. - */ - // PORTING NOTE: Android and iOS only return the documents affected by the - // change. - async function iu(t, e) { - const n = L(t); - return await n.persistence.runTransaction("Handle user change", "readonly", (t => { - // Swap out the mutation queue, grabbing the pending mutation batches - // before and after. - let s; - return n.mutationQueue.getAllMutationBatches(t).next((i => (s = i, n.tr(e), n.mutationQueue.getAllMutationBatches(t)))).next((e => { - const i = [], r = []; - // Union the old/new changed keys. - let o = gs(); - for (const t of s) { - i.push(t.batchId); - for (const e of t.mutations) o = o.add(e.key); - } - for (const t of e) { - r.push(t.batchId); - for (const e of t.mutations) o = o.add(e.key); - } - // Return the set of all (potentially) changed documents and the list - // of mutation batch IDs that were affected by change. - return n.localDocuments.getDocuments(t, o).next((t => ({ - er: t, - removedBatchIds: i, - addedBatchIds: r - }))); - })); - })); - } - - /* Accepts locally generated Mutations and commit them to storage. */ - /** - * Acknowledges the given batch. - * - * On the happy path when a batch is acknowledged, the local store will - * - * + remove the batch from the mutation queue; - * + apply the changes to the remote document cache; - * + recalculate the latency compensated view implied by those changes (there - * may be mutations in the queue that affect the documents but haven't been - * acknowledged yet); and - * + give the changed documents back the sync engine - * - * @returns The resulting (modified) documents. - */ - function ru(t, e) { - const n = L(t); - return n.persistence.runTransaction("Acknowledge batch", "readwrite-primary", (t => { - const s = e.batch.keys(), i = n.Zi.newChangeBuffer({ - trackRemovals: !0 - }); - return function(t, e, n, s) { - const i = n.batch, r = i.keys(); - let o = Rt.resolve(); - return r.forEach((t => { - o = o.next((() => s.getEntry(e, t))).next((e => { - const r = n.docVersions.get(t); - F(null !== r), e.version.compareTo(r) < 0 && (i.applyToRemoteDocument(e, n), e.isValidDocument() && ( - // We use the commitVersion as the readTime rather than the - // document's updateTime since the updateTime is not advanced - // for updates that do not modify the underlying document. - e.setReadTime(n.commitVersion), s.addEntry(e))); - })); - })), o.next((() => t.mutationQueue.removeMutationBatch(e, i))); - } - /** Returns the local view of the documents affected by a mutation batch. */ - // PORTING NOTE: Multi-Tab only. - (n, t, e, i).next((() => i.apply(t))).next((() => n.mutationQueue.performConsistencyCheck(t))).next((() => n.documentOverlayCache.removeOverlaysForBatchId(t, s, e.batch.batchId))).next((() => n.localDocuments.recalculateAndSaveOverlaysForDocumentKeys(t, function(t) { - let e = gs(); - for (let n = 0; n < t.mutationResults.length; ++n) { - t.mutationResults[n].transformResults.length > 0 && (e = e.add(t.batch.mutations[n].key)); - } - return e; - } - /** - * Removes mutations from the MutationQueue for the specified batch; - * LocalDocuments will be recalculated. - * - * @returns The resulting modified documents. - */ (e)))).next((() => n.localDocuments.getDocuments(t, s))); - })); - } - - /** - * Returns the last consistent snapshot processed (used by the RemoteStore to - * determine whether to buffer incoming snapshots from the backend). - */ - function ou(t) { - const e = L(t); - return e.persistence.runTransaction("Get last remote snapshot version", "readonly", (t => e.Bs.getLastRemoteSnapshotVersion(t))); - } - - /** - * Updates the "ground-state" (remote) documents. We assume that the remote - * event reflects any write batches that have been acknowledged or rejected - * (i.e. we do not re-apply local mutations to updates from this event). - * - * LocalDocuments are re-calculated if there are remaining mutations in the - * queue. - */ function uu(t, e) { - const n = L(t), s = e.snapshotVersion; - let i = n.Ji; - return n.persistence.runTransaction("Apply remote event", "readwrite-primary", (t => { - const r = n.Zi.newChangeBuffer({ - trackRemovals: !0 - }); - // Reset newTargetDataByTargetMap in case this transaction gets re-run. - i = n.Ji; - const o = []; - e.targetChanges.forEach(((r, u) => { - const c = i.get(u); - if (!c) return; - // Only update the remote keys if the target is still active. This - // ensures that we can persist the updated target data along with - // the updated assignment. - o.push(n.Bs.removeMatchingKeys(t, r.removedDocuments, u).next((() => n.Bs.addMatchingKeys(t, r.addedDocuments, u)))); - let a = c.withSequenceNumber(t.currentSequenceNumber); - null !== e.targetMismatches.get(u) ? a = a.withResumeToken(Ve.EMPTY_BYTE_STRING, rt.min()).withLastLimboFreeSnapshotVersion(rt.min()) : r.resumeToken.approximateByteSize() > 0 && (a = a.withResumeToken(r.resumeToken, s)), - i = i.insert(u, a), - // Update the target data if there are target changes (or if - // sufficient time has passed since the last update). - /** - * Returns true if the newTargetData should be persisted during an update of - * an active target. TargetData should always be persisted when a target is - * being released and should not call this function. - * - * While the target is active, TargetData updates can be omitted when nothing - * about the target has changed except metadata like the resume token or - * snapshot version. Occasionally it's worth the extra write to prevent these - * values from getting too stale after a crash, but this doesn't have to be - * too frequent. - */ - function(t, e, n) { - // Always persist target data if we don't already have a resume token. - if (0 === t.resumeToken.approximateByteSize()) return !0; - // Don't allow resume token changes to be buffered indefinitely. This - // allows us to be reasonably up-to-date after a crash and avoids needing - // to loop over all active queries on shutdown. Especially in the browser - // we may not get time to do anything interesting while the current tab is - // closing. - if (e.snapshotVersion.toMicroseconds() - t.snapshotVersion.toMicroseconds() >= 3e8) return !0; - // Otherwise if the only thing that has changed about a target is its resume - // token it's not worth persisting. Note that the RemoteStore keeps an - // in-memory view of the currently active targets which includes the current - // resume token, so stream failure or user changes will still use an - // up-to-date resume token regardless of what we do here. - return n.addedDocuments.size + n.modifiedDocuments.size + n.removedDocuments.size > 0; - } - /** - * Notifies local store of the changed views to locally pin documents. - */ (c, a, r) && o.push(n.Bs.updateTargetData(t, a)); - })); - let u = cs(), c = gs(); - // HACK: The only reason we allow a null snapshot version is so that we - // can synthesize remote events when we get permission denied errors while - // trying to resolve the state of a locally cached document that is in - // limbo. - if (e.documentUpdates.forEach((s => { - e.resolvedLimboDocuments.has(s) && o.push(n.persistence.referenceDelegate.updateLimboDocument(t, s)); - })), - // Each loop iteration only affects its "own" doc, so it's safe to get all - // the remote documents in advance in a single call. - o.push(cu(t, r, e.documentUpdates).next((t => { - u = t.nr, c = t.sr; - }))), !s.isEqual(rt.min())) { - const e = n.Bs.getLastRemoteSnapshotVersion(t).next((e => n.Bs.setTargetsMetadata(t, t.currentSequenceNumber, s))); - o.push(e); - } - return Rt.waitFor(o).next((() => r.apply(t))).next((() => n.localDocuments.getLocalViewOfDocuments(t, u, c))).next((() => u)); - })).then((t => (n.Ji = i, t))); - } - - /** - * Populates document change buffer with documents from backend or a bundle. - * Returns the document changes resulting from applying those documents, and - * also a set of documents whose existence state are changed as a result. - * - * @param txn - Transaction to use to read existing documents from storage. - * @param documentBuffer - Document buffer to collect the resulted changes to be - * applied to storage. - * @param documents - Documents to be applied. - */ function cu(t, e, n) { - let s = gs(), i = gs(); - return n.forEach((t => s = s.add(t))), e.getEntries(t, s).next((t => { - let s = cs(); - return n.forEach(((n, r) => { - const o = t.get(n); - // Check if see if there is a existence state change for this document. - r.isFoundDocument() !== o.isFoundDocument() && (i = i.add(n)), - // Note: The order of the steps below is important, since we want - // to ensure that rejected limbo resolutions (which fabricate - // NoDocuments with SnapshotVersion.min()) never add documents to - // cache. - r.isNoDocument() && r.version.isEqual(rt.min()) ? ( - // NoDocuments with SnapshotVersion.min() are used in manufactured - // events. We remove these documents from cache since we lost - // access. - e.removeEntry(n, r.readTime), s = s.insert(n, r)) : !o.isValidDocument() || r.version.compareTo(o.version) > 0 || 0 === r.version.compareTo(o.version) && o.hasPendingWrites ? (e.addEntry(r), - s = s.insert(n, r)) : N("LocalStore", "Ignoring outdated watch update for ", n, ". Current version:", o.version, " Watch version:", r.version); - })), { - nr: s, - sr: i - }; - })); - } - - /** - * Gets the mutation batch after the passed in batchId in the mutation queue - * or null if empty. - * @param afterBatchId - If provided, the batch to search after. - * @returns The next mutation or null if there wasn't one. - */ - function au(t, e) { - const n = L(t); - return n.persistence.runTransaction("Get next mutation batch", "readonly", (t => (void 0 === e && (e = -1), - n.mutationQueue.getNextMutationBatchAfterBatchId(t, e)))); - } - - /** - * Reads the current value of a Document with a given key or null if not - * found - used for testing. - */ - /** - * Assigns the given target an internal ID so that its results can be pinned so - * they don't get GC'd. A target must be allocated in the local store before - * the store can be used to manage its view. - * - * Allocating an already allocated `Target` will return the existing `TargetData` - * for that `Target`. - */ - function hu(t, e) { - const n = L(t); - return n.persistence.runTransaction("Allocate target", "readwrite", (t => { - let s; - return n.Bs.getTargetData(t, e).next((i => i ? ( - // This target has been listened to previously, so reuse the - // previous targetID. - // TODO(mcg): freshen last accessed date? - s = i, Rt.resolve(s)) : n.Bs.allocateTargetId(t).next((i => (s = new cr(e, i, "TargetPurposeListen" /* TargetPurpose.Listen */ , t.currentSequenceNumber), - n.Bs.addTargetData(t, s).next((() => s))))))); - })).then((t => { - // If Multi-Tab is enabled, the existing target data may be newer than - // the in-memory data - const s = n.Ji.get(t.targetId); - return (null === s || t.snapshotVersion.compareTo(s.snapshotVersion) > 0) && (n.Ji = n.Ji.insert(t.targetId, t), - n.Yi.set(e, t.targetId)), t; - })); - } - - /** - * Returns the TargetData as seen by the LocalStore, including updates that may - * have not yet been persisted to the TargetCache. - */ - // Visible for testing. - /** - * Unpins all the documents associated with the given target. If - * `keepPersistedTargetData` is set to false and Eager GC enabled, the method - * directly removes the associated target data from the target cache. - * - * Releasing a non-existing `Target` is a no-op. - */ - // PORTING NOTE: `keepPersistedTargetData` is multi-tab only. - async function lu(t, e, n) { - const s = L(t), i = s.Ji.get(e), r = n ? "readwrite" : "readwrite-primary"; - try { - n || await s.persistence.runTransaction("Release target", r, (t => s.persistence.referenceDelegate.removeTarget(t, i))); - } catch (t) { - if (!Dt(t)) throw t; - // All `releaseTarget` does is record the final metadata state for the - // target, but we've been recording this periodically during target - // activity. If we lose this write this could cause a very slight - // difference in the order of target deletion during GC, but we - // don't define exact LRU semantics so this is acceptable. - N("LocalStore", `Failed to update sequence numbers for target ${e}: ${t}`); - } - s.Ji = s.Ji.remove(e), s.Yi.delete(i.target); - } - - /** - * Runs the specified query against the local store and returns the results, - * potentially taking advantage of query data from previous executions (such - * as the set of remote keys). - * - * @param usePreviousResults - Whether results from previous executions can - * be used to optimize this query execution. - */ function fu(t, e, n) { - const s = L(t); - let i = rt.min(), r = gs(); - return s.persistence.runTransaction("Execute query", "readonly", (t => function(t, e, n) { - const s = L(t), i = s.Yi.get(n); - return void 0 !== i ? Rt.resolve(s.Ji.get(i)) : s.Bs.getTargetData(e, n); - }(s, t, Jn(e)).next((e => { - if (e) return i = e.lastLimboFreeSnapshotVersion, s.Bs.getMatchingKeysForTargetId(t, e.targetId).next((t => { - r = t; - })); - })).next((() => s.Hi.getDocumentsMatchingQuery(t, e, n ? i : rt.min(), n ? r : gs()))).next((t => (_u(s, ss(e), t), - { - documents: t, - ir: r - }))))); - } - - // PORTING NOTE: Multi-Tab only. - function du(t, e) { - const n = L(t), s = L(n.Bs), i = n.Ji.get(e); - return i ? Promise.resolve(i.target) : n.persistence.runTransaction("Get target data", "readonly", (t => s.le(t, e).next((t => t ? t.target : null)))); - } - - /** - * Returns the set of documents that have been updated since the last call. - * If this is the first call, returns the set of changes since client - * initialization. Further invocations will return document that have changed - * since the prior call. - */ - // PORTING NOTE: Multi-Tab only. - function wu(t, e) { - const n = L(t), s = n.Xi.get(e) || rt.min(); - // Get the current maximum read time for the collection. This should always - // exist, but to reduce the chance for regressions we default to - // SnapshotVersion.Min() - // TODO(indexing): Consider removing the default value. - return n.persistence.runTransaction("Get new document changes", "readonly", (t => n.Zi.getAllFromCollectionGroup(t, e, yt(s, -1), - /* limit= */ Number.MAX_SAFE_INTEGER))).then((t => (_u(n, e, t), t))); - } - - /** Sets the collection group's maximum read time from the given documents. */ - // PORTING NOTE: Multi-Tab only. - function _u(t, e, n) { - let s = t.Xi.get(e) || rt.min(); - n.forEach(((t, e) => { - e.readTime.compareTo(s) > 0 && (s = e.readTime); - })), t.Xi.set(e, s); - } - - /** - * Creates a new target using the given bundle name, which will be used to - * hold the keys of all documents from the bundle in query-document mappings. - * This ensures that the loaded documents do not get garbage collected - * right away. - */ - /** - * Applies the documents from a bundle to the "ground-state" (remote) - * documents. - * - * LocalDocuments are re-calculated if there are remaining mutations in the - * queue. - */ - async function mu(t, e, n, s) { - const i = L(t); - let r = gs(), o = cs(); - for (const t of n) { - const n = e.rr(t.metadata.name); - t.document && (r = r.add(n)); - const s = e.ur(t); - s.setReadTime(e.cr(t.metadata.readTime)), o = o.insert(n, s); - } - const u = i.Zi.newChangeBuffer({ - trackRemovals: !0 - }), c = await hu(i, function(t) { - // It is OK that the path used for the query is not valid, because this will - // not be read and queried. - return Jn(Gn(ut.fromString(`__bundle__/docs/${t}`))); - }(s)); - // Allocates a target to hold all document keys from the bundle, such that - // they will not get garbage collected right away. - return i.persistence.runTransaction("Apply bundle documents", "readwrite", (t => cu(t, u, o).next((e => (u.apply(t), - e))).next((e => i.Bs.removeMatchingKeysForTargetId(t, c.targetId).next((() => i.Bs.addMatchingKeys(t, r, c.targetId))).next((() => i.localDocuments.getLocalViewOfDocuments(t, e.nr, e.sr))).next((() => e.nr)))))); - } - - /** - * Returns a promise of a boolean to indicate if the given bundle has already - * been loaded and the create time is newer than the current loading bundle. - */ - /** - * Saves the given `NamedQuery` to local persistence. - */ - async function gu(t, e, n = gs()) { - // Allocate a target for the named query such that it can be resumed - // from associated read time if users use it to listen. - // NOTE: this also means if no corresponding target exists, the new target - // will remain active and will not get collected, unless users happen to - // unlisten the query somehow. - const s = await hu(t, Jn(yr(e.bundledQuery))), i = L(t); - return i.persistence.runTransaction("Save named query", "readwrite", (t => { - const r = Ni(e.readTime); - // Simply save the query itself if it is older than what the SDK already - // has. - if (s.snapshotVersion.compareTo(r) >= 0) return i.qs.saveNamedQuery(t, e); - // Update existing target data because the query from the bundle is newer. - const o = s.withResumeToken(Ve.EMPTY_BYTE_STRING, r); - return i.Ji = i.Ji.insert(o.targetId, o), i.Bs.updateTargetData(t, o).next((() => i.Bs.removeMatchingKeysForTargetId(t, s.targetId))).next((() => i.Bs.addMatchingKeys(t, n, s.targetId))).next((() => i.qs.saveNamedQuery(t, e))); - })); - } - - /** Assembles the key for a client state in WebStorage */ - function yu(t, e) { - return `firestore_clients_${t}_${e}`; - } - - // The format of the WebStorage key that stores the mutation state is: - // firestore_mutations__ - // (for unauthenticated users) - // or: firestore_mutations___ - - // 'user_uid' is last to avoid needing to escape '_' characters that it might - // contain. - /** Assembles the key for a mutation batch in WebStorage */ - function pu(t, e, n) { - let s = `firestore_mutations_${t}_${n}`; - return e.isAuthenticated() && (s += `_${e.uid}`), s; - } - - // The format of the WebStorage key that stores a query target's metadata is: - // firestore_targets__ - /** Assembles the key for a query state in WebStorage */ - function Iu(t, e) { - return `firestore_targets_${t}_${e}`; - } - - // The WebStorage prefix that stores the primary tab's online state. The - // format of the key is: - // firestore_online_state_ - /** - * Holds the state of a mutation batch, including its user ID, batch ID and - * whether the batch is 'pending', 'acknowledged' or 'rejected'. - */ - // Visible for testing - class Tu { - constructor(t, e, n, s) { - this.user = t, this.batchId = e, this.state = n, this.error = s; - } - /** - * Parses a MutationMetadata from its JSON representation in WebStorage. - * Logs a warning and returns null if the format of the data is not valid. - */ static ar(t, e, n) { - const s = JSON.parse(n); - let i, r = "object" == typeof s && -1 !== [ "pending", "acknowledged", "rejected" ].indexOf(s.state) && (void 0 === s.error || "object" == typeof s.error); - return r && s.error && (r = "string" == typeof s.error.message && "string" == typeof s.error.code, - r && (i = new U(s.error.code, s.error.message))), r ? new Tu(t, e, s.state, i) : (k("SharedClientState", `Failed to parse mutation state for ID '${e}': ${n}`), - null); - } - hr() { - const t = { - state: this.state, - updateTimeMs: Date.now() - }; - return this.error && (t.error = { - code: this.error.code, - message: this.error.message - }), JSON.stringify(t); - } - } - - /** - * Holds the state of a query target, including its target ID and whether the - * target is 'not-current', 'current' or 'rejected'. - */ - // Visible for testing - class Eu { - constructor(t, e, n) { - this.targetId = t, this.state = e, this.error = n; - } - /** - * Parses a QueryTargetMetadata from its JSON representation in WebStorage. - * Logs a warning and returns null if the format of the data is not valid. - */ static ar(t, e) { - const n = JSON.parse(e); - let s, i = "object" == typeof n && -1 !== [ "not-current", "current", "rejected" ].indexOf(n.state) && (void 0 === n.error || "object" == typeof n.error); - return i && n.error && (i = "string" == typeof n.error.message && "string" == typeof n.error.code, - i && (s = new U(n.error.code, n.error.message))), i ? new Eu(t, n.state, s) : (k("SharedClientState", `Failed to parse target state for ID '${t}': ${e}`), - null); - } - hr() { - const t = { - state: this.state, - updateTimeMs: Date.now() - }; - return this.error && (t.error = { - code: this.error.code, - message: this.error.message - }), JSON.stringify(t); - } - } - - /** - * This class represents the immutable ClientState for a client read from - * WebStorage, containing the list of active query targets. - */ class Au { - constructor(t, e) { - this.clientId = t, this.activeTargetIds = e; - } - /** - * Parses a RemoteClientState from the JSON representation in WebStorage. - * Logs a warning and returns null if the format of the data is not valid. - */ static ar(t, e) { - const n = JSON.parse(e); - let s = "object" == typeof n && n.activeTargetIds instanceof Array, i = ps(); - for (let t = 0; s && t < n.activeTargetIds.length; ++t) s = Lt(n.activeTargetIds[t]), - i = i.add(n.activeTargetIds[t]); - return s ? new Au(t, i) : (k("SharedClientState", `Failed to parse client data for instance '${t}': ${e}`), - null); - } - } - - /** - * This class represents the online state for all clients participating in - * multi-tab. The online state is only written to by the primary client, and - * used in secondary clients to update their query views. - */ class vu { - constructor(t, e) { - this.clientId = t, this.onlineState = e; - } - /** - * Parses a SharedOnlineState from its JSON representation in WebStorage. - * Logs a warning and returns null if the format of the data is not valid. - */ static ar(t) { - const e = JSON.parse(t); - return "object" == typeof e && -1 !== [ "Unknown", "Online", "Offline" ].indexOf(e.onlineState) && "string" == typeof e.clientId ? new vu(e.clientId, e.onlineState) : (k("SharedClientState", `Failed to parse online state: ${t}`), - null); - } - } - - /** - * Metadata state of the local client. Unlike `RemoteClientState`, this class is - * mutable and keeps track of all pending mutations, which allows us to - * update the range of pending mutation batch IDs as new mutations are added or - * removed. - * - * The data in `LocalClientState` is not read from WebStorage and instead - * updated via its instance methods. The updated state can be serialized via - * `toWebStorageJSON()`. - */ - // Visible for testing. - class Ru { - constructor() { - this.activeTargetIds = ps(); - } - lr(t) { - this.activeTargetIds = this.activeTargetIds.add(t); - } - dr(t) { - this.activeTargetIds = this.activeTargetIds.delete(t); - } - /** - * Converts this entry into a JSON-encoded format we can use for WebStorage. - * Does not encode `clientId` as it is part of the key in WebStorage. - */ hr() { - const t = { - activeTargetIds: this.activeTargetIds.toArray(), - updateTimeMs: Date.now() - }; - return JSON.stringify(t); - } - } - - /** - * `WebStorageSharedClientState` uses WebStorage (window.localStorage) as the - * backing store for the SharedClientState. It keeps track of all active - * clients and supports modifications of the local client's data. - */ class Pu { - constructor(t, e, n, s, i) { - this.window = t, this.ii = e, this.persistenceKey = n, this.wr = s, this.syncEngine = null, - this.onlineStateHandler = null, this.sequenceNumberHandler = null, this._r = this.mr.bind(this), - this.gr = new pe(et), this.started = !1, - /** - * Captures WebStorage events that occur before `start()` is called. These - * events are replayed once `WebStorageSharedClientState` is started. - */ - this.yr = []; - // Escape the special characters mentioned here: - // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions - const r = n.replace(/[.*+?^${}()|[\]\\]/g, "\\$&"); - this.storage = this.window.localStorage, this.currentUser = i, this.pr = yu(this.persistenceKey, this.wr), - this.Ir = - /** Assembles the key for the current sequence number. */ - function(t) { - return `firestore_sequence_number_${t}`; - } - /** - * @license - * Copyright 2018 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ (this.persistenceKey), this.gr = this.gr.insert(this.wr, new Ru), this.Tr = new RegExp(`^firestore_clients_${r}_([^_]*)$`), - this.Er = new RegExp(`^firestore_mutations_${r}_(\\d+)(?:_(.*))?$`), this.Ar = new RegExp(`^firestore_targets_${r}_(\\d+)$`), - this.vr = - /** Assembles the key for the online state of the primary tab. */ - function(t) { - return `firestore_online_state_${t}`; - } - // The WebStorage prefix that plays as a event to indicate the remote documents - // might have changed due to some secondary tabs loading a bundle. - // format of the key is: - // firestore_bundle_loaded_v2_ - // The version ending with "v2" stores the list of modified collection groups. - (this.persistenceKey), this.Rr = function(t) { - return `firestore_bundle_loaded_v2_${t}`; - } - // The WebStorage key prefix for the key that stores the last sequence number allocated. The key - // looks like 'firestore_sequence_number_'. - (this.persistenceKey), - // Rather than adding the storage observer during start(), we add the - // storage observer during initialization. This ensures that we collect - // events before other components populate their initial state (during their - // respective start() calls). Otherwise, we might for example miss a - // mutation that is added after LocalStore's start() processed the existing - // mutations but before we observe WebStorage events. - this.window.addEventListener("storage", this._r); - } - /** Returns 'true' if WebStorage is available in the current environment. */ static D(t) { - return !(!t || !t.localStorage); - } - async start() { - // Retrieve the list of existing clients to backfill the data in - // SharedClientState. - const t = await this.syncEngine.$i(); - for (const e of t) { - if (e === this.wr) continue; - const t = this.getItem(yu(this.persistenceKey, e)); - if (t) { - const n = Au.ar(e, t); - n && (this.gr = this.gr.insert(n.clientId, n)); - } - } - this.Pr(); - // Check if there is an existing online state and call the callback handler - // if applicable. - const e = this.storage.getItem(this.vr); - if (e) { - const t = this.br(e); - t && this.Vr(t); - } - for (const t of this.yr) this.mr(t); - this.yr = [], - // Register a window unload hook to remove the client metadata entry from - // WebStorage even if `shutdown()` was not called. - this.window.addEventListener("pagehide", (() => this.shutdown())), this.started = !0; - } - writeSequenceNumber(t) { - this.setItem(this.Ir, JSON.stringify(t)); - } - getAllActiveQueryTargets() { - return this.Sr(this.gr); - } - isActiveQueryTarget(t) { - let e = !1; - return this.gr.forEach(((n, s) => { - s.activeTargetIds.has(t) && (e = !0); - })), e; - } - addPendingMutation(t) { - this.Dr(t, "pending"); - } - updateMutationState(t, e, n) { - this.Dr(t, e, n), - // Once a final mutation result is observed by other clients, they no longer - // access the mutation's metadata entry. Since WebStorage replays events - // in order, it is safe to delete the entry right after updating it. - this.Cr(t); - } - addLocalQueryTarget(t) { - let e = "not-current"; - // Lookup an existing query state if the target ID was already registered - // by another tab - if (this.isActiveQueryTarget(t)) { - const n = this.storage.getItem(Iu(this.persistenceKey, t)); - if (n) { - const s = Eu.ar(t, n); - s && (e = s.state); - } - } - return this.Nr.lr(t), this.Pr(), e; - } - removeLocalQueryTarget(t) { - this.Nr.dr(t), this.Pr(); - } - isLocalQueryTarget(t) { - return this.Nr.activeTargetIds.has(t); - } - clearQueryState(t) { - this.removeItem(Iu(this.persistenceKey, t)); - } - updateQueryState(t, e, n) { - this.kr(t, e, n); - } - handleUserChange(t, e, n) { - e.forEach((t => { - this.Cr(t); - })), this.currentUser = t, n.forEach((t => { - this.addPendingMutation(t); - })); - } - setOnlineState(t) { - this.Mr(t); - } - notifyBundleLoaded(t) { - this.$r(t); - } - shutdown() { - this.started && (this.window.removeEventListener("storage", this._r), this.removeItem(this.pr), - this.started = !1); - } - getItem(t) { - const e = this.storage.getItem(t); - return N("SharedClientState", "READ", t, e), e; - } - setItem(t, e) { - N("SharedClientState", "SET", t, e), this.storage.setItem(t, e); - } - removeItem(t) { - N("SharedClientState", "REMOVE", t), this.storage.removeItem(t); - } - mr(t) { - // Note: The function is typed to take Event to be interface-compatible with - // `Window.addEventListener`. - const e = t; - if (e.storageArea === this.storage) { - if (N("SharedClientState", "EVENT", e.key, e.newValue), e.key === this.pr) return void k("Received WebStorage notification for local change. Another client might have garbage-collected our state"); - this.ii.enqueueRetryable((async () => { - if (this.started) { - if (null !== e.key) if (this.Tr.test(e.key)) { - if (null == e.newValue) { - const t = this.Or(e.key); - return this.Fr(t, null); - } - { - const t = this.Br(e.key, e.newValue); - if (t) return this.Fr(t.clientId, t); - } - } else if (this.Er.test(e.key)) { - if (null !== e.newValue) { - const t = this.Lr(e.key, e.newValue); - if (t) return this.qr(t); - } - } else if (this.Ar.test(e.key)) { - if (null !== e.newValue) { - const t = this.Ur(e.key, e.newValue); - if (t) return this.Kr(t); - } - } else if (e.key === this.vr) { - if (null !== e.newValue) { - const t = this.br(e.newValue); - if (t) return this.Vr(t); - } - } else if (e.key === this.Ir) { - const t = function(t) { - let e = Ot.ct; - if (null != t) try { - const n = JSON.parse(t); - F("number" == typeof n), e = n; - } catch (t) { - k("SharedClientState", "Failed to read sequence number from WebStorage", t); - } - return e; - } - /** - * `MemorySharedClientState` is a simple implementation of SharedClientState for - * clients using memory persistence. The state in this class remains fully - * isolated and no synchronization is performed. - */ (e.newValue); - t !== Ot.ct && this.sequenceNumberHandler(t); - } else if (e.key === this.Rr) { - const t = this.Gr(e.newValue); - await Promise.all(t.map((t => this.syncEngine.Qr(t)))); - } - } else this.yr.push(e); - })); - } - } - get Nr() { - return this.gr.get(this.wr); - } - Pr() { - this.setItem(this.pr, this.Nr.hr()); - } - Dr(t, e, n) { - const s = new Tu(this.currentUser, t, e, n), i = pu(this.persistenceKey, this.currentUser, t); - this.setItem(i, s.hr()); - } - Cr(t) { - const e = pu(this.persistenceKey, this.currentUser, t); - this.removeItem(e); - } - Mr(t) { - const e = { - clientId: this.wr, - onlineState: t - }; - this.storage.setItem(this.vr, JSON.stringify(e)); - } - kr(t, e, n) { - const s = Iu(this.persistenceKey, t), i = new Eu(t, e, n); - this.setItem(s, i.hr()); - } - $r(t) { - const e = JSON.stringify(Array.from(t)); - this.setItem(this.Rr, e); - } - /** - * Parses a client state key in WebStorage. Returns null if the key does not - * match the expected key format. - */ Or(t) { - const e = this.Tr.exec(t); - return e ? e[1] : null; - } - /** - * Parses a client state in WebStorage. Returns 'null' if the value could not - * be parsed. - */ Br(t, e) { - const n = this.Or(t); - return Au.ar(n, e); - } - /** - * Parses a mutation batch state in WebStorage. Returns 'null' if the value - * could not be parsed. - */ Lr(t, e) { - const n = this.Er.exec(t), s = Number(n[1]), i = void 0 !== n[2] ? n[2] : null; - return Tu.ar(new V(i), s, e); - } - /** - * Parses a query target state from WebStorage. Returns 'null' if the value - * could not be parsed. - */ Ur(t, e) { - const n = this.Ar.exec(t), s = Number(n[1]); - return Eu.ar(s, e); - } - /** - * Parses an online state from WebStorage. Returns 'null' if the value - * could not be parsed. - */ br(t) { - return vu.ar(t); - } - Gr(t) { - return JSON.parse(t); - } - async qr(t) { - if (t.user.uid === this.currentUser.uid) return this.syncEngine.jr(t.batchId, t.state, t.error); - N("SharedClientState", `Ignoring mutation for non-active user ${t.user.uid}`); - } - Kr(t) { - return this.syncEngine.zr(t.targetId, t.state, t.error); - } - Fr(t, e) { - const n = e ? this.gr.insert(t, e) : this.gr.remove(t), s = this.Sr(this.gr), i = this.Sr(n), r = [], o = []; - return i.forEach((t => { - s.has(t) || r.push(t); - })), s.forEach((t => { - i.has(t) || o.push(t); - })), this.syncEngine.Wr(r, o).then((() => { - this.gr = n; - })); - } - Vr(t) { - // We check whether the client that wrote this online state is still active - // by comparing its client ID to the list of clients kept active in - // IndexedDb. If a client does not update their IndexedDb client state - // within 5 seconds, it is considered inactive and we don't emit an online - // state event. - this.gr.get(t.clientId) && this.onlineStateHandler(t.onlineState); - } - Sr(t) { - let e = ps(); - return t.forEach(((t, n) => { - e = e.unionWith(n.activeTargetIds); - })), e; - } - } - - class bu { - constructor() { - this.Hr = new Ru, this.Jr = {}, this.onlineStateHandler = null, this.sequenceNumberHandler = null; - } - addPendingMutation(t) { - // No op. - } - updateMutationState(t, e, n) { - // No op. - } - addLocalQueryTarget(t) { - return this.Hr.lr(t), this.Jr[t] || "not-current"; - } - updateQueryState(t, e, n) { - this.Jr[t] = e; - } - removeLocalQueryTarget(t) { - this.Hr.dr(t); - } - isLocalQueryTarget(t) { - return this.Hr.activeTargetIds.has(t); - } - clearQueryState(t) { - delete this.Jr[t]; - } - getAllActiveQueryTargets() { - return this.Hr.activeTargetIds; - } - isActiveQueryTarget(t) { - return this.Hr.activeTargetIds.has(t); - } - start() { - return this.Hr = new Ru, Promise.resolve(); - } - handleUserChange(t, e, n) { - // No op. - } - setOnlineState(t) { - // No op. - } - shutdown() {} - writeSequenceNumber(t) {} - notifyBundleLoaded(t) { - // No op. - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Vu { - Yr(t) { - // No-op. - } - shutdown() { - // No-op. - } - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // References to `window` are guarded by BrowserConnectivityMonitor.isAvailable() - /* eslint-disable no-restricted-globals */ - /** - * Browser implementation of ConnectivityMonitor. - */ - class Su { - constructor() { - this.Xr = () => this.Zr(), this.eo = () => this.no(), this.so = [], this.io(); - } - Yr(t) { - this.so.push(t); - } - shutdown() { - window.removeEventListener("online", this.Xr), window.removeEventListener("offline", this.eo); - } - io() { - window.addEventListener("online", this.Xr), window.addEventListener("offline", this.eo); - } - Zr() { - N("ConnectivityMonitor", "Network connectivity changed: AVAILABLE"); - for (const t of this.so) t(0 /* NetworkStatus.AVAILABLE */); - } - no() { - N("ConnectivityMonitor", "Network connectivity changed: UNAVAILABLE"); - for (const t of this.so) t(1 /* NetworkStatus.UNAVAILABLE */); - } - // TODO(chenbrian): Consider passing in window either into this component or - // here for testing via FakeWindow. - /** Checks that all used attributes of window are available. */ - static D() { - return "undefined" != typeof window && void 0 !== window.addEventListener && void 0 !== window.removeEventListener; - } - } - - /** - * @license - * Copyright 2023 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The value returned from the most recent invocation of - * `generateUniqueDebugId()`, or null if it has never been invoked. - */ let Du = null; - - /** - * Generates and returns an initial value for `lastUniqueDebugId`. - * - * The returned value is randomly selected from a range of integers that are - * represented as 8 hexadecimal digits. This means that (within reason) any - * numbers generated by incrementing the returned number by 1 will also be - * represented by 8 hexadecimal digits. This leads to all "IDs" having the same - * length when converted to a hexadecimal string, making reading logs containing - * these IDs easier to follow. And since the return value is randomly selected - * it will help to differentiate between logs from different executions. - */ - /** - * Generates and returns a unique ID as a hexadecimal string. - * - * The returned ID is intended to be used in debug logging messages to help - * correlate log messages that may be spatially separated in the logs, but - * logically related. For example, a network connection could include the same - * "debug ID" string in all of its log messages to help trace a specific - * connection over time. - * - * @return the 10-character generated ID (e.g. "0xa1b2c3d4"). - */ - function Cu() { - return null === Du ? Du = 268435456 + Math.round(2147483648 * Math.random()) : Du++, - "0x" + Du.toString(16); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const xu = { - BatchGetDocuments: "batchGet", - Commit: "commit", - RunQuery: "runQuery", - RunAggregationQuery: "runAggregationQuery" - }; - - /** - * Maps RPC names to the corresponding REST endpoint name. - * - * We use array notation to avoid mangling. - */ - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provides a simple helper class that implements the Stream interface to - * bridge to other implementations that are streams but do not implement the - * interface. The stream callbacks are invoked with the callOn... methods. - */ - class Nu { - constructor(t) { - this.ro = t.ro, this.oo = t.oo; - } - uo(t) { - this.co = t; - } - ao(t) { - this.ho = t; - } - onMessage(t) { - this.lo = t; - } - close() { - this.oo(); - } - send(t) { - this.ro(t); - } - fo() { - this.co(); - } - wo(t) { - this.ho(t); - } - _o(t) { - this.lo(t); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const ku = "WebChannelConnection"; - - class Mu extends - /** - * Base class for all Rest-based connections to the backend (WebChannel and - * HTTP). - */ - class { - constructor(t) { - this.databaseInfo = t, this.databaseId = t.databaseId; - const e = t.ssl ? "https" : "http"; - this.mo = e + "://" + t.host, this.yo = "projects/" + this.databaseId.projectId + "/databases/" + this.databaseId.database + "/documents"; - } - get po() { - // Both `invokeRPC()` and `invokeStreamingRPC()` use their `path` arguments to determine - // where to run the query, and expect the `request` to NOT specify the "path". - return !1; - } - Io(t, e, n, s, i) { - const r = Cu(), o = this.To(t, e); - N("RestConnection", `Sending RPC '${t}' ${r}:`, o, n); - const u = {}; - return this.Eo(u, s, i), this.Ao(t, o, u, n).then((e => (N("RestConnection", `Received RPC '${t}' ${r}: `, e), - e)), (e => { - throw M("RestConnection", `RPC '${t}' ${r} failed with error: `, e, "url: ", o, "request:", n), - e; - })); - } - vo(t, e, n, s, i, r) { - // The REST API automatically aggregates all of the streamed results, so we - // can just use the normal invoke() method. - return this.Io(t, e, n, s, i); - } - /** - * Modifies the headers for a request, adding any authorization token if - * present and any additional headers for the request. - */ Eo(t, e, n) { - t["X-Goog-Api-Client"] = "gl-js/ fire/" + S, - // Content-Type: text/plain will avoid preflight requests which might - // mess with CORS and redirects by proxies. If we add custom headers - // we will need to change this code to potentially use the $httpOverwrite - // parameter supported by ESF to avoid triggering preflight requests. - t["Content-Type"] = "text/plain", this.databaseInfo.appId && (t["X-Firebase-GMPID"] = this.databaseInfo.appId), - e && e.headers.forEach(((e, n) => t[n] = e)), n && n.headers.forEach(((e, n) => t[n] = e)); - } - To(t, e) { - const n = xu[t]; - return `${this.mo}/v1/${e}:${n}`; - } - } { - constructor(t) { - super(t), this.forceLongPolling = t.forceLongPolling, this.autoDetectLongPolling = t.autoDetectLongPolling, - this.useFetchStreams = t.useFetchStreams, this.longPollingOptions = t.longPollingOptions; - } - Ao(t, e, n, s) { - const i = Cu(); - return new Promise(((r, o) => { - const u = new XhrIo; - u.setWithCredentials(!0), u.listenOnce(EventType.COMPLETE, (() => { - try { - switch (u.getLastErrorCode()) { - case ErrorCode.NO_ERROR: - const e = u.getResponseJson(); - N(ku, `XHR for RPC '${t}' ${i} received:`, JSON.stringify(e)), r(e); - break; - - case ErrorCode.TIMEOUT: - N(ku, `RPC '${t}' ${i} timed out`), o(new U(q.DEADLINE_EXCEEDED, "Request time out")); - break; - - case ErrorCode.HTTP_ERROR: - const n = u.getStatus(); - if (N(ku, `RPC '${t}' ${i} failed with status:`, n, "response text:", u.getResponseText()), - n > 0) { - let t = u.getResponseJson(); - Array.isArray(t) && (t = t[0]); - const e = null == t ? void 0 : t.error; - if (e && e.status && e.message) { - const t = function(t) { - const e = t.toLowerCase().replace(/_/g, "-"); - return Object.values(q).indexOf(e) >= 0 ? e : q.UNKNOWN; - }(e.status); - o(new U(t, e.message)); - } else o(new U(q.UNKNOWN, "Server responded with status " + u.getStatus())); - } else - // If we received an HTTP_ERROR but there's no status code, - // it's most probably a connection issue - o(new U(q.UNAVAILABLE, "Connection failed.")); - break; - - default: - O(); - } - } finally { - N(ku, `RPC '${t}' ${i} completed.`); - } - })); - const c = JSON.stringify(s); - N(ku, `RPC '${t}' ${i} sending request:`, s), u.send(e, "POST", c, n, 15); - })); - } - Ro(t, e, n) { - const s = Cu(), i = [ this.mo, "/", "google.firestore.v1.Firestore", "/", t, "/channel" ], r = createWebChannelTransport(), o = getStatEventTarget(), u = { - // Required for backend stickiness, routing behavior is based on this - // parameter. - httpSessionIdParam: "gsessionid", - initMessageHeaders: {}, - messageUrlParams: { - // This param is used to improve routing and project isolation by the - // backend and must be included in every request. - database: `projects/${this.databaseId.projectId}/databases/${this.databaseId.database}` - }, - sendRawJson: !0, - supportsCrossDomainXhr: !0, - internalChannelParams: { - // Override the default timeout (randomized between 10-20 seconds) since - // a large write batch on a slow internet connection may take a long - // time to send to the backend. Rather than have WebChannel impose a - // tight timeout which could lead to infinite timeouts and retries, we - // set it very large (5-10 minutes) and rely on the browser's builtin - // timeouts to kick in if the request isn't working. - forwardChannelRequestTimeoutMs: 6e5 - }, - forceLongPolling: this.forceLongPolling, - detectBufferingProxy: this.autoDetectLongPolling - }, c = this.longPollingOptions.timeoutSeconds; - void 0 !== c && (u.longPollingTimeout = Math.round(1e3 * c)), this.useFetchStreams && (u.xmlHttpFactory = new FetchXmlHttpFactory({})), - this.Eo(u.initMessageHeaders, e, n), - // Sending the custom headers we just added to request.initMessageHeaders - // (Authorization, etc.) will trigger the browser to make a CORS preflight - // request because the XHR will no longer meet the criteria for a "simple" - // CORS request: - // https://developer.mozilla.org/en-US/docs/Web/HTTP/CORS#Simple_requests - // Therefore to avoid the CORS preflight request (an extra network - // roundtrip), we use the encodeInitMessageHeaders option to specify that - // the headers should instead be encoded in the request's POST payload, - // which is recognized by the webchannel backend. - u.encodeInitMessageHeaders = !0; - const a = i.join(""); - N(ku, `Creating RPC '${t}' stream ${s}: ${a}`, u); - const h = r.createWebChannel(a, u); - // WebChannel supports sending the first message with the handshake - saving - // a network round trip. However, it will have to call send in the same - // JS event loop as open. In order to enforce this, we delay actually - // opening the WebChannel until send is called. Whether we have called - // open is tracked with this variable. - let l = !1, f = !1; - // A flag to determine whether the stream was closed (by us or through an - // error/close event) to avoid delivering multiple close events or sending - // on a closed stream - const d = new Nu({ - ro: e => { - f ? N(ku, `Not sending because RPC '${t}' stream ${s} is closed:`, e) : (l || (N(ku, `Opening RPC '${t}' stream ${s} transport.`), - h.open(), l = !0), N(ku, `RPC '${t}' stream ${s} sending:`, e), h.send(e)); - }, - oo: () => h.close() - }), w = (t, e, n) => { - // TODO(dimond): closure typing seems broken because WebChannel does - // not implement goog.events.Listenable - t.listen(e, (t => { - try { - n(t); - } catch (t) { - setTimeout((() => { - throw t; - }), 0); - } - })); - }; - // Closure events are guarded and exceptions are swallowed, so catch any - // exception and rethrow using a setTimeout so they become visible again. - // Note that eventually this function could go away if we are confident - // enough the code is exception free. - return w(h, WebChannel.EventType.OPEN, (() => { - f || N(ku, `RPC '${t}' stream ${s} transport opened.`); - })), w(h, WebChannel.EventType.CLOSE, (() => { - f || (f = !0, N(ku, `RPC '${t}' stream ${s} transport closed`), d.wo()); - })), w(h, WebChannel.EventType.ERROR, (e => { - f || (f = !0, M(ku, `RPC '${t}' stream ${s} transport errored:`, e), d.wo(new U(q.UNAVAILABLE, "The operation could not be completed"))); - })), w(h, WebChannel.EventType.MESSAGE, (e => { - var n; - if (!f) { - const i = e.data[0]; - F(!!i); - // TODO(b/35143891): There is a bug in One Platform that caused errors - // (and only errors) to be wrapped in an extra array. To be forward - // compatible with the bug we need to check either condition. The latter - // can be removed once the fix has been rolled out. - // Use any because msgData.error is not typed. - const r = i, o = r.error || (null === (n = r[0]) || void 0 === n ? void 0 : n.error); - if (o) { - N(ku, `RPC '${t}' stream ${s} received error:`, o); - // error.status will be a string like 'OK' or 'NOT_FOUND'. - const e = o.status; - let n = - /** - * Maps an error Code from a GRPC status identifier like 'NOT_FOUND'. - * - * @returns The Code equivalent to the given status string or undefined if - * there is no match. - */ - function(t) { - // lookup by string - // eslint-disable-next-line @typescript-eslint/no-explicit-any - const e = ii[t]; - if (void 0 !== e) return ui(e); - }(e), i = o.message; - void 0 === n && (n = q.INTERNAL, i = "Unknown error status: " + e + " with message " + o.message), - // Mark closed so no further events are propagated - f = !0, d.wo(new U(n, i)), h.close(); - } else N(ku, `RPC '${t}' stream ${s} received:`, i), d._o(i); - } - })), w(o, Event.STAT_EVENT, (e => { - e.stat === Stat.PROXY ? N(ku, `RPC '${t}' stream ${s} detected buffering proxy`) : e.stat === Stat.NOPROXY && N(ku, `RPC '${t}' stream ${s} detected no buffering proxy`); - })), setTimeout((() => { - // Technically we could/should wait for the WebChannel opened event, - // but because we want to send the first message with the WebChannel - // handshake we pretend the channel opened here (asynchronously), and - // then delay the actual open until the first message is sent. - d.fo(); - }), 0), d; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Initializes the WebChannelConnection for the browser. */ - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** The Platform's 'window' implementation or null if not available. */ - function $u() { - // `window` is not always available, e.g. in ReactNative and WebWorkers. - // eslint-disable-next-line no-restricted-globals - return "undefined" != typeof window ? window : null; - } - - /** The Platform's 'document' implementation or null if not available. */ function Ou() { - // `document` is not always available, e.g. in ReactNative and WebWorkers. - // eslint-disable-next-line no-restricted-globals - return "undefined" != typeof document ? document : null; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ function Fu(t) { - return new Vi(t, /* useProto3Json= */ !0); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A helper for running delayed tasks following an exponential backoff curve - * between attempts. - * - * Each delay is made up of a "base" delay which follows the exponential - * backoff curve, and a +/- 50% "jitter" that is calculated and added to the - * base delay. This prevents clients from accidentally synchronizing their - * delays causing spikes of load to the backend. - */ - class Bu { - constructor( - /** - * The AsyncQueue to run backoff operations on. - */ - t, - /** - * The ID to use when scheduling backoff operations on the AsyncQueue. - */ - e, - /** - * The initial delay (used as the base delay on the first retry attempt). - * Note that jitter will still be applied, so the actual delay could be as - * little as 0.5*initialDelayMs. - */ - n = 1e3 - /** - * The multiplier to use to determine the extended base delay after each - * attempt. - */ , s = 1.5 - /** - * The maximum base delay after which no further backoff is performed. - * Note that jitter will still be applied, so the actual delay could be as - * much as 1.5*maxDelayMs. - */ , i = 6e4) { - this.ii = t, this.timerId = e, this.Po = n, this.bo = s, this.Vo = i, this.So = 0, - this.Do = null, - /** The last backoff attempt, as epoch milliseconds. */ - this.Co = Date.now(), this.reset(); - } - /** - * Resets the backoff delay. - * - * The very next backoffAndWait() will have no delay. If it is called again - * (i.e. due to an error), initialDelayMs (plus jitter) will be used, and - * subsequent ones will increase according to the backoffFactor. - */ reset() { - this.So = 0; - } - /** - * Resets the backoff delay to the maximum delay (e.g. for use after a - * RESOURCE_EXHAUSTED error). - */ xo() { - this.So = this.Vo; - } - /** - * Returns a promise that resolves after currentDelayMs, and increases the - * delay for any subsequent attempts. If there was a pending backoff operation - * already, it will be canceled. - */ No(t) { - // Cancel any pending backoff operation. - this.cancel(); - // First schedule using the current base (which may be 0 and should be - // honored as such). - const e = Math.floor(this.So + this.ko()), n = Math.max(0, Date.now() - this.Co), s = Math.max(0, e - n); - // Guard against lastAttemptTime being in the future due to a clock change. - s > 0 && N("ExponentialBackoff", `Backing off for ${s} ms (base delay: ${this.So} ms, delay with jitter: ${e} ms, last attempt: ${n} ms ago)`), - this.Do = this.ii.enqueueAfterDelay(this.timerId, s, (() => (this.Co = Date.now(), - t()))), - // Apply backoff factor to determine next delay and ensure it is within - // bounds. - this.So *= this.bo, this.So < this.Po && (this.So = this.Po), this.So > this.Vo && (this.So = this.Vo); - } - Mo() { - null !== this.Do && (this.Do.skipDelay(), this.Do = null); - } - cancel() { - null !== this.Do && (this.Do.cancel(), this.Do = null); - } - /** Returns a random value in the range [-currentBaseMs/2, currentBaseMs/2] */ ko() { - return (Math.random() - .5) * this.So; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A PersistentStream is an abstract base class that represents a streaming RPC - * to the Firestore backend. It's built on top of the connections own support - * for streaming RPCs, and adds several critical features for our clients: - * - * - Exponential backoff on failure - * - Authentication via CredentialsProvider - * - Dispatching all callbacks into the shared worker queue - * - Closing idle streams after 60 seconds of inactivity - * - * Subclasses of PersistentStream implement serialization of models to and - * from the JSON representation of the protocol buffers for a specific - * streaming RPC. - * - * ## Starting and Stopping - * - * Streaming RPCs are stateful and need to be start()ed before messages can - * be sent and received. The PersistentStream will call the onOpen() function - * of the listener once the stream is ready to accept requests. - * - * Should a start() fail, PersistentStream will call the registered onClose() - * listener with a FirestoreError indicating what went wrong. - * - * A PersistentStream can be started and stopped repeatedly. - * - * Generic types: - * SendType: The type of the outgoing message of the underlying - * connection stream - * ReceiveType: The type of the incoming message of the underlying - * connection stream - * ListenerType: The type of the listener that will be used for callbacks - */ - class Lu { - constructor(t, e, n, s, i, r, o, u) { - this.ii = t, this.$o = n, this.Oo = s, this.connection = i, this.authCredentialsProvider = r, - this.appCheckCredentialsProvider = o, this.listener = u, this.state = 0 /* PersistentStreamState.Initial */ , - /** - * A close count that's incremented every time the stream is closed; used by - * getCloseGuardedDispatcher() to invalidate callbacks that happen after - * close. - */ - this.Fo = 0, this.Bo = null, this.Lo = null, this.stream = null, this.qo = new Bu(t, e); - } - /** - * Returns true if start() has been called and no error has occurred. True - * indicates the stream is open or in the process of opening (which - * encompasses respecting backoff, getting auth tokens, and starting the - * actual RPC). Use isOpen() to determine if the stream is open and ready for - * outbound requests. - */ Uo() { - return 1 /* PersistentStreamState.Starting */ === this.state || 5 /* PersistentStreamState.Backoff */ === this.state || this.Ko(); - } - /** - * Returns true if the underlying RPC is open (the onOpen() listener has been - * called) and the stream is ready for outbound requests. - */ Ko() { - return 2 /* PersistentStreamState.Open */ === this.state || 3 /* PersistentStreamState.Healthy */ === this.state; - } - /** - * Starts the RPC. Only allowed if isStarted() returns false. The stream is - * not immediately ready for use: onOpen() will be invoked when the RPC is - * ready for outbound requests, at which point isOpen() will return true. - * - * When start returns, isStarted() will return true. - */ start() { - 4 /* PersistentStreamState.Error */ !== this.state ? this.auth() : this.Go(); - } - /** - * Stops the RPC. This call is idempotent and allowed regardless of the - * current isStarted() state. - * - * When stop returns, isStarted() and isOpen() will both return false. - */ async stop() { - this.Uo() && await this.close(0 /* PersistentStreamState.Initial */); - } - /** - * After an error the stream will usually back off on the next attempt to - * start it. If the error warrants an immediate restart of the stream, the - * sender can use this to indicate that the receiver should not back off. - * - * Each error will call the onClose() listener. That function can decide to - * inhibit backoff if required. - */ Qo() { - this.state = 0 /* PersistentStreamState.Initial */ , this.qo.reset(); - } - /** - * Marks this stream as idle. If no further actions are performed on the - * stream for one minute, the stream will automatically close itself and - * notify the stream's onClose() handler with Status.OK. The stream will then - * be in a !isStarted() state, requiring the caller to start the stream again - * before further use. - * - * Only streams that are in state 'Open' can be marked idle, as all other - * states imply pending network operations. - */ jo() { - // Starts the idle time if we are in state 'Open' and are not yet already - // running a timer (in which case the previous idle timeout still applies). - this.Ko() && null === this.Bo && (this.Bo = this.ii.enqueueAfterDelay(this.$o, 6e4, (() => this.zo()))); - } - /** Sends a message to the underlying stream. */ Wo(t) { - this.Ho(), this.stream.send(t); - } - /** Called by the idle timer when the stream should close due to inactivity. */ async zo() { - if (this.Ko()) - // When timing out an idle stream there's no reason to force the stream into backoff when - // it restarts so set the stream state to Initial instead of Error. - return this.close(0 /* PersistentStreamState.Initial */); - } - /** Marks the stream as active again. */ Ho() { - this.Bo && (this.Bo.cancel(), this.Bo = null); - } - /** Cancels the health check delayed operation. */ Jo() { - this.Lo && (this.Lo.cancel(), this.Lo = null); - } - /** - * Closes the stream and cleans up as necessary: - * - * * closes the underlying GRPC stream; - * * calls the onClose handler with the given 'error'; - * * sets internal stream state to 'finalState'; - * * adjusts the backoff timer based on the error - * - * A new stream can be opened by calling start(). - * - * @param finalState - the intended state of the stream after closing. - * @param error - the error the connection was closed with. - */ async close(t, e) { - // Cancel any outstanding timers (they're guaranteed not to execute). - this.Ho(), this.Jo(), this.qo.cancel(), - // Invalidates any stream-related callbacks (e.g. from auth or the - // underlying stream), guaranteeing they won't execute. - this.Fo++, 4 /* PersistentStreamState.Error */ !== t ? - // If this is an intentional close ensure we don't delay our next connection attempt. - this.qo.reset() : e && e.code === q.RESOURCE_EXHAUSTED ? ( - // Log the error. (Probably either 'quota exceeded' or 'max queue length reached'.) - k(e.toString()), k("Using maximum backoff delay to prevent overloading the backend."), - this.qo.xo()) : e && e.code === q.UNAUTHENTICATED && 3 /* PersistentStreamState.Healthy */ !== this.state && ( - // "unauthenticated" error means the token was rejected. This should rarely - // happen since both Auth and AppCheck ensure a sufficient TTL when we - // request a token. If a user manually resets their system clock this can - // fail, however. In this case, we should get a Code.UNAUTHENTICATED error - // before we received the first message and we need to invalidate the token - // to ensure that we fetch a new token. - this.authCredentialsProvider.invalidateToken(), this.appCheckCredentialsProvider.invalidateToken()), - // Clean up the underlying stream because we are no longer interested in events. - null !== this.stream && (this.Yo(), this.stream.close(), this.stream = null), - // This state must be assigned before calling onClose() to allow the callback to - // inhibit backoff or otherwise manipulate the state in its non-started state. - this.state = t, - // Notify the listener that the stream closed. - await this.listener.ao(e); - } - /** - * Can be overridden to perform additional cleanup before the stream is closed. - * Calling super.tearDown() is not required. - */ Yo() {} - auth() { - this.state = 1 /* PersistentStreamState.Starting */; - const t = this.Xo(this.Fo), e = this.Fo; - // TODO(mikelehen): Just use dispatchIfNotClosed, but see TODO below. - Promise.all([ this.authCredentialsProvider.getToken(), this.appCheckCredentialsProvider.getToken() ]).then((([t, n]) => { - // Stream can be stopped while waiting for authentication. - // TODO(mikelehen): We really should just use dispatchIfNotClosed - // and let this dispatch onto the queue, but that opened a spec test can - // of worms that I don't want to deal with in this PR. - this.Fo === e && - // Normally we'd have to schedule the callback on the AsyncQueue. - // However, the following calls are safe to be called outside the - // AsyncQueue since they don't chain asynchronous calls - this.Zo(t, n); - }), (e => { - t((() => { - const t = new U(q.UNKNOWN, "Fetching auth token failed: " + e.message); - return this.tu(t); - })); - })); - } - Zo(t, e) { - const n = this.Xo(this.Fo); - this.stream = this.eu(t, e), this.stream.uo((() => { - n((() => (this.state = 2 /* PersistentStreamState.Open */ , this.Lo = this.ii.enqueueAfterDelay(this.Oo, 1e4, (() => (this.Ko() && (this.state = 3 /* PersistentStreamState.Healthy */), - Promise.resolve()))), this.listener.uo()))); - })), this.stream.ao((t => { - n((() => this.tu(t))); - })), this.stream.onMessage((t => { - n((() => this.onMessage(t))); - })); - } - Go() { - this.state = 5 /* PersistentStreamState.Backoff */ , this.qo.No((async () => { - this.state = 0 /* PersistentStreamState.Initial */ , this.start(); - })); - } - // Visible for tests - tu(t) { - // In theory the stream could close cleanly, however, in our current model - // we never expect this to happen because if we stop a stream ourselves, - // this callback will never be called. To prevent cases where we retry - // without a backoff accidentally, we set the stream to error in all cases. - return N("PersistentStream", `close with error: ${t}`), this.stream = null, this.close(4 /* PersistentStreamState.Error */ , t); - } - /** - * Returns a "dispatcher" function that dispatches operations onto the - * AsyncQueue but only runs them if closeCount remains unchanged. This allows - * us to turn auth / stream callbacks into no-ops if the stream is closed / - * re-opened, etc. - */ Xo(t) { - return e => { - this.ii.enqueueAndForget((() => this.Fo === t ? e() : (N("PersistentStream", "stream callback skipped by getCloseGuardedDispatcher."), - Promise.resolve()))); - }; - } - } - - /** - * A PersistentStream that implements the Listen RPC. - * - * Once the Listen stream has called the onOpen() listener, any number of - * listen() and unlisten() calls can be made to control what changes will be - * sent from the server for ListenResponses. - */ class qu extends Lu { - constructor(t, e, n, s, i, r) { - super(t, "listen_stream_connection_backoff" /* TimerId.ListenStreamConnectionBackoff */ , "listen_stream_idle" /* TimerId.ListenStreamIdle */ , "health_check_timeout" /* TimerId.HealthCheckTimeout */ , e, n, s, r), - this.serializer = i; - } - eu(t, e) { - return this.connection.Ro("Listen", t, e); - } - onMessage(t) { - // A successful response means the stream is healthy - this.qo.reset(); - const e = Qi(this.serializer, t), n = function(t) { - // We have only reached a consistent snapshot for the entire stream if there - // is a read_time set and it applies to all targets (i.e. the list of - // targets is empty). The backend is guaranteed to send such responses. - if (!("targetChange" in t)) return rt.min(); - const e = t.targetChange; - return e.targetIds && e.targetIds.length ? rt.min() : e.readTime ? Ni(e.readTime) : rt.min(); - }(t); - return this.listener.nu(e, n); - } - /** - * Registers interest in the results of the given target. If the target - * includes a resumeToken it will be included in the request. Results that - * affect the target will be streamed back as WatchChange messages that - * reference the targetId. - */ su(t) { - const e = {}; - e.database = Li(this.serializer), e.addTarget = function(t, e) { - let n; - const s = e.target; - if (n = Fn(s) ? { - documents: Hi(t, s) - } : { - query: Ji(t, s) - }, n.targetId = e.targetId, e.resumeToken.approximateByteSize() > 0) { - n.resumeToken = Ci(t, e.resumeToken); - const s = Si(t, e.expectedCount); - null !== s && (n.expectedCount = s); - } else if (e.snapshotVersion.compareTo(rt.min()) > 0) { - // TODO(wuandy): Consider removing above check because it is most likely true. - // Right now, many tests depend on this behaviour though (leaving min() out - // of serialization). - n.readTime = Di(t, e.snapshotVersion.toTimestamp()); - const s = Si(t, e.expectedCount); - null !== s && (n.expectedCount = s); - } - return n; - }(this.serializer, t); - const n = Xi(this.serializer, t); - n && (e.labels = n), this.Wo(e); - } - /** - * Unregisters interest in the results of the target associated with the - * given targetId. - */ iu(t) { - const e = {}; - e.database = Li(this.serializer), e.removeTarget = t, this.Wo(e); - } - } - - /** - * A Stream that implements the Write RPC. - * - * The Write RPC requires the caller to maintain special streamToken - * state in between calls, to help the server understand which responses the - * client has processed by the time the next request is made. Every response - * will contain a streamToken; this value must be passed to the next - * request. - * - * After calling start() on this stream, the next request must be a handshake, - * containing whatever streamToken is on hand. Once a response to this - * request is received, all pending mutations may be submitted. When - * submitting multiple batches of mutations at the same time, it's - * okay to use the same streamToken for the calls to writeMutations. - * - * TODO(b/33271235): Use proto types - */ class Uu extends Lu { - constructor(t, e, n, s, i, r) { - super(t, "write_stream_connection_backoff" /* TimerId.WriteStreamConnectionBackoff */ , "write_stream_idle" /* TimerId.WriteStreamIdle */ , "health_check_timeout" /* TimerId.HealthCheckTimeout */ , e, n, s, r), - this.serializer = i, this.ru = !1; - } - /** - * Tracks whether or not a handshake has been successfully exchanged and - * the stream is ready to accept mutations. - */ get ou() { - return this.ru; - } - // Override of PersistentStream.start - start() { - this.ru = !1, this.lastStreamToken = void 0, super.start(); - } - Yo() { - this.ru && this.uu([]); - } - eu(t, e) { - return this.connection.Ro("Write", t, e); - } - onMessage(t) { - if ( - // Always capture the last stream token. - F(!!t.streamToken), this.lastStreamToken = t.streamToken, this.ru) { - // A successful first write response means the stream is healthy, - // Note, that we could consider a successful handshake healthy, however, - // the write itself might be causing an error we want to back off from. - this.qo.reset(); - const e = Wi(t.writeResults, t.commitTime), n = Ni(t.commitTime); - return this.listener.cu(n, e); - } - // The first response is always the handshake response - return F(!t.writeResults || 0 === t.writeResults.length), this.ru = !0, this.listener.au(); - } - /** - * Sends an initial streamToken to the server, performing the handshake - * required to make the StreamingWrite RPC work. Subsequent - * calls should wait until onHandshakeComplete was called. - */ hu() { - // TODO(dimond): Support stream resumption. We intentionally do not set the - // stream token on the handshake, ignoring any stream token we might have. - const t = {}; - t.database = Li(this.serializer), this.Wo(t); - } - /** Sends a group of mutations to the Firestore backend to apply. */ uu(t) { - const e = { - streamToken: this.lastStreamToken, - writes: t.map((t => ji(this.serializer, t))) - }; - this.Wo(e); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Datastore and its related methods are a wrapper around the external Google - * Cloud Datastore grpc API, which provides an interface that is more convenient - * for the rest of the client SDK architecture to consume. - */ - /** - * An implementation of Datastore that exposes additional state for internal - * consumption. - */ - class Ku extends class {} { - constructor(t, e, n, s) { - super(), this.authCredentials = t, this.appCheckCredentials = e, this.connection = n, - this.serializer = s, this.lu = !1; - } - fu() { - if (this.lu) throw new U(q.FAILED_PRECONDITION, "The client has already been terminated."); - } - /** Invokes the provided RPC with auth and AppCheck tokens. */ Io(t, e, n) { - return this.fu(), Promise.all([ this.authCredentials.getToken(), this.appCheckCredentials.getToken() ]).then((([s, i]) => this.connection.Io(t, e, n, s, i))).catch((t => { - throw "FirebaseError" === t.name ? (t.code === q.UNAUTHENTICATED && (this.authCredentials.invalidateToken(), - this.appCheckCredentials.invalidateToken()), t) : new U(q.UNKNOWN, t.toString()); - })); - } - /** Invokes the provided RPC with streamed results with auth and AppCheck tokens. */ vo(t, e, n, s) { - return this.fu(), Promise.all([ this.authCredentials.getToken(), this.appCheckCredentials.getToken() ]).then((([i, r]) => this.connection.vo(t, e, n, i, r, s))).catch((t => { - throw "FirebaseError" === t.name ? (t.code === q.UNAUTHENTICATED && (this.authCredentials.invalidateToken(), - this.appCheckCredentials.invalidateToken()), t) : new U(q.UNKNOWN, t.toString()); - })); - } - terminate() { - this.lu = !0; - } - } - - /** - * A component used by the RemoteStore to track the OnlineState (that is, - * whether or not the client as a whole should be considered to be online or - * offline), implementing the appropriate heuristics. - * - * In particular, when the client is trying to connect to the backend, we - * allow up to MAX_WATCH_STREAM_FAILURES within ONLINE_STATE_TIMEOUT_MS for - * a connection to succeed. If we have too many failures or the timeout elapses, - * then we set the OnlineState to Offline, and the client will behave as if - * it is offline (get()s will return cached data, etc.). - */ - class Qu { - constructor(t, e) { - this.asyncQueue = t, this.onlineStateHandler = e, - /** The current OnlineState. */ - this.state = "Unknown" /* OnlineState.Unknown */ , - /** - * A count of consecutive failures to open the stream. If it reaches the - * maximum defined by MAX_WATCH_STREAM_FAILURES, we'll set the OnlineState to - * Offline. - */ - this.wu = 0, - /** - * A timer that elapses after ONLINE_STATE_TIMEOUT_MS, at which point we - * transition from OnlineState.Unknown to OnlineState.Offline without waiting - * for the stream to actually fail (MAX_WATCH_STREAM_FAILURES times). - */ - this._u = null, - /** - * Whether the client should log a warning message if it fails to connect to - * the backend (initially true, cleared after a successful stream, or if we've - * logged the message already). - */ - this.mu = !0; - } - /** - * Called by RemoteStore when a watch stream is started (including on each - * backoff attempt). - * - * If this is the first attempt, it sets the OnlineState to Unknown and starts - * the onlineStateTimer. - */ gu() { - 0 === this.wu && (this.yu("Unknown" /* OnlineState.Unknown */), this._u = this.asyncQueue.enqueueAfterDelay("online_state_timeout" /* TimerId.OnlineStateTimeout */ , 1e4, (() => (this._u = null, - this.pu("Backend didn't respond within 10 seconds."), this.yu("Offline" /* OnlineState.Offline */), - Promise.resolve())))); - } - /** - * Updates our OnlineState as appropriate after the watch stream reports a - * failure. The first failure moves us to the 'Unknown' state. We then may - * allow multiple failures (based on MAX_WATCH_STREAM_FAILURES) before we - * actually transition to the 'Offline' state. - */ Iu(t) { - "Online" /* OnlineState.Online */ === this.state ? this.yu("Unknown" /* OnlineState.Unknown */) : (this.wu++, - this.wu >= 1 && (this.Tu(), this.pu(`Connection failed 1 times. Most recent error: ${t.toString()}`), - this.yu("Offline" /* OnlineState.Offline */))); - } - /** - * Explicitly sets the OnlineState to the specified state. - * - * Note that this resets our timers / failure counters, etc. used by our - * Offline heuristics, so must not be used in place of - * handleWatchStreamStart() and handleWatchStreamFailure(). - */ set(t) { - this.Tu(), this.wu = 0, "Online" /* OnlineState.Online */ === t && ( - // We've connected to watch at least once. Don't warn the developer - // about being offline going forward. - this.mu = !1), this.yu(t); - } - yu(t) { - t !== this.state && (this.state = t, this.onlineStateHandler(t)); - } - pu(t) { - const e = `Could not reach Cloud Firestore backend. ${t}\nThis typically indicates that your device does not have a healthy Internet connection at the moment. The client will operate in offline mode until it is able to successfully connect to the backend.`; - this.mu ? (k(e), this.mu = !1) : N("OnlineStateTracker", e); - } - Tu() { - null !== this._u && (this._u.cancel(), this._u = null); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class ju { - constructor( - /** - * The local store, used to fill the write pipeline with outbound mutations. - */ - t, - /** The client-side proxy for interacting with the backend. */ - e, n, s, i) { - this.localStore = t, this.datastore = e, this.asyncQueue = n, this.remoteSyncer = {}, - /** - * A list of up to MAX_PENDING_WRITES writes that we have fetched from the - * LocalStore via fillWritePipeline() and have or will send to the write - * stream. - * - * Whenever writePipeline.length > 0 the RemoteStore will attempt to start or - * restart the write stream. When the stream is established the writes in the - * pipeline will be sent in order. - * - * Writes remain in writePipeline until they are acknowledged by the backend - * and thus will automatically be re-sent if the stream is interrupted / - * restarted before they're acknowledged. - * - * Write responses from the backend are linked to their originating request - * purely based on order, and so we can just shift() writes from the front of - * the writePipeline as we receive responses. - */ - this.Eu = [], - /** - * A mapping of watched targets that the client cares about tracking and the - * user has explicitly called a 'listen' for this target. - * - * These targets may or may not have been sent to or acknowledged by the - * server. On re-establishing the listen stream, these targets should be sent - * to the server. The targets removed with unlistens are removed eagerly - * without waiting for confirmation from the listen stream. - */ - this.Au = new Map, - /** - * A set of reasons for why the RemoteStore may be offline. If empty, the - * RemoteStore may start its network connections. - */ - this.vu = new Set, - /** - * Event handlers that get called when the network is disabled or enabled. - * - * PORTING NOTE: These functions are used on the Web client to create the - * underlying streams (to support tree-shakeable streams). On Android and iOS, - * the streams are created during construction of RemoteStore. - */ - this.Ru = [], this.Pu = i, this.Pu.Yr((t => { - n.enqueueAndForget((async () => { - // Porting Note: Unlike iOS, `restartNetwork()` is called even when the - // network becomes unreachable as we don't have any other way to tear - // down our streams. - ec(this) && (N("RemoteStore", "Restarting streams for network reachability change."), - await async function(t) { - const e = L(t); - e.vu.add(4 /* OfflineCause.ConnectivityChange */), await Wu(e), e.bu.set("Unknown" /* OnlineState.Unknown */), - e.vu.delete(4 /* OfflineCause.ConnectivityChange */), await zu(e); - }(this)); - })); - })), this.bu = new Qu(n, s); - } - } - - async function zu(t) { - if (ec(t)) for (const e of t.Ru) await e(/* enabled= */ !0); - } - - /** - * Temporarily disables the network. The network can be re-enabled using - * enableNetwork(). - */ async function Wu(t) { - for (const e of t.Ru) await e(/* enabled= */ !1); - } - - /** - * Starts new listen for the given target. Uses resume token if provided. It - * is a no-op if the target of given `TargetData` is already being listened to. - */ - function Hu(t, e) { - const n = L(t); - n.Au.has(e.targetId) || ( - // Mark this as something the client is currently listening for. - n.Au.set(e.targetId, e), tc(n) ? - // The listen will be sent in onWatchStreamOpen - Zu(n) : pc(n).Ko() && Yu(n, e)); - } - - /** - * Removes the listen from server. It is a no-op if the given target id is - * not being listened to. - */ function Ju(t, e) { - const n = L(t), s = pc(n); - n.Au.delete(e), s.Ko() && Xu(n, e), 0 === n.Au.size && (s.Ko() ? s.jo() : ec(n) && - // Revert to OnlineState.Unknown if the watch stream is not open and we - // have no listeners, since without any listens to send we cannot - // confirm if the stream is healthy and upgrade to OnlineState.Online. - n.bu.set("Unknown" /* OnlineState.Unknown */)); - } - - /** - * We need to increment the the expected number of pending responses we're due - * from watch so we wait for the ack to process any messages from this target. - */ function Yu(t, e) { - if (t.Vu.qt(e.targetId), e.resumeToken.approximateByteSize() > 0 || e.snapshotVersion.compareTo(rt.min()) > 0) { - const n = t.remoteSyncer.getRemoteKeysForTarget(e.targetId).size; - e = e.withExpectedCount(n); - } - pc(t).su(e); - } - - /** - * We need to increment the expected number of pending responses we're due - * from watch so we wait for the removal on the server before we process any - * messages from this target. - */ function Xu(t, e) { - t.Vu.qt(e), pc(t).iu(e); - } - - function Zu(t) { - t.Vu = new Ei({ - getRemoteKeysForTarget: e => t.remoteSyncer.getRemoteKeysForTarget(e), - le: e => t.Au.get(e) || null, - ue: () => t.datastore.serializer.databaseId - }), pc(t).start(), t.bu.gu(); - } - - /** - * Returns whether the watch stream should be started because it's necessary - * and has not yet been started. - */ function tc(t) { - return ec(t) && !pc(t).Uo() && t.Au.size > 0; - } - - function ec(t) { - return 0 === L(t).vu.size; - } - - function nc(t) { - t.Vu = void 0; - } - - async function sc(t) { - t.Au.forEach(((e, n) => { - Yu(t, e); - })); - } - - async function ic(t, e) { - nc(t), - // If we still need the watch stream, retry the connection. - tc(t) ? (t.bu.Iu(e), Zu(t)) : - // No need to restart watch stream because there are no active targets. - // The online state is set to unknown because there is no active attempt - // at establishing a connection - t.bu.set("Unknown" /* OnlineState.Unknown */); - } - - async function rc(t, e, n) { - if ( - // Mark the client as online since we got a message from the server - t.bu.set("Online" /* OnlineState.Online */), e instanceof Ii && 2 /* WatchTargetChangeState.Removed */ === e.state && e.cause) - // There was an error on a target, don't wait for a consistent snapshot - // to raise events - try { - await - /** Handles an error on a target */ - async function(t, e) { - const n = e.cause; - for (const s of e.targetIds) - // A watched target might have been removed already. - t.Au.has(s) && (await t.remoteSyncer.rejectListen(s, n), t.Au.delete(s), t.Vu.removeTarget(s)); - } - /** - * Attempts to fill our write pipeline with writes from the LocalStore. - * - * Called internally to bootstrap or refill the write pipeline and by - * SyncEngine whenever there are new mutations to process. - * - * Starts the write stream if necessary. - */ (t, e); - } catch (n) { - N("RemoteStore", "Failed to remove targets %s: %s ", e.targetIds.join(","), n), - await oc(t, n); - } else if (e instanceof yi ? t.Vu.Ht(e) : e instanceof pi ? t.Vu.ne(e) : t.Vu.Xt(e), - !n.isEqual(rt.min())) try { - const e = await ou(t.localStore); - n.compareTo(e) >= 0 && - // We have received a target change with a global snapshot if the snapshot - // version is not equal to SnapshotVersion.min(). - await - /** - * Takes a batch of changes from the Datastore, repackages them as a - * RemoteEvent, and passes that on to the listener, which is typically the - * SyncEngine. - */ - function(t, e) { - const n = t.Vu.ce(e); - // Update in-memory resume tokens. LocalStore will update the - // persistent view of these when applying the completed RemoteEvent. - return n.targetChanges.forEach(((n, s) => { - if (n.resumeToken.approximateByteSize() > 0) { - const i = t.Au.get(s); - // A watched target might have been removed already. - i && t.Au.set(s, i.withResumeToken(n.resumeToken, e)); - } - })), - // Re-establish listens for the targets that have been invalidated by - // existence filter mismatches. - n.targetMismatches.forEach(((e, n) => { - const s = t.Au.get(e); - if (!s) - // A watched target might have been removed already. - return; - // Clear the resume token for the target, since we're in a known mismatch - // state. - t.Au.set(e, s.withResumeToken(Ve.EMPTY_BYTE_STRING, s.snapshotVersion)), - // Cause a hard reset by unwatching and rewatching immediately, but - // deliberately don't send a resume token so that we get a full update. - Xu(t, e); - // Mark the target we send as being on behalf of an existence filter - // mismatch, but don't actually retain that in listenTargets. This ensures - // that we flag the first re-listen this way without impacting future - // listens of this target (that might happen e.g. on reconnect). - const i = new cr(s.target, e, n, s.sequenceNumber); - Yu(t, i); - })), t.remoteSyncer.applyRemoteEvent(n); - }(t, n); - } catch (e) { - N("RemoteStore", "Failed to raise snapshot:", e), await oc(t, e); - } - } - - /** - * Recovery logic for IndexedDB errors that takes the network offline until - * `op` succeeds. Retries are scheduled with backoff using - * `enqueueRetryable()`. If `op()` is not provided, IndexedDB access is - * validated via a generic operation. - * - * The returned Promise is resolved once the network is disabled and before - * any retry attempt. - */ async function oc(t, e, n) { - if (!Dt(e)) throw e; - t.vu.add(1 /* OfflineCause.IndexedDbFailed */), - // Disable network and raise offline snapshots - await Wu(t), t.bu.set("Offline" /* OnlineState.Offline */), n || ( - // Use a simple read operation to determine if IndexedDB recovered. - // Ideally, we would expose a health check directly on SimpleDb, but - // RemoteStore only has access to persistence through LocalStore. - n = () => ou(t.localStore)), - // Probe IndexedDB periodically and re-enable network - t.asyncQueue.enqueueRetryable((async () => { - N("RemoteStore", "Retrying IndexedDB access"), await n(), t.vu.delete(1 /* OfflineCause.IndexedDbFailed */), - await zu(t); - })); - } - - /** - * Executes `op`. If `op` fails, takes the network offline until `op` - * succeeds. Returns after the first attempt. - */ function uc(t, e) { - return e().catch((n => oc(t, n, e))); - } - - async function cc(t) { - const e = L(t), n = Ic(e); - let s = e.Eu.length > 0 ? e.Eu[e.Eu.length - 1].batchId : -1; - for (;ac(e); ) try { - const t = await au(e.localStore, s); - if (null === t) { - 0 === e.Eu.length && n.jo(); - break; - } - s = t.batchId, hc(e, t); - } catch (t) { - await oc(e, t); - } - lc(e) && fc(e); - } - - /** - * Returns true if we can add to the write pipeline (i.e. the network is - * enabled and the write pipeline is not full). - */ function ac(t) { - return ec(t) && t.Eu.length < 10; - } - - /** - * Queues additional writes to be sent to the write stream, sending them - * immediately if the write stream is established. - */ function hc(t, e) { - t.Eu.push(e); - const n = Ic(t); - n.Ko() && n.ou && n.uu(e.mutations); - } - - function lc(t) { - return ec(t) && !Ic(t).Uo() && t.Eu.length > 0; - } - - function fc(t) { - Ic(t).start(); - } - - async function dc(t) { - Ic(t).hu(); - } - - async function wc(t) { - const e = Ic(t); - // Send the write pipeline now that the stream is established. - for (const n of t.Eu) e.uu(n.mutations); - } - - async function _c(t, e, n) { - const s = t.Eu.shift(), i = ti.from(s, e, n); - await uc(t, (() => t.remoteSyncer.applySuccessfulWrite(i))), - // It's possible that with the completion of this mutation another - // slot has freed up. - await cc(t); - } - - async function mc(t, e) { - // If the write stream closed after the write handshake completes, a write - // operation failed and we fail the pending operation. - e && Ic(t).ou && - // This error affects the actual write. - await async function(t, e) { - // Only handle permanent errors here. If it's transient, just let the retry - // logic kick in. - if (n = e.code, oi(n) && n !== q.ABORTED) { - // This was a permanent error, the request itself was the problem - // so it's not going to succeed if we resend it. - const n = t.Eu.shift(); - // In this case it's also unlikely that the server itself is melting - // down -- this was just a bad request so inhibit backoff on the next - // restart. - Ic(t).Qo(), await uc(t, (() => t.remoteSyncer.rejectFailedWrite(n.batchId, e))), - // It's possible that with the completion of this mutation - // another slot has freed up. - await cc(t); - } - var n; - }(t, e), - // The write stream might have been started by refilling the write - // pipeline for failed writes - lc(t) && fc(t); - } - - async function gc(t, e) { - const n = L(t); - n.asyncQueue.verifyOperationInProgress(), N("RemoteStore", "RemoteStore received new credentials"); - const s = ec(n); - // Tear down and re-create our network streams. This will ensure we get a - // fresh auth token for the new user and re-fill the write pipeline with - // new mutations from the LocalStore (since mutations are per-user). - n.vu.add(3 /* OfflineCause.CredentialChange */), await Wu(n), s && - // Don't set the network status to Unknown if we are offline. - n.bu.set("Unknown" /* OnlineState.Unknown */), await n.remoteSyncer.handleCredentialChange(e), - n.vu.delete(3 /* OfflineCause.CredentialChange */), await zu(n); - } - - /** - * Toggles the network state when the client gains or loses its primary lease. - */ async function yc(t, e) { - const n = L(t); - e ? (n.vu.delete(2 /* OfflineCause.IsSecondary */), await zu(n)) : e || (n.vu.add(2 /* OfflineCause.IsSecondary */), - await Wu(n), n.bu.set("Unknown" /* OnlineState.Unknown */)); - } - - /** - * If not yet initialized, registers the WatchStream and its network state - * callback with `remoteStoreImpl`. Returns the existing stream if one is - * already available. - * - * PORTING NOTE: On iOS and Android, the WatchStream gets registered on startup. - * This is not done on Web to allow it to be tree-shaken. - */ function pc(t) { - return t.Su || ( - // Create stream (but note that it is not started yet). - t.Su = function(t, e, n) { - const s = L(t); - return s.fu(), new qu(e, s.connection, s.authCredentials, s.appCheckCredentials, s.serializer, n); - } - /** - * @license - * Copyright 2018 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ (t.datastore, t.asyncQueue, { - uo: sc.bind(null, t), - ao: ic.bind(null, t), - nu: rc.bind(null, t) - }), t.Ru.push((async e => { - e ? (t.Su.Qo(), tc(t) ? Zu(t) : t.bu.set("Unknown" /* OnlineState.Unknown */)) : (await t.Su.stop(), - nc(t)); - }))), t.Su; - } - - /** - * If not yet initialized, registers the WriteStream and its network state - * callback with `remoteStoreImpl`. Returns the existing stream if one is - * already available. - * - * PORTING NOTE: On iOS and Android, the WriteStream gets registered on startup. - * This is not done on Web to allow it to be tree-shaken. - */ function Ic(t) { - return t.Du || ( - // Create stream (but note that it is not started yet). - t.Du = function(t, e, n) { - const s = L(t); - return s.fu(), new Uu(e, s.connection, s.authCredentials, s.appCheckCredentials, s.serializer, n); - }(t.datastore, t.asyncQueue, { - uo: dc.bind(null, t), - ao: mc.bind(null, t), - au: wc.bind(null, t), - cu: _c.bind(null, t) - }), t.Ru.push((async e => { - e ? (t.Du.Qo(), - // This will start the write stream if necessary. - await cc(t)) : (await t.Du.stop(), t.Eu.length > 0 && (N("RemoteStore", `Stopping write stream with ${t.Eu.length} pending writes`), - t.Eu = [])); - }))), t.Du; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents an operation scheduled to be run in the future on an AsyncQueue. - * - * It is created via DelayedOperation.createAndSchedule(). - * - * Supports cancellation (via cancel()) and early execution (via skipDelay()). - * - * Note: We implement `PromiseLike` instead of `Promise`, as the `Promise` type - * in newer versions of TypeScript defines `finally`, which is not available in - * IE. - */ - class Tc { - constructor(t, e, n, s, i) { - this.asyncQueue = t, this.timerId = e, this.targetTimeMs = n, this.op = s, this.removalCallback = i, - this.deferred = new K, this.then = this.deferred.promise.then.bind(this.deferred.promise), - // It's normal for the deferred promise to be canceled (due to cancellation) - // and so we attach a dummy catch callback to avoid - // 'UnhandledPromiseRejectionWarning' log spam. - this.deferred.promise.catch((t => {})); - } - /** - * Creates and returns a DelayedOperation that has been scheduled to be - * executed on the provided asyncQueue after the provided delayMs. - * - * @param asyncQueue - The queue to schedule the operation on. - * @param id - A Timer ID identifying the type of operation this is. - * @param delayMs - The delay (ms) before the operation should be scheduled. - * @param op - The operation to run. - * @param removalCallback - A callback to be called synchronously once the - * operation is executed or canceled, notifying the AsyncQueue to remove it - * from its delayedOperations list. - * PORTING NOTE: This exists to prevent making removeDelayedOperation() and - * the DelayedOperation class public. - */ static createAndSchedule(t, e, n, s, i) { - const r = Date.now() + n, o = new Tc(t, e, r, s, i); - return o.start(n), o; - } - /** - * Starts the timer. This is called immediately after construction by - * createAndSchedule(). - */ start(t) { - this.timerHandle = setTimeout((() => this.handleDelayElapsed()), t); - } - /** - * Queues the operation to run immediately (if it hasn't already been run or - * canceled). - */ skipDelay() { - return this.handleDelayElapsed(); - } - /** - * Cancels the operation if it hasn't already been executed or canceled. The - * promise will be rejected. - * - * As long as the operation has not yet been run, calling cancel() provides a - * guarantee that the operation will not be run. - */ cancel(t) { - null !== this.timerHandle && (this.clearTimeout(), this.deferred.reject(new U(q.CANCELLED, "Operation cancelled" + (t ? ": " + t : "")))); - } - handleDelayElapsed() { - this.asyncQueue.enqueueAndForget((() => null !== this.timerHandle ? (this.clearTimeout(), - this.op().then((t => this.deferred.resolve(t)))) : Promise.resolve())); - } - clearTimeout() { - null !== this.timerHandle && (this.removalCallback(this), clearTimeout(this.timerHandle), - this.timerHandle = null); - } - } - - /** - * Returns a FirestoreError that can be surfaced to the user if the provided - * error is an IndexedDbTransactionError. Re-throws the error otherwise. - */ function Ec(t, e) { - if (k("AsyncQueue", `${e}: ${t}`), Dt(t)) return new U(q.UNAVAILABLE, `${e}: ${t}`); - throw t; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * DocumentSet is an immutable (copy-on-write) collection that holds documents - * in order specified by the provided comparator. We always add a document key - * comparator on top of what is provided to guarantee document equality based on - * the key. - */ class Ac { - /** The default ordering is by key if the comparator is omitted */ - constructor(t) { - // We are adding document key comparator to the end as it's the only - // guaranteed unique property of a document. - this.comparator = t ? (e, n) => t(e, n) || ht.comparator(e.key, n.key) : (t, e) => ht.comparator(t.key, e.key), - this.keyedMap = hs(), this.sortedSet = new pe(this.comparator); - } - /** - * Returns an empty copy of the existing DocumentSet, using the same - * comparator. - */ static emptySet(t) { - return new Ac(t.comparator); - } - has(t) { - return null != this.keyedMap.get(t); - } - get(t) { - return this.keyedMap.get(t); - } - first() { - return this.sortedSet.minKey(); - } - last() { - return this.sortedSet.maxKey(); - } - isEmpty() { - return this.sortedSet.isEmpty(); - } - /** - * Returns the index of the provided key in the document set, or -1 if the - * document key is not present in the set; - */ indexOf(t) { - const e = this.keyedMap.get(t); - return e ? this.sortedSet.indexOf(e) : -1; - } - get size() { - return this.sortedSet.size; - } - /** Iterates documents in order defined by "comparator" */ forEach(t) { - this.sortedSet.inorderTraversal(((e, n) => (t(e), !1))); - } - /** Inserts or updates a document with the same key */ add(t) { - // First remove the element if we have it. - const e = this.delete(t.key); - return e.copy(e.keyedMap.insert(t.key, t), e.sortedSet.insert(t, null)); - } - /** Deletes a document with a given key */ delete(t) { - const e = this.get(t); - return e ? this.copy(this.keyedMap.remove(t), this.sortedSet.remove(e)) : this; - } - isEqual(t) { - if (!(t instanceof Ac)) return !1; - if (this.size !== t.size) return !1; - const e = this.sortedSet.getIterator(), n = t.sortedSet.getIterator(); - for (;e.hasNext(); ) { - const t = e.getNext().key, s = n.getNext().key; - if (!t.isEqual(s)) return !1; - } - return !0; - } - toString() { - const t = []; - return this.forEach((e => { - t.push(e.toString()); - })), 0 === t.length ? "DocumentSet ()" : "DocumentSet (\n " + t.join(" \n") + "\n)"; - } - copy(t, e) { - const n = new Ac; - return n.comparator = this.comparator, n.keyedMap = t, n.sortedSet = e, n; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * DocumentChangeSet keeps track of a set of changes to docs in a query, merging - * duplicate events for the same doc. - */ class vc { - constructor() { - this.Cu = new pe(ht.comparator); - } - track(t) { - const e = t.doc.key, n = this.Cu.get(e); - n ? - // Merge the new change with the existing change. - 0 /* ChangeType.Added */ !== t.type && 3 /* ChangeType.Metadata */ === n.type ? this.Cu = this.Cu.insert(e, t) : 3 /* ChangeType.Metadata */ === t.type && 1 /* ChangeType.Removed */ !== n.type ? this.Cu = this.Cu.insert(e, { - type: n.type, - doc: t.doc - }) : 2 /* ChangeType.Modified */ === t.type && 2 /* ChangeType.Modified */ === n.type ? this.Cu = this.Cu.insert(e, { - type: 2 /* ChangeType.Modified */ , - doc: t.doc - }) : 2 /* ChangeType.Modified */ === t.type && 0 /* ChangeType.Added */ === n.type ? this.Cu = this.Cu.insert(e, { - type: 0 /* ChangeType.Added */ , - doc: t.doc - }) : 1 /* ChangeType.Removed */ === t.type && 0 /* ChangeType.Added */ === n.type ? this.Cu = this.Cu.remove(e) : 1 /* ChangeType.Removed */ === t.type && 2 /* ChangeType.Modified */ === n.type ? this.Cu = this.Cu.insert(e, { - type: 1 /* ChangeType.Removed */ , - doc: n.doc - }) : 0 /* ChangeType.Added */ === t.type && 1 /* ChangeType.Removed */ === n.type ? this.Cu = this.Cu.insert(e, { - type: 2 /* ChangeType.Modified */ , - doc: t.doc - }) : - // This includes these cases, which don't make sense: - // Added->Added - // Removed->Removed - // Modified->Added - // Removed->Modified - // Metadata->Added - // Removed->Metadata - O() : this.Cu = this.Cu.insert(e, t); - } - xu() { - const t = []; - return this.Cu.inorderTraversal(((e, n) => { - t.push(n); - })), t; - } - } - - class Rc { - constructor(t, e, n, s, i, r, o, u, c) { - this.query = t, this.docs = e, this.oldDocs = n, this.docChanges = s, this.mutatedKeys = i, - this.fromCache = r, this.syncStateChanged = o, this.excludesMetadataChanges = u, - this.hasCachedResults = c; - } - /** Returns a view snapshot as if all documents in the snapshot were added. */ static fromInitialDocuments(t, e, n, s, i) { - const r = []; - return e.forEach((t => { - r.push({ - type: 0 /* ChangeType.Added */ , - doc: t - }); - })), new Rc(t, e, Ac.emptySet(e), r, n, s, - /* syncStateChanged= */ !0, - /* excludesMetadataChanges= */ !1, i); - } - get hasPendingWrites() { - return !this.mutatedKeys.isEmpty(); - } - isEqual(t) { - if (!(this.fromCache === t.fromCache && this.hasCachedResults === t.hasCachedResults && this.syncStateChanged === t.syncStateChanged && this.mutatedKeys.isEqual(t.mutatedKeys) && Zn(this.query, t.query) && this.docs.isEqual(t.docs) && this.oldDocs.isEqual(t.oldDocs))) return !1; - const e = this.docChanges, n = t.docChanges; - if (e.length !== n.length) return !1; - for (let t = 0; t < e.length; t++) if (e[t].type !== n[t].type || !e[t].doc.isEqual(n[t].doc)) return !1; - return !0; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Holds the listeners and the last received ViewSnapshot for a query being - * tracked by EventManager. - */ class Pc { - constructor() { - this.Nu = void 0, this.listeners = []; - } - } - - class bc { - constructor() { - this.queries = new os((t => ts(t)), Zn), this.onlineState = "Unknown" /* OnlineState.Unknown */ , - this.ku = new Set; - } - } - - async function Vc(t, e) { - const n = L(t), s = e.query; - let i = !1, r = n.queries.get(s); - if (r || (i = !0, r = new Pc), i) try { - r.Nu = await n.onListen(s); - } catch (t) { - const n = Ec(t, `Initialization of query '${es(e.query)}' failed`); - return void e.onError(n); - } - if (n.queries.set(s, r), r.listeners.push(e), - // Run global snapshot listeners if a consistent snapshot has been emitted. - e.Mu(n.onlineState), r.Nu) { - e.$u(r.Nu) && xc(n); - } - } - - async function Sc(t, e) { - const n = L(t), s = e.query; - let i = !1; - const r = n.queries.get(s); - if (r) { - const t = r.listeners.indexOf(e); - t >= 0 && (r.listeners.splice(t, 1), i = 0 === r.listeners.length); - } - if (i) return n.queries.delete(s), n.onUnlisten(s); - } - - function Dc(t, e) { - const n = L(t); - let s = !1; - for (const t of e) { - const e = t.query, i = n.queries.get(e); - if (i) { - for (const e of i.listeners) e.$u(t) && (s = !0); - i.Nu = t; - } - } - s && xc(n); - } - - function Cc(t, e, n) { - const s = L(t), i = s.queries.get(e); - if (i) for (const t of i.listeners) t.onError(n); - // Remove all listeners. NOTE: We don't need to call syncEngine.unlisten() - // after an error. - s.queries.delete(e); - } - - // Call all global snapshot listeners that have been set. - function xc(t) { - t.ku.forEach((t => { - t.next(); - })); - } - - /** - * QueryListener takes a series of internal view snapshots and determines - * when to raise the event. - * - * It uses an Observer to dispatch events. - */ class Nc { - constructor(t, e, n) { - this.query = t, this.Ou = e, - /** - * Initial snapshots (e.g. from cache) may not be propagated to the wrapped - * observer. This flag is set to true once we've actually raised an event. - */ - this.Fu = !1, this.Bu = null, this.onlineState = "Unknown" /* OnlineState.Unknown */ , - this.options = n || {}; - } - /** - * Applies the new ViewSnapshot to this listener, raising a user-facing event - * if applicable (depending on what changed, whether the user has opted into - * metadata-only changes, etc.). Returns true if a user-facing event was - * indeed raised. - */ $u(t) { - if (!this.options.includeMetadataChanges) { - // Remove the metadata only changes. - const e = []; - for (const n of t.docChanges) 3 /* ChangeType.Metadata */ !== n.type && e.push(n); - t = new Rc(t.query, t.docs, t.oldDocs, e, t.mutatedKeys, t.fromCache, t.syncStateChanged, - /* excludesMetadataChanges= */ !0, t.hasCachedResults); - } - let e = !1; - return this.Fu ? this.Lu(t) && (this.Ou.next(t), e = !0) : this.qu(t, this.onlineState) && (this.Uu(t), - e = !0), this.Bu = t, e; - } - onError(t) { - this.Ou.error(t); - } - /** Returns whether a snapshot was raised. */ Mu(t) { - this.onlineState = t; - let e = !1; - return this.Bu && !this.Fu && this.qu(this.Bu, t) && (this.Uu(this.Bu), e = !0), - e; - } - qu(t, e) { - // Always raise the first event when we're synced - if (!t.fromCache) return !0; - // NOTE: We consider OnlineState.Unknown as online (it should become Offline - // or Online if we wait long enough). - const n = "Offline" /* OnlineState.Offline */ !== e; - // Don't raise the event if we're online, aren't synced yet (checked - // above) and are waiting for a sync. - return (!this.options.Ku || !n) && (!t.docs.isEmpty() || t.hasCachedResults || "Offline" /* OnlineState.Offline */ === e); - // Raise data from cache if we have any documents, have cached results before, - // or we are offline. - } - Lu(t) { - // We don't need to handle includeDocumentMetadataChanges here because - // the Metadata only changes have already been stripped out if needed. - // At this point the only changes we will see are the ones we should - // propagate. - if (t.docChanges.length > 0) return !0; - const e = this.Bu && this.Bu.hasPendingWrites !== t.hasPendingWrites; - return !(!t.syncStateChanged && !e) && !0 === this.options.includeMetadataChanges; - // Generally we should have hit one of the cases above, but it's possible - // to get here if there were only metadata docChanges and they got - // stripped out. - } - Uu(t) { - t = Rc.fromInitialDocuments(t.query, t.docs, t.mutatedKeys, t.fromCache, t.hasCachedResults), - this.Fu = !0, this.Ou.next(t); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A complete element in the bundle stream, together with the byte length it - * occupies in the stream. - */ class kc { - constructor(t, - // How many bytes this element takes to store in the bundle. - e) { - this.Gu = t, this.byteLength = e; - } - Qu() { - return "metadata" in this.Gu; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Helper to convert objects from bundles to model objects in the SDK. - */ class Mc { - constructor(t) { - this.serializer = t; - } - rr(t) { - return Oi(this.serializer, t); - } - /** - * Converts a BundleDocument to a MutableDocument. - */ ur(t) { - return t.metadata.exists ? Ki(this.serializer, t.document, !1) : an.newNoDocument(this.rr(t.metadata.name), this.cr(t.metadata.readTime)); - } - cr(t) { - return Ni(t); - } - } - - /** - * A class to process the elements from a bundle, load them into local - * storage and provide progress update while loading. - */ class $c { - constructor(t, e, n) { - this.ju = t, this.localStore = e, this.serializer = n, - /** Batched queries to be saved into storage */ - this.queries = [], - /** Batched documents to be saved into storage */ - this.documents = [], - /** The collection groups affected by this bundle. */ - this.collectionGroups = new Set, this.progress = Oc(t); - } - /** - * Adds an element from the bundle to the loader. - * - * Returns a new progress if adding the element leads to a new progress, - * otherwise returns null. - */ zu(t) { - this.progress.bytesLoaded += t.byteLength; - let e = this.progress.documentsLoaded; - if (t.Gu.namedQuery) this.queries.push(t.Gu.namedQuery); else if (t.Gu.documentMetadata) { - this.documents.push({ - metadata: t.Gu.documentMetadata - }), t.Gu.documentMetadata.exists || ++e; - const n = ut.fromString(t.Gu.documentMetadata.name); - this.collectionGroups.add(n.get(n.length - 2)); - } else t.Gu.document && (this.documents[this.documents.length - 1].document = t.Gu.document, - ++e); - return e !== this.progress.documentsLoaded ? (this.progress.documentsLoaded = e, - Object.assign({}, this.progress)) : null; - } - Wu(t) { - const e = new Map, n = new Mc(this.serializer); - for (const s of t) if (s.metadata.queries) { - const t = n.rr(s.metadata.name); - for (const n of s.metadata.queries) { - const s = (e.get(n) || gs()).add(t); - e.set(n, s); - } - } - return e; - } - /** - * Update the progress to 'Success' and return the updated progress. - */ async complete() { - const t = await mu(this.localStore, new Mc(this.serializer), this.documents, this.ju.id), e = this.Wu(this.documents); - for (const t of this.queries) await gu(this.localStore, t, e.get(t.name)); - return this.progress.taskState = "Success", { - progress: this.progress, - Hu: this.collectionGroups, - Ju: t - }; - } - } - - /** - * Returns a `LoadBundleTaskProgress` representing the initial progress of - * loading a bundle. - */ function Oc(t) { - return { - taskState: "Running", - documentsLoaded: 0, - bytesLoaded: 0, - totalDocuments: t.totalDocuments, - totalBytes: t.totalBytes - }; - } - - /** - * Returns a `LoadBundleTaskProgress` representing the progress that the loading - * has succeeded. - */ - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class Fc { - constructor(t) { - this.key = t; - } - } - - class Bc { - constructor(t) { - this.key = t; - } - } - - /** - * View is responsible for computing the final merged truth of what docs are in - * a query. It gets notified of local and remote changes to docs, and applies - * the query filters and limits to determine the most correct possible results. - */ class Lc { - constructor(t, - /** Documents included in the remote target */ - e) { - this.query = t, this.Yu = e, this.Xu = null, this.hasCachedResults = !1, - /** - * A flag whether the view is current with the backend. A view is considered - * current after it has seen the current flag from the backend and did not - * lose consistency within the watch stream (e.g. because of an existence - * filter mismatch). - */ - this.current = !1, - /** Documents in the view but not in the remote target */ - this.Zu = gs(), - /** Document Keys that have local changes */ - this.mutatedKeys = gs(), this.tc = is(t), this.ec = new Ac(this.tc); - } - /** - * The set of remote documents that the server has told us belongs to the target associated with - * this view. - */ get nc() { - return this.Yu; - } - /** - * Iterates over a set of doc changes, applies the query limit, and computes - * what the new results should be, what the changes were, and whether we may - * need to go back to the local cache for more results. Does not make any - * changes to the view. - * @param docChanges - The doc changes to apply to this view. - * @param previousChanges - If this is being called with a refill, then start - * with this set of docs and changes instead of the current view. - * @returns a new set of docs, changes, and refill flag. - */ sc(t, e) { - const n = e ? e.ic : new vc, s = e ? e.ec : this.ec; - let i = e ? e.mutatedKeys : this.mutatedKeys, r = s, o = !1; - // Track the last doc in a (full) limit. This is necessary, because some - // update (a delete, or an update moving a doc past the old limit) might - // mean there is some other document in the local cache that either should - // come (1) between the old last limit doc and the new last document, in the - // case of updates, or (2) after the new last document, in the case of - // deletes. So we keep this doc at the old limit to compare the updates to. - // Note that this should never get used in a refill (when previousChanges is - // set), because there will only be adds -- no deletes or updates. - const u = "F" /* LimitType.First */ === this.query.limitType && s.size === this.query.limit ? s.last() : null, c = "L" /* LimitType.Last */ === this.query.limitType && s.size === this.query.limit ? s.first() : null; - // Drop documents out to meet limit/limitToLast requirement. - if (t.inorderTraversal(((t, e) => { - const a = s.get(t), h = ns(this.query, e) ? e : null, l = !!a && this.mutatedKeys.has(a.key), f = !!h && (h.hasLocalMutations || - // We only consider committed mutations for documents that were - // mutated during the lifetime of the view. - this.mutatedKeys.has(h.key) && h.hasCommittedMutations); - let d = !1; - // Calculate change - if (a && h) { - a.data.isEqual(h.data) ? l !== f && (n.track({ - type: 3 /* ChangeType.Metadata */ , - doc: h - }), d = !0) : this.rc(a, h) || (n.track({ - type: 2 /* ChangeType.Modified */ , - doc: h - }), d = !0, (u && this.tc(h, u) > 0 || c && this.tc(h, c) < 0) && ( - // This doc moved from inside the limit to outside the limit. - // That means there may be some other doc in the local cache - // that should be included instead. - o = !0)); - } else !a && h ? (n.track({ - type: 0 /* ChangeType.Added */ , - doc: h - }), d = !0) : a && !h && (n.track({ - type: 1 /* ChangeType.Removed */ , - doc: a - }), d = !0, (u || c) && ( - // A doc was removed from a full limit query. We'll need to - // requery from the local cache to see if we know about some other - // doc that should be in the results. - o = !0)); - d && (h ? (r = r.add(h), i = f ? i.add(t) : i.delete(t)) : (r = r.delete(t), i = i.delete(t))); - })), null !== this.query.limit) for (;r.size > this.query.limit; ) { - const t = "F" /* LimitType.First */ === this.query.limitType ? r.last() : r.first(); - r = r.delete(t.key), i = i.delete(t.key), n.track({ - type: 1 /* ChangeType.Removed */ , - doc: t - }); - } - return { - ec: r, - ic: n, - zi: o, - mutatedKeys: i - }; - } - rc(t, e) { - // We suppress the initial change event for documents that were modified as - // part of a write acknowledgment (e.g. when the value of a server transform - // is applied) as Watch will send us the same document again. - // By suppressing the event, we only raise two user visible events (one with - // `hasPendingWrites` and the final state of the document) instead of three - // (one with `hasPendingWrites`, the modified document with - // `hasPendingWrites` and the final state of the document). - return t.hasLocalMutations && e.hasCommittedMutations && !e.hasLocalMutations; - } - /** - * Updates the view with the given ViewDocumentChanges and optionally updates - * limbo docs and sync state from the provided target change. - * @param docChanges - The set of changes to make to the view's docs. - * @param updateLimboDocuments - Whether to update limbo documents based on - * this change. - * @param targetChange - A target change to apply for computing limbo docs and - * sync state. - * @returns A new ViewChange with the given docs, changes, and sync state. - */ - // PORTING NOTE: The iOS/Android clients always compute limbo document changes. - applyChanges(t, e, n) { - const s = this.ec; - this.ec = t.ec, this.mutatedKeys = t.mutatedKeys; - // Sort changes based on type and query comparator - const i = t.ic.xu(); - i.sort(((t, e) => function(t, e) { - const n = t => { - switch (t) { - case 0 /* ChangeType.Added */ : - return 1; - - case 2 /* ChangeType.Modified */ : - case 3 /* ChangeType.Metadata */ : - // A metadata change is converted to a modified change at the public - // api layer. Since we sort by document key and then change type, - // metadata and modified changes must be sorted equivalently. - return 2; - - case 1 /* ChangeType.Removed */ : - return 0; - - default: - return O(); - } - }; - return n(t) - n(e); - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ (t.type, e.type) || this.tc(t.doc, e.doc))), this.oc(n); - const r = e ? this.uc() : [], o = 0 === this.Zu.size && this.current ? 1 /* SyncState.Synced */ : 0 /* SyncState.Local */ , u = o !== this.Xu; - if (this.Xu = o, 0 !== i.length || u) { - return { - snapshot: new Rc(this.query, t.ec, s, i, t.mutatedKeys, 0 /* SyncState.Local */ === o, u, - /* excludesMetadataChanges= */ !1, !!n && n.resumeToken.approximateByteSize() > 0), - cc: r - }; - } - // no changes - return { - cc: r - }; - } - /** - * Applies an OnlineState change to the view, potentially generating a - * ViewChange if the view's syncState changes as a result. - */ Mu(t) { - return this.current && "Offline" /* OnlineState.Offline */ === t ? ( - // If we're offline, set `current` to false and then call applyChanges() - // to refresh our syncState and generate a ViewChange as appropriate. We - // are guaranteed to get a new TargetChange that sets `current` back to - // true once the client is back online. - this.current = !1, this.applyChanges({ - ec: this.ec, - ic: new vc, - mutatedKeys: this.mutatedKeys, - zi: !1 - }, - /* updateLimboDocuments= */ !1)) : { - cc: [] - }; - } - /** - * Returns whether the doc for the given key should be in limbo. - */ ac(t) { - // If the remote end says it's part of this query, it's not in limbo. - return !this.Yu.has(t) && ( - // The local store doesn't think it's a result, so it shouldn't be in limbo. - !!this.ec.has(t) && !this.ec.get(t).hasLocalMutations); - } - /** - * Updates syncedDocuments, current, and limbo docs based on the given change. - * Returns the list of changes to which docs are in limbo. - */ oc(t) { - t && (t.addedDocuments.forEach((t => this.Yu = this.Yu.add(t))), t.modifiedDocuments.forEach((t => {})), - t.removedDocuments.forEach((t => this.Yu = this.Yu.delete(t))), this.current = t.current); - } - uc() { - // We can only determine limbo documents when we're in-sync with the server. - if (!this.current) return []; - // TODO(klimt): Do this incrementally so that it's not quadratic when - // updating many documents. - const t = this.Zu; - this.Zu = gs(), this.ec.forEach((t => { - this.ac(t.key) && (this.Zu = this.Zu.add(t.key)); - })); - // Diff the new limbo docs with the old limbo docs. - const e = []; - return t.forEach((t => { - this.Zu.has(t) || e.push(new Bc(t)); - })), this.Zu.forEach((n => { - t.has(n) || e.push(new Fc(n)); - })), e; - } - /** - * Update the in-memory state of the current view with the state read from - * persistence. - * - * We update the query view whenever a client's primary status changes: - * - When a client transitions from primary to secondary, it can miss - * LocalStorage updates and its query views may temporarily not be - * synchronized with the state on disk. - * - For secondary to primary transitions, the client needs to update the list - * of `syncedDocuments` since secondary clients update their query views - * based purely on synthesized RemoteEvents. - * - * @param queryResult.documents - The documents that match the query according - * to the LocalStore. - * @param queryResult.remoteKeys - The keys of the documents that match the - * query according to the backend. - * - * @returns The ViewChange that resulted from this synchronization. - */ - // PORTING NOTE: Multi-tab only. - hc(t) { - this.Yu = t.ir, this.Zu = gs(); - const e = this.sc(t.documents); - return this.applyChanges(e, /*updateLimboDocuments=*/ !0); - } - /** - * Returns a view snapshot as if this query was just listened to. Contains - * a document add for every existing document and the `fromCache` and - * `hasPendingWrites` status of the already established view. - */ - // PORTING NOTE: Multi-tab only. - lc() { - return Rc.fromInitialDocuments(this.query, this.ec, this.mutatedKeys, 0 /* SyncState.Local */ === this.Xu, this.hasCachedResults); - } - } - - /** - * QueryView contains all of the data that SyncEngine needs to keep track of for - * a particular query. - */ - class qc { - constructor( - /** - * The query itself. - */ - t, - /** - * The target number created by the client that is used in the watch - * stream to identify this query. - */ - e, - /** - * The view is responsible for computing the final merged truth of what - * docs are in the query. It gets notified of local and remote changes, - * and applies the query filters and limits to determine the most correct - * possible results. - */ - n) { - this.query = t, this.targetId = e, this.view = n; - } - } - - /** Tracks a limbo resolution. */ class Uc { - constructor(t) { - this.key = t, - /** - * Set to true once we've received a document. This is used in - * getRemoteKeysForTarget() and ultimately used by WatchChangeAggregator to - * decide whether it needs to manufacture a delete event for the target once - * the target is CURRENT. - */ - this.fc = !1; - } - } - - /** - * An implementation of `SyncEngine` coordinating with other parts of SDK. - * - * The parts of SyncEngine that act as a callback to RemoteStore need to be - * registered individually. This is done in `syncEngineWrite()` and - * `syncEngineListen()` (as well as `applyPrimaryState()`) as these methods - * serve as entry points to RemoteStore's functionality. - * - * Note: some field defined in this class might have public access level, but - * the class is not exported so they are only accessible from this module. - * This is useful to implement optional features (like bundles) in free - * functions, such that they are tree-shakeable. - */ class Kc { - constructor(t, e, n, - // PORTING NOTE: Manages state synchronization in multi-tab environments. - s, i, r) { - this.localStore = t, this.remoteStore = e, this.eventManager = n, this.sharedClientState = s, - this.currentUser = i, this.maxConcurrentLimboResolutions = r, this.dc = {}, this.wc = new os((t => ts(t)), Zn), - this._c = new Map, - /** - * The keys of documents that are in limbo for which we haven't yet started a - * limbo resolution query. The strings in this set are the result of calling - * `key.path.canonicalString()` where `key` is a `DocumentKey` object. - * - * The `Set` type was chosen because it provides efficient lookup and removal - * of arbitrary elements and it also maintains insertion order, providing the - * desired queue-like FIFO semantics. - */ - this.mc = new Set, - /** - * Keeps track of the target ID for each document that is in limbo with an - * active target. - */ - this.gc = new pe(ht.comparator), - /** - * Keeps track of the information about an active limbo resolution for each - * active target ID that was started for the purpose of limbo resolution. - */ - this.yc = new Map, this.Ic = new Oo, - /** Stores user completion handlers, indexed by User and BatchId. */ - this.Tc = {}, - /** Stores user callbacks waiting for all pending writes to be acknowledged. */ - this.Ec = new Map, this.Ac = lo.Mn(), this.onlineState = "Unknown" /* OnlineState.Unknown */ , - // The primary state is set to `true` or `false` immediately after Firestore - // startup. In the interim, a client should only be considered primary if - // `isPrimary` is true. - this.vc = void 0; - } - get isPrimaryClient() { - return !0 === this.vc; - } - } - - /** - * Initiates the new listen, resolves promise when listen enqueued to the - * server. All the subsequent view snapshots or errors are sent to the - * subscribed handlers. Returns the initial snapshot. - */ - async function Gc(t, e) { - const n = pa(t); - let s, i; - const r = n.wc.get(e); - if (r) - // PORTING NOTE: With Multi-Tab Web, it is possible that a query view - // already exists when EventManager calls us for the first time. This - // happens when the primary tab is already listening to this query on - // behalf of another tab and the user of the primary also starts listening - // to the query. EventManager will not have an assigned target ID in this - // case and calls `listen` to obtain this ID. - s = r.targetId, n.sharedClientState.addLocalQueryTarget(s), i = r.view.lc(); else { - const t = await hu(n.localStore, Jn(e)), r = n.sharedClientState.addLocalQueryTarget(t.targetId); - s = t.targetId, i = await Qc(n, e, s, "current" === r, t.resumeToken), n.isPrimaryClient && Hu(n.remoteStore, t); - } - return i; - } - - /** - * Registers a view for a previously unknown query and computes its initial - * snapshot. - */ async function Qc(t, e, n, s, i) { - // PORTING NOTE: On Web only, we inject the code that registers new Limbo - // targets based on view changes. This allows us to only depend on Limbo - // changes when user code includes queries. - t.Rc = (e, n, s) => async function(t, e, n, s) { - let i = e.view.sc(n); - i.zi && ( - // The query has a limit and some docs were removed, so we need - // to re-run the query against the local store to make sure we - // didn't lose any good docs that had been past the limit. - i = await fu(t.localStore, e.query, - /* usePreviousResults= */ !1).then((({documents: t}) => e.view.sc(t, i)))); - const r = s && s.targetChanges.get(e.targetId), o = e.view.applyChanges(i, - /* updateLimboDocuments= */ t.isPrimaryClient, r); - return ia(t, e.targetId, o.cc), o.snapshot; - }(t, e, n, s); - const r = await fu(t.localStore, e, - /* usePreviousResults= */ !0), o = new Lc(e, r.ir), u = o.sc(r.documents), c = gi.createSynthesizedTargetChangeForCurrentChange(n, s && "Offline" /* OnlineState.Offline */ !== t.onlineState, i), a = o.applyChanges(u, - /* updateLimboDocuments= */ t.isPrimaryClient, c); - ia(t, n, a.cc); - const h = new qc(e, n, o); - return t.wc.set(e, h), t._c.has(n) ? t._c.get(n).push(e) : t._c.set(n, [ e ]), a.snapshot; - } - - /** Stops listening to the query. */ async function jc(t, e) { - const n = L(t), s = n.wc.get(e), i = n._c.get(s.targetId); - if (i.length > 1) return n._c.set(s.targetId, i.filter((t => !Zn(t, e)))), void n.wc.delete(e); - // No other queries are mapped to the target, clean up the query and the target. - if (n.isPrimaryClient) { - // We need to remove the local query target first to allow us to verify - // whether any other client is still interested in this target. - n.sharedClientState.removeLocalQueryTarget(s.targetId); - n.sharedClientState.isActiveQueryTarget(s.targetId) || await lu(n.localStore, s.targetId, - /*keepPersistedTargetData=*/ !1).then((() => { - n.sharedClientState.clearQueryState(s.targetId), Ju(n.remoteStore, s.targetId), - na(n, s.targetId); - })).catch(vt); - } else na(n, s.targetId), await lu(n.localStore, s.targetId, - /*keepPersistedTargetData=*/ !0); - } - - /** - * Initiates the write of local mutation batch which involves adding the - * writes to the mutation queue, notifying the remote store about new - * mutations and raising events for any changes this write caused. - * - * The promise returned by this call is resolved when the above steps - * have completed, *not* when the write was acked by the backend. The - * userCallback is resolved once the write was acked/rejected by the - * backend (or failed locally for any other reason). - */ async function zc(t, e, n) { - const s = Ia(t); - try { - const t = await function(t, e) { - const n = L(t), s = it.now(), i = e.reduce(((t, e) => t.add(e.key)), gs()); - let r, o; - return n.persistence.runTransaction("Locally write mutations", "readwrite", (t => { - // Figure out which keys do not have a remote version in the cache, this - // is needed to create the right overlay mutation: if no remote version - // presents, we do not need to create overlays as patch mutations. - // TODO(Overlay): Is there a better way to determine this? Using the - // document version does not work because local mutations set them back - // to 0. - let u = cs(), c = gs(); - return n.Zi.getEntries(t, i).next((t => { - u = t, u.forEach(((t, e) => { - e.isValidDocument() || (c = c.add(t)); - })); - })).next((() => n.localDocuments.getOverlayedDocuments(t, u))).next((i => { - r = i; - // For non-idempotent mutations (such as `FieldValue.increment()`), - // we record the base state in a separate patch mutation. This is - // later used to guarantee consistent values and prevents flicker - // even if the backend sends us an update that already includes our - // transform. - const o = []; - for (const t of e) { - const e = Gs(t, r.get(t.key).overlayedDocument); - null != e && - // NOTE: The base state should only be applied if there's some - // existing document to override, so use a Precondition of - // exists=true - o.push(new zs(t.key, e, cn(e.value.mapValue), Fs.exists(!0))); - } - return n.mutationQueue.addMutationBatch(t, s, o, e); - })).next((e => { - o = e; - const s = e.applyToLocalDocumentSet(r, c); - return n.documentOverlayCache.saveOverlays(t, e.batchId, s); - })); - })).then((() => ({ - batchId: o.batchId, - changes: ls(r) - }))); - }(s.localStore, e); - s.sharedClientState.addPendingMutation(t.batchId), function(t, e, n) { - let s = t.Tc[t.currentUser.toKey()]; - s || (s = new pe(et)); - s = s.insert(e, n), t.Tc[t.currentUser.toKey()] = s; - } - /** - * Resolves or rejects the user callback for the given batch and then discards - * it. - */ (s, t.batchId, n), await ua(s, t.changes), await cc(s.remoteStore); - } catch (t) { - // If we can't persist the mutation, we reject the user callback and - // don't send the mutation. The user can then retry the write. - const e = Ec(t, "Failed to persist write"); - n.reject(e); - } - } - - /** - * Applies one remote event to the sync engine, notifying any views of the - * changes, and releasing any pending mutation batches that would become - * visible because of the snapshot version the remote event contains. - */ async function Wc(t, e) { - const n = L(t); - try { - const t = await uu(n.localStore, e); - // Update `receivedDocument` as appropriate for any limbo targets. - e.targetChanges.forEach(((t, e) => { - const s = n.yc.get(e); - s && ( - // Since this is a limbo resolution lookup, it's for a single document - // and it could be added, modified, or removed, but not a combination. - F(t.addedDocuments.size + t.modifiedDocuments.size + t.removedDocuments.size <= 1), - t.addedDocuments.size > 0 ? s.fc = !0 : t.modifiedDocuments.size > 0 ? F(s.fc) : t.removedDocuments.size > 0 && (F(s.fc), - s.fc = !1)); - })), await ua(n, t, e); - } catch (t) { - await vt(t); - } - } - - /** - * Applies an OnlineState change to the sync engine and notifies any views of - * the change. - */ function Hc(t, e, n) { - const s = L(t); - // If we are the secondary client, we explicitly ignore the remote store's - // online state (the local client may go offline, even though the primary - // tab remains online) and only apply the primary tab's online state from - // SharedClientState. - if (s.isPrimaryClient && 0 /* OnlineStateSource.RemoteStore */ === n || !s.isPrimaryClient && 1 /* OnlineStateSource.SharedClientState */ === n) { - const t = []; - s.wc.forEach(((n, s) => { - const i = s.view.Mu(e); - i.snapshot && t.push(i.snapshot); - })), function(t, e) { - const n = L(t); - n.onlineState = e; - let s = !1; - n.queries.forEach(((t, n) => { - for (const t of n.listeners) - // Run global snapshot listeners if a consistent snapshot has been emitted. - t.Mu(e) && (s = !0); - })), s && xc(n); - }(s.eventManager, e), t.length && s.dc.nu(t), s.onlineState = e, s.isPrimaryClient && s.sharedClientState.setOnlineState(e); - } - } - - /** - * Rejects the listen for the given targetID. This can be triggered by the - * backend for any active target. - * - * @param syncEngine - The sync engine implementation. - * @param targetId - The targetID corresponds to one previously initiated by the - * user as part of TargetData passed to listen() on RemoteStore. - * @param err - A description of the condition that has forced the rejection. - * Nearly always this will be an indication that the user is no longer - * authorized to see the data matching the target. - */ async function Jc(t, e, n) { - const s = L(t); - // PORTING NOTE: Multi-tab only. - s.sharedClientState.updateQueryState(e, "rejected", n); - const i = s.yc.get(e), r = i && i.key; - if (r) { - // TODO(klimt): We really only should do the following on permission - // denied errors, but we don't have the cause code here. - // It's a limbo doc. Create a synthetic event saying it was deleted. - // This is kind of a hack. Ideally, we would have a method in the local - // store to purge a document. However, it would be tricky to keep all of - // the local store's invariants with another method. - let t = new pe(ht.comparator); - // TODO(b/217189216): This limbo document should ideally have a read time, - // so that it is picked up by any read-time based scans. The backend, - // however, does not send a read time for target removals. - t = t.insert(r, an.newNoDocument(r, rt.min())); - const n = gs().add(r), i = new mi(rt.min(), - /* targetChanges= */ new Map, - /* targetMismatches= */ new pe(et), t, n); - await Wc(s, i), - // Since this query failed, we won't want to manually unlisten to it. - // We only remove it from bookkeeping after we successfully applied the - // RemoteEvent. If `applyRemoteEvent()` throws, we want to re-listen to - // this query when the RemoteStore restarts the Watch stream, which should - // re-trigger the target failure. - s.gc = s.gc.remove(r), s.yc.delete(e), oa(s); - } else await lu(s.localStore, e, - /* keepPersistedTargetData */ !1).then((() => na(s, e, n))).catch(vt); - } - - async function Yc(t, e) { - const n = L(t), s = e.batch.batchId; - try { - const t = await ru(n.localStore, e); - // The local store may or may not be able to apply the write result and - // raise events immediately (depending on whether the watcher is caught - // up), so we raise user callbacks first so that they consistently happen - // before listen events. - ea(n, s, /*error=*/ null), ta(n, s), n.sharedClientState.updateMutationState(s, "acknowledged"), - await ua(n, t); - } catch (t) { - await vt(t); - } - } - - async function Xc(t, e, n) { - const s = L(t); - try { - const t = await function(t, e) { - const n = L(t); - return n.persistence.runTransaction("Reject batch", "readwrite-primary", (t => { - let s; - return n.mutationQueue.lookupMutationBatch(t, e).next((e => (F(null !== e), s = e.keys(), - n.mutationQueue.removeMutationBatch(t, e)))).next((() => n.mutationQueue.performConsistencyCheck(t))).next((() => n.documentOverlayCache.removeOverlaysForBatchId(t, s, e))).next((() => n.localDocuments.recalculateAndSaveOverlaysForDocumentKeys(t, s))).next((() => n.localDocuments.getDocuments(t, s))); - })); - } - /** - * Returns the largest (latest) batch id in mutation queue that is pending - * server response. - * - * Returns `BATCHID_UNKNOWN` if the queue is empty. - */ (s.localStore, e); - // The local store may or may not be able to apply the write result and - // raise events immediately (depending on whether the watcher is caught up), - // so we raise user callbacks first so that they consistently happen before - // listen events. - ea(s, e, n), ta(s, e), s.sharedClientState.updateMutationState(e, "rejected", n), - await ua(s, t); - } catch (n) { - await vt(n); - } - } - - /** - * Registers a user callback that resolves when all pending mutations at the moment of calling - * are acknowledged . - */ async function Zc(t, e) { - const n = L(t); - ec(n.remoteStore) || N("SyncEngine", "The network is disabled. The task returned by 'awaitPendingWrites()' will not complete until the network is enabled."); - try { - const t = await function(t) { - const e = L(t); - return e.persistence.runTransaction("Get highest unacknowledged batch id", "readonly", (t => e.mutationQueue.getHighestUnacknowledgedBatchId(t))); - }(n.localStore); - if (-1 === t) - // Trigger the callback right away if there is no pending writes at the moment. - return void e.resolve(); - const s = n.Ec.get(t) || []; - s.push(e), n.Ec.set(t, s); - } catch (t) { - const n = Ec(t, "Initialization of waitForPendingWrites() operation failed"); - e.reject(n); - } - } - - /** - * Triggers the callbacks that are waiting for this batch id to get acknowledged by server, - * if there are any. - */ function ta(t, e) { - (t.Ec.get(e) || []).forEach((t => { - t.resolve(); - })), t.Ec.delete(e); - } - - /** Reject all outstanding callbacks waiting for pending writes to complete. */ function ea(t, e, n) { - const s = L(t); - let i = s.Tc[s.currentUser.toKey()]; - // NOTE: Mutations restored from persistence won't have callbacks, so it's - // okay for there to be no callback for this ID. - if (i) { - const t = i.get(e); - t && (n ? t.reject(n) : t.resolve(), i = i.remove(e)), s.Tc[s.currentUser.toKey()] = i; - } - } - - function na(t, e, n = null) { - t.sharedClientState.removeLocalQueryTarget(e); - for (const s of t._c.get(e)) t.wc.delete(s), n && t.dc.Pc(s, n); - if (t._c.delete(e), t.isPrimaryClient) { - t.Ic.Is(e).forEach((e => { - t.Ic.containsKey(e) || - // We removed the last reference for this key - sa(t, e); - })); - } - } - - function sa(t, e) { - t.mc.delete(e.path.canonicalString()); - // It's possible that the target already got removed because the query failed. In that case, - // the key won't exist in `limboTargetsByKey`. Only do the cleanup if we still have the target. - const n = t.gc.get(e); - null !== n && (Ju(t.remoteStore, n), t.gc = t.gc.remove(e), t.yc.delete(n), oa(t)); - } - - function ia(t, e, n) { - for (const s of n) if (s instanceof Fc) t.Ic.addReference(s.key, e), ra(t, s); else if (s instanceof Bc) { - N("SyncEngine", "Document no longer in limbo: " + s.key), t.Ic.removeReference(s.key, e); - t.Ic.containsKey(s.key) || - // We removed the last reference for this key - sa(t, s.key); - } else O(); - } - - function ra(t, e) { - const n = e.key, s = n.path.canonicalString(); - t.gc.get(n) || t.mc.has(s) || (N("SyncEngine", "New document in limbo: " + n), t.mc.add(s), - oa(t)); - } - - /** - * Starts listens for documents in limbo that are enqueued for resolution, - * subject to a maximum number of concurrent resolutions. - * - * Without bounding the number of concurrent resolutions, the server can fail - * with "resource exhausted" errors which can lead to pathological client - * behavior as seen in https://github.com/firebase/firebase-js-sdk/issues/2683. - */ function oa(t) { - for (;t.mc.size > 0 && t.gc.size < t.maxConcurrentLimboResolutions; ) { - const e = t.mc.values().next().value; - t.mc.delete(e); - const n = new ht(ut.fromString(e)), s = t.Ac.next(); - t.yc.set(s, new Uc(n)), t.gc = t.gc.insert(n, s), Hu(t.remoteStore, new cr(Jn(Gn(n.path)), s, "TargetPurposeLimboResolution" /* TargetPurpose.LimboResolution */ , Ot.ct)); - } - } - - async function ua(t, e, n) { - const s = L(t), i = [], r = [], o = []; - s.wc.isEmpty() || (s.wc.forEach(((t, u) => { - o.push(s.Rc(u, e, n).then((t => { - // Update views if there are actual changes. - if ( - // If there are changes, or we are handling a global snapshot, notify - // secondary clients to update query state. - (t || n) && s.isPrimaryClient && s.sharedClientState.updateQueryState(u.targetId, (null == t ? void 0 : t.fromCache) ? "not-current" : "current"), - t) { - i.push(t); - const e = tu.Li(u.targetId, t); - r.push(e); - } - }))); - })), await Promise.all(o), s.dc.nu(i), await async function(t, e) { - const n = L(t); - try { - await n.persistence.runTransaction("notifyLocalViewChanges", "readwrite", (t => Rt.forEach(e, (e => Rt.forEach(e.Fi, (s => n.persistence.referenceDelegate.addReference(t, e.targetId, s))).next((() => Rt.forEach(e.Bi, (s => n.persistence.referenceDelegate.removeReference(t, e.targetId, s))))))))); - } catch (t) { - if (!Dt(t)) throw t; - // If `notifyLocalViewChanges` fails, we did not advance the sequence - // number for the documents that were included in this transaction. - // This might trigger them to be deleted earlier than they otherwise - // would have, but it should not invalidate the integrity of the data. - N("LocalStore", "Failed to update sequence numbers: " + t); - } - for (const t of e) { - const e = t.targetId; - if (!t.fromCache) { - const t = n.Ji.get(e), s = t.snapshotVersion, i = t.withLastLimboFreeSnapshotVersion(s); - // Advance the last limbo free snapshot version - n.Ji = n.Ji.insert(e, i); - } - } - }(s.localStore, r)); - } - - async function ca(t, e) { - const n = L(t); - if (!n.currentUser.isEqual(e)) { - N("SyncEngine", "User change. New user:", e.toKey()); - const t = await iu(n.localStore, e); - n.currentUser = e, - // Fails tasks waiting for pending writes requested by previous user. - function(t, e) { - t.Ec.forEach((t => { - t.forEach((t => { - t.reject(new U(q.CANCELLED, e)); - })); - })), t.Ec.clear(); - }(n, "'waitForPendingWrites' promise is rejected due to a user change."), - // TODO(b/114226417): Consider calling this only in the primary tab. - n.sharedClientState.handleUserChange(e, t.removedBatchIds, t.addedBatchIds), await ua(n, t.er); - } - } - - function aa(t, e) { - const n = L(t), s = n.yc.get(e); - if (s && s.fc) return gs().add(s.key); - { - let t = gs(); - const s = n._c.get(e); - if (!s) return t; - for (const e of s) { - const s = n.wc.get(e); - t = t.unionWith(s.view.nc); - } - return t; - } - } - - /** - * Reconcile the list of synced documents in an existing view with those - * from persistence. - */ async function ha(t, e) { - const n = L(t), s = await fu(n.localStore, e.query, - /* usePreviousResults= */ !0), i = e.view.hc(s); - return n.isPrimaryClient && ia(n, e.targetId, i.cc), i; - } - - /** - * Retrieves newly changed documents from remote document cache and raises - * snapshots if needed. - */ - // PORTING NOTE: Multi-Tab only. - async function la(t, e) { - const n = L(t); - return wu(n.localStore, e).then((t => ua(n, t))); - } - - /** Applies a mutation state to an existing batch. */ - // PORTING NOTE: Multi-Tab only. - async function fa(t, e, n, s) { - const i = L(t), r = await function(t, e) { - const n = L(t), s = L(n.mutationQueue); - return n.persistence.runTransaction("Lookup mutation documents", "readonly", (t => s.Sn(t, e).next((e => e ? n.localDocuments.getDocuments(t, e) : Rt.resolve(null))))); - } - // PORTING NOTE: Multi-Tab only. - (i.localStore, e); - null !== r ? ("pending" === n ? - // If we are the primary client, we need to send this write to the - // backend. Secondary clients will ignore these writes since their remote - // connection is disabled. - await cc(i.remoteStore) : "acknowledged" === n || "rejected" === n ? ( - // NOTE: Both these methods are no-ops for batches that originated from - // other clients. - ea(i, e, s || null), ta(i, e), function(t, e) { - L(L(t).mutationQueue).Cn(e); - } - // PORTING NOTE: Multi-Tab only. - (i.localStore, e)) : O(), await ua(i, r)) : - // A throttled tab may not have seen the mutation before it was completed - // and removed from the mutation queue, in which case we won't have cached - // the affected documents. In this case we can safely ignore the update - // since that means we didn't apply the mutation locally at all (if we - // had, we would have cached the affected documents), and so we will just - // see any resulting document changes via normal remote document updates - // as applicable. - N("SyncEngine", "Cannot apply mutation batch with id: " + e); - } - - /** Applies a query target change from a different tab. */ - // PORTING NOTE: Multi-Tab only. - async function da(t, e) { - const n = L(t); - if (pa(n), Ia(n), !0 === e && !0 !== n.vc) { - // Secondary tabs only maintain Views for their local listeners and the - // Views internal state may not be 100% populated (in particular - // secondary tabs don't track syncedDocuments, the set of documents the - // server considers to be in the target). So when a secondary becomes - // primary, we need to need to make sure that all views for all targets - // match the state on disk. - const t = n.sharedClientState.getAllActiveQueryTargets(), e = await wa(n, t.toArray()); - n.vc = !0, await yc(n.remoteStore, !0); - for (const t of e) Hu(n.remoteStore, t); - } else if (!1 === e && !1 !== n.vc) { - const t = []; - let e = Promise.resolve(); - n._c.forEach(((s, i) => { - n.sharedClientState.isLocalQueryTarget(i) ? t.push(i) : e = e.then((() => (na(n, i), - lu(n.localStore, i, - /*keepPersistedTargetData=*/ !0)))), Ju(n.remoteStore, i); - })), await e, await wa(n, t), - // PORTING NOTE: Multi-Tab only. - function(t) { - const e = L(t); - e.yc.forEach(((t, n) => { - Ju(e.remoteStore, n); - })), e.Ic.Ts(), e.yc = new Map, e.gc = new pe(ht.comparator); - } - /** - * Reconcile the query views of the provided query targets with the state from - * persistence. Raises snapshots for any changes that affect the local - * client and returns the updated state of all target's query data. - * - * @param syncEngine - The sync engine implementation - * @param targets - the list of targets with views that need to be recomputed - * @param transitionToPrimary - `true` iff the tab transitions from a secondary - * tab to a primary tab - */ - // PORTING NOTE: Multi-Tab only. - (n), n.vc = !1, await yc(n.remoteStore, !1); - } - } - - async function wa(t, e, n) { - const s = L(t), i = [], r = []; - for (const t of e) { - let e; - const n = s._c.get(t); - if (n && 0 !== n.length) { - // For queries that have a local View, we fetch their current state - // from LocalStore (as the resume token and the snapshot version - // might have changed) and reconcile their views with the persisted - // state (the list of syncedDocuments may have gotten out of sync). - e = await hu(s.localStore, Jn(n[0])); - for (const t of n) { - const e = s.wc.get(t), n = await ha(s, e); - n.snapshot && r.push(n.snapshot); - } - } else { - // For queries that never executed on this client, we need to - // allocate the target in LocalStore and initialize a new View. - const n = await du(s.localStore, t); - e = await hu(s.localStore, n), await Qc(s, _a(n), t, - /*current=*/ !1, e.resumeToken); - } - i.push(e); - } - return s.dc.nu(r), i; - } - - /** - * Creates a `Query` object from the specified `Target`. There is no way to - * obtain the original `Query`, so we synthesize a `Query` from the `Target` - * object. - * - * The synthesized result might be different from the original `Query`, but - * since the synthesized `Query` should return the same results as the - * original one (only the presentation of results might differ), the potential - * difference will not cause issues. - */ - // PORTING NOTE: Multi-Tab only. - function _a(t) { - return Kn(t.path, t.collectionGroup, t.orderBy, t.filters, t.limit, "F" /* LimitType.First */ , t.startAt, t.endAt); - } - - /** Returns the IDs of the clients that are currently active. */ - // PORTING NOTE: Multi-Tab only. - function ma(t) { - const e = L(t); - return L(L(e.localStore).persistence).$i(); - } - - /** Applies a query target change from a different tab. */ - // PORTING NOTE: Multi-Tab only. - async function ga$1(t, e, n, s) { - const i = L(t); - if (i.vc) - // If we receive a target state notification via WebStorage, we are - // either already secondary or another tab has taken the primary lease. - return void N("SyncEngine", "Ignoring unexpected query state notification."); - const r = i._c.get(e); - if (r && r.length > 0) switch (n) { - case "current": - case "not-current": - { - const t = await wu(i.localStore, ss(r[0])), s = mi.createSynthesizedRemoteEventForCurrentChange(e, "current" === n, Ve.EMPTY_BYTE_STRING); - await ua(i, t, s); - break; - } - - case "rejected": - await lu(i.localStore, e, - /* keepPersistedTargetData */ !0), na(i, e, s); - break; - - default: - O(); - } - } - - /** Adds or removes Watch targets for queries from different tabs. */ async function ya(t, e, n) { - const s = pa(t); - if (s.vc) { - for (const t of e) { - if (s._c.has(t)) { - // A target might have been added in a previous attempt - N("SyncEngine", "Adding an already active target " + t); - continue; - } - const e = await du(s.localStore, t), n = await hu(s.localStore, e); - await Qc(s, _a(e), n.targetId, - /*current=*/ !1, n.resumeToken), Hu(s.remoteStore, n); - } - for (const t of n) - // Check that the target is still active since the target might have been - // removed if it has been rejected by the backend. - s._c.has(t) && - // Release queries that are still active. - await lu(s.localStore, t, - /* keepPersistedTargetData */ !1).then((() => { - Ju(s.remoteStore, t), na(s, t); - })).catch(vt); - } - } - - function pa(t) { - const e = L(t); - return e.remoteStore.remoteSyncer.applyRemoteEvent = Wc.bind(null, e), e.remoteStore.remoteSyncer.getRemoteKeysForTarget = aa.bind(null, e), - e.remoteStore.remoteSyncer.rejectListen = Jc.bind(null, e), e.dc.nu = Dc.bind(null, e.eventManager), - e.dc.Pc = Cc.bind(null, e.eventManager), e; - } - - function Ia(t) { - const e = L(t); - return e.remoteStore.remoteSyncer.applySuccessfulWrite = Yc.bind(null, e), e.remoteStore.remoteSyncer.rejectFailedWrite = Xc.bind(null, e), - e; - } - - /** - * Loads a Firestore bundle into the SDK. The returned promise resolves when - * the bundle finished loading. - * - * @param syncEngine - SyncEngine to use. - * @param bundleReader - Bundle to load into the SDK. - * @param task - LoadBundleTask used to update the loading progress to public API. - */ function Ta(t, e, n) { - const s = L(t); - // eslint-disable-next-line @typescript-eslint/no-floating-promises - ( - /** Loads a bundle and returns the list of affected collection groups. */ - async function(t, e, n) { - try { - const s = await e.getMetadata(); - if (await function(t, e) { - const n = L(t), s = Ni(e.createTime); - return n.persistence.runTransaction("hasNewerBundle", "readonly", (t => n.qs.getBundleMetadata(t, e.id))).then((t => !!t && t.createTime.compareTo(s) >= 0)); - } - /** - * Saves the given `BundleMetadata` to local persistence. - */ (t.localStore, s)) return await e.close(), n._completeWith(function(t) { - return { - taskState: "Success", - documentsLoaded: t.totalDocuments, - bytesLoaded: t.totalBytes, - totalDocuments: t.totalDocuments, - totalBytes: t.totalBytes - }; - }(s)), Promise.resolve(new Set); - n._updateProgress(Oc(s)); - const i = new $c(s, t.localStore, e.serializer); - let r = await e.bc(); - for (;r; ) { - const t = await i.zu(r); - t && n._updateProgress(t), r = await e.bc(); - } - const o = await i.complete(); - return await ua(t, o.Ju, - /* remoteEvent */ void 0), - // Save metadata, so loading the same bundle will skip. - await function(t, e) { - const n = L(t); - return n.persistence.runTransaction("Save bundle", "readwrite", (t => n.qs.saveBundleMetadata(t, e))); - } - /** - * Returns a promise of a `NamedQuery` associated with given query name. Promise - * resolves to undefined if no persisted data can be found. - */ (t.localStore, s), n._completeWith(o.progress), Promise.resolve(o.Hu); - } catch (t) { - return M("SyncEngine", `Loading bundle failed with ${t}`), n._failWith(t), Promise.resolve(new Set); - } - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Provides all components needed for Firestore with in-memory persistence. - * Uses EagerGC garbage collection. - */)(s, e, n).then((t => { - s.sharedClientState.notifyBundleLoaded(t); - })); - } - - class Ea { - constructor() { - this.synchronizeTabs = !1; - } - async initialize(t) { - this.serializer = Fu(t.databaseInfo.databaseId), this.sharedClientState = this.createSharedClientState(t), - this.persistence = this.createPersistence(t), await this.persistence.start(), this.localStore = this.createLocalStore(t), - this.gcScheduler = this.createGarbageCollectionScheduler(t, this.localStore), this.indexBackfillerScheduler = this.createIndexBackfillerScheduler(t, this.localStore); - } - createGarbageCollectionScheduler(t, e) { - return null; - } - createIndexBackfillerScheduler(t, e) { - return null; - } - createLocalStore(t) { - return su(this.persistence, new eu, t.initialUser, this.serializer); - } - createPersistence(t) { - return new Ko(Qo.zs, this.serializer); - } - createSharedClientState(t) { - return new bu; - } - async terminate() { - this.gcScheduler && this.gcScheduler.stop(), await this.sharedClientState.shutdown(), - await this.persistence.shutdown(); - } - } - - /** - * Provides all components needed for Firestore with IndexedDB persistence. - */ class va extends Ea { - constructor(t, e, n) { - super(), this.Vc = t, this.cacheSizeBytes = e, this.forceOwnership = n, this.synchronizeTabs = !1; - } - async initialize(t) { - await super.initialize(t), await this.Vc.initialize(this, t), - // Enqueue writes from a previous session - await Ia(this.Vc.syncEngine), await cc(this.Vc.remoteStore), - // NOTE: This will immediately call the listener, so we make sure to - // set it after localStore / remoteStore are started. - await this.persistence.Ii((() => (this.gcScheduler && !this.gcScheduler.started && this.gcScheduler.start(), - this.indexBackfillerScheduler && !this.indexBackfillerScheduler.started && this.indexBackfillerScheduler.start(), - Promise.resolve()))); - } - createLocalStore(t) { - return su(this.persistence, new eu, t.initialUser, this.serializer); - } - createGarbageCollectionScheduler(t, e) { - const n = this.persistence.referenceDelegate.garbageCollector; - return new po(n, t.asyncQueue, e); - } - createIndexBackfillerScheduler(t, e) { - const n = new $t(e, this.persistence); - return new Mt(t.asyncQueue, n); - } - createPersistence(t) { - const e = Zo(t.databaseInfo.databaseId, t.databaseInfo.persistenceKey), n = void 0 !== this.cacheSizeBytes ? so.withCacheSize(this.cacheSizeBytes) : so.DEFAULT; - return new Jo(this.synchronizeTabs, e, t.clientId, n, t.asyncQueue, $u(), Ou(), this.serializer, this.sharedClientState, !!this.forceOwnership); - } - createSharedClientState(t) { - return new bu; - } - } - - /** - * Provides all components needed for Firestore with multi-tab IndexedDB - * persistence. - * - * In the legacy client, this provider is used to provide both multi-tab and - * non-multi-tab persistence since we cannot tell at build time whether - * `synchronizeTabs` will be enabled. - */ class Ra extends va { - constructor(t, e) { - super(t, e, /* forceOwnership= */ !1), this.Vc = t, this.cacheSizeBytes = e, this.synchronizeTabs = !0; - } - async initialize(t) { - await super.initialize(t); - const e = this.Vc.syncEngine; - this.sharedClientState instanceof Pu && (this.sharedClientState.syncEngine = { - jr: fa.bind(null, e), - zr: ga$1.bind(null, e), - Wr: ya.bind(null, e), - $i: ma.bind(null, e), - Qr: la.bind(null, e) - }, await this.sharedClientState.start()), - // NOTE: This will immediately call the listener, so we make sure to - // set it after localStore / remoteStore are started. - await this.persistence.Ii((async t => { - await da(this.Vc.syncEngine, t), this.gcScheduler && (t && !this.gcScheduler.started ? this.gcScheduler.start() : t || this.gcScheduler.stop()), - this.indexBackfillerScheduler && (t && !this.indexBackfillerScheduler.started ? this.indexBackfillerScheduler.start() : t || this.indexBackfillerScheduler.stop()); - })); - } - createSharedClientState(t) { - const e = $u(); - if (!Pu.D(e)) throw new U(q.UNIMPLEMENTED, "IndexedDB persistence is only available on platforms that support LocalStorage."); - const n = Zo(t.databaseInfo.databaseId, t.databaseInfo.persistenceKey); - return new Pu(e, t.asyncQueue, n, t.clientId, t.initialUser); - } - } - - /** - * Initializes and wires the components that are needed to interface with the - * network. - */ class Pa { - async initialize(t, e) { - this.localStore || (this.localStore = t.localStore, this.sharedClientState = t.sharedClientState, - this.datastore = this.createDatastore(e), this.remoteStore = this.createRemoteStore(e), - this.eventManager = this.createEventManager(e), this.syncEngine = this.createSyncEngine(e, - /* startAsPrimary=*/ !t.synchronizeTabs), this.sharedClientState.onlineStateHandler = t => Hc(this.syncEngine, t, 1 /* OnlineStateSource.SharedClientState */), - this.remoteStore.remoteSyncer.handleCredentialChange = ca.bind(null, this.syncEngine), - await yc(this.remoteStore, this.syncEngine.isPrimaryClient)); - } - createEventManager(t) { - return new bc; - } - createDatastore(t) { - const e = Fu(t.databaseInfo.databaseId), n = (s = t.databaseInfo, new Mu(s)); - var s; - /** Return the Platform-specific connectivity monitor. */ return function(t, e, n, s) { - return new Ku(t, e, n, s); - }(t.authCredentials, t.appCheckCredentials, n, e); - } - createRemoteStore(t) { - return e = this.localStore, n = this.datastore, s = t.asyncQueue, i = t => Hc(this.syncEngine, t, 0 /* OnlineStateSource.RemoteStore */), - r = Su.D() ? new Su : new Vu, new ju(e, n, s, i, r); - var e, n, s, i, r; - /** Re-enables the network. Idempotent. */ } - createSyncEngine(t, e) { - return function(t, e, n, - // PORTING NOTE: Manages state synchronization in multi-tab environments. - s, i, r, o) { - const u = new Kc(t, e, n, s, i, r); - return o && (u.vc = !0), u; - }(this.localStore, this.remoteStore, this.eventManager, this.sharedClientState, t.initialUser, t.maxConcurrentLimboResolutions, e); - } - terminate() { - return async function(t) { - const e = L(t); - N("RemoteStore", "RemoteStore shutting down."), e.vu.add(5 /* OfflineCause.Shutdown */), - await Wu(e), e.Pu.shutdown(), - // Set the OnlineState to Unknown (rather than Offline) to avoid potentially - // triggering spurious listener events with cached data, etc. - e.bu.set("Unknown" /* OnlineState.Unknown */); - }(this.remoteStore); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * How many bytes to read each time when `ReadableStreamReader.read()` is - * called. Only applicable for byte streams that we control (e.g. those backed - * by an UInt8Array). - */ - /** - * Builds a `ByteStreamReader` from a UInt8Array. - * @param source - The data source to use. - * @param bytesPerRead - How many bytes each `read()` from the returned reader - * will read. - */ - function ba(t, e = 10240) { - let n = 0; - // The TypeScript definition for ReadableStreamReader changed. We use - // `any` here to allow this code to compile with different versions. - // See https://github.com/microsoft/TypeScript/issues/42970 - // eslint-disable-next-line @typescript-eslint/no-explicit-any - return { - // eslint-disable-next-line @typescript-eslint/no-explicit-any - async read() { - if (n < t.byteLength) { - const s = { - value: t.slice(n, n + e), - done: !1 - }; - return n += e, s; - } - return { - done: !0 - }; - }, - async cancel() {}, - releaseLock() {}, - closed: Promise.resolve() - }; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * On web, a `ReadableStream` is wrapped around by a `ByteStreamReader`. - */ - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /* - * A wrapper implementation of Observer that will dispatch events - * asynchronously. To allow immediate silencing, a mute call is added which - * causes events scheduled to no longer be raised. - */ - class Va { - constructor(t) { - this.observer = t, - /** - * When set to true, will not raise future events. Necessary to deal with - * async detachment of listener. - */ - this.muted = !1; - } - next(t) { - this.observer.next && this.Sc(this.observer.next, t); - } - error(t) { - this.observer.error ? this.Sc(this.observer.error, t) : k("Uncaught Error in snapshot listener:", t.toString()); - } - Dc() { - this.muted = !0; - } - Sc(t, e) { - this.muted || setTimeout((() => { - this.muted || t(e); - }), 0); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A class representing a bundle. - * - * Takes a bundle stream or buffer, and presents abstractions to read bundled - * elements out of the underlying content. - */ class Sa { - constructor( - /** The reader to read from underlying binary bundle data source. */ - t, e) { - this.Cc = t, this.serializer = e, - /** Cached bundle metadata. */ - this.metadata = new K, - /** - * Internal buffer to hold bundle content, accumulating incomplete element - * content. - */ - this.buffer = new Uint8Array, this.xc = new TextDecoder("utf-8"), - // Read the metadata (which is the first element). - this.Nc().then((t => { - t && t.Qu() ? this.metadata.resolve(t.Gu.metadata) : this.metadata.reject(new Error(`The first element of the bundle is not a metadata, it is\n ${JSON.stringify(null == t ? void 0 : t.Gu)}`)); - }), (t => this.metadata.reject(t))); - } - close() { - return this.Cc.cancel(); - } - async getMetadata() { - return this.metadata.promise; - } - async bc() { - // Makes sure metadata is read before proceeding. - return await this.getMetadata(), this.Nc(); - } - /** - * Reads from the head of internal buffer, and pulling more data from - * underlying stream if a complete element cannot be found, until an - * element(including the prefixed length and the JSON string) is found. - * - * Once a complete element is read, it is dropped from internal buffer. - * - * Returns either the bundled element, or null if we have reached the end of - * the stream. - */ async Nc() { - const t = await this.kc(); - if (null === t) return null; - const e = this.xc.decode(t), n = Number(e); - isNaN(n) && this.Mc(`length string (${e}) is not valid number`); - const s = await this.$c(n); - return new kc(JSON.parse(s), t.length + n); - } - /** First index of '{' from the underlying buffer. */ Oc() { - return this.buffer.findIndex((t => t === "{".charCodeAt(0))); - } - /** - * Reads from the beginning of the internal buffer, until the first '{', and - * return the content. - * - * If reached end of the stream, returns a null. - */ async kc() { - for (;this.Oc() < 0; ) { - if (await this.Fc()) break; - } - // Broke out of the loop because underlying stream is closed, and there - // happens to be no more data to process. - if (0 === this.buffer.length) return null; - const t = this.Oc(); - // Broke out of the loop because underlying stream is closed, but still - // cannot find an open bracket. - t < 0 && this.Mc("Reached the end of bundle when a length string is expected."); - const e = this.buffer.slice(0, t); - // Update the internal buffer to drop the read length. - return this.buffer = this.buffer.slice(t), e; - } - /** - * Reads from a specified position from the internal buffer, for a specified - * number of bytes, pulling more data from the underlying stream if needed. - * - * Returns a string decoded from the read bytes. - */ async $c(t) { - for (;this.buffer.length < t; ) { - await this.Fc() && this.Mc("Reached the end of bundle when more is expected."); - } - const e = this.xc.decode(this.buffer.slice(0, t)); - // Update the internal buffer to drop the read json string. - return this.buffer = this.buffer.slice(t), e; - } - Mc(t) { - // eslint-disable-next-line @typescript-eslint/no-floating-promises - throw this.Cc.cancel(), new Error(`Invalid bundle format: ${t}`); - } - /** - * Pulls more data from underlying stream to internal buffer. - * Returns a boolean indicating whether the stream is finished. - */ async Fc() { - const t = await this.Cc.read(); - if (!t.done) { - const e = new Uint8Array(this.buffer.length + t.value.length); - e.set(this.buffer), e.set(t.value, this.buffer.length), this.buffer = e; - } - return t.done; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Internal transaction object responsible for accumulating the mutations to - * perform and the base versions for any documents read. - */ - class Da { - constructor(t) { - this.datastore = t, - // The version of each document that was read during this transaction. - this.readVersions = new Map, this.mutations = [], this.committed = !1, - /** - * A deferred usage error that occurred previously in this transaction that - * will cause the transaction to fail once it actually commits. - */ - this.lastWriteError = null, - /** - * Set of documents that have been written in the transaction. - * - * When there's more than one write to the same key in a transaction, any - * writes after the first are handled differently. - */ - this.writtenDocs = new Set; - } - async lookup(t) { - if (this.ensureCommitNotCalled(), this.mutations.length > 0) throw new U(q.INVALID_ARGUMENT, "Firestore transactions require all reads to be executed before all writes."); - const e = await async function(t, e) { - const n = L(t), s = Li(n.serializer) + "/documents", i = { - documents: e.map((t => $i(n.serializer, t))) - }, r = await n.vo("BatchGetDocuments", s, i, e.length), o = new Map; - r.forEach((t => { - const e = Gi(n.serializer, t); - o.set(e.key.toString(), e); - })); - const u = []; - return e.forEach((t => { - const e = o.get(t.toString()); - F(!!e), u.push(e); - })), u; - }(this.datastore, t); - return e.forEach((t => this.recordVersion(t))), e; - } - set(t, e) { - this.write(e.toMutation(t, this.precondition(t))), this.writtenDocs.add(t.toString()); - } - update(t, e) { - try { - this.write(e.toMutation(t, this.preconditionForUpdate(t))); - } catch (t) { - this.lastWriteError = t; - } - this.writtenDocs.add(t.toString()); - } - delete(t) { - this.write(new Ys(t, this.precondition(t))), this.writtenDocs.add(t.toString()); - } - async commit() { - if (this.ensureCommitNotCalled(), this.lastWriteError) throw this.lastWriteError; - const t = this.readVersions; - // For each mutation, note that the doc was written. - this.mutations.forEach((e => { - t.delete(e.key.toString()); - })), - // For each document that was read but not written to, we want to perform - // a `verify` operation. - t.forEach(((t, e) => { - const n = ht.fromPath(e); - this.mutations.push(new Xs(n, this.precondition(n))); - })), await async function(t, e) { - const n = L(t), s = Li(n.serializer) + "/documents", i = { - writes: e.map((t => ji(n.serializer, t))) - }; - await n.Io("Commit", s, i); - }(this.datastore, this.mutations), this.committed = !0; - } - recordVersion(t) { - let e; - if (t.isFoundDocument()) e = t.version; else { - if (!t.isNoDocument()) throw O(); - // Represent a deleted doc using SnapshotVersion.min(). - e = rt.min(); - } - const n = this.readVersions.get(t.key.toString()); - if (n) { - if (!e.isEqual(n)) - // This transaction will fail no matter what. - throw new U(q.ABORTED, "Document version changed between two reads."); - } else this.readVersions.set(t.key.toString(), e); - } - /** - * Returns the version of this document when it was read in this transaction, - * as a precondition, or no precondition if it was not read. - */ precondition(t) { - const e = this.readVersions.get(t.toString()); - return !this.writtenDocs.has(t.toString()) && e ? e.isEqual(rt.min()) ? Fs.exists(!1) : Fs.updateTime(e) : Fs.none(); - } - /** - * Returns the precondition for a document if the operation is an update. - */ preconditionForUpdate(t) { - const e = this.readVersions.get(t.toString()); - // The first time a document is written, we want to take into account the - // read time and existence - if (!this.writtenDocs.has(t.toString()) && e) { - if (e.isEqual(rt.min())) - // The document doesn't exist, so fail the transaction. - // This has to be validated locally because you can't send a - // precondition that a document does not exist without changing the - // semantics of the backend write to be an insert. This is the reverse - // of what we want, since we want to assert that the document doesn't - // exist but then send the update and have it fail. Since we can't - // express that to the backend, we have to validate locally. - // Note: this can change once we can send separate verify writes in the - // transaction. - throw new U(q.INVALID_ARGUMENT, "Can't update a document that doesn't exist."); - // Document exists, base precondition on document update time. - return Fs.updateTime(e); - } - // Document was not read, so we just use the preconditions for a blind - // update. - return Fs.exists(!0); - } - write(t) { - this.ensureCommitNotCalled(), this.mutations.push(t); - } - ensureCommitNotCalled() {} - } - - /** - * @license - * Copyright 2019 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * TransactionRunner encapsulates the logic needed to run and retry transactions - * with backoff. - */ class Ca { - constructor(t, e, n, s, i) { - this.asyncQueue = t, this.datastore = e, this.options = n, this.updateFunction = s, - this.deferred = i, this.Bc = n.maxAttempts, this.qo = new Bu(this.asyncQueue, "transaction_retry" /* TimerId.TransactionRetry */); - } - /** Runs the transaction and sets the result on deferred. */ run() { - this.Bc -= 1, this.Lc(); - } - Lc() { - this.qo.No((async () => { - const t = new Da(this.datastore), e = this.qc(t); - e && e.then((e => { - this.asyncQueue.enqueueAndForget((() => t.commit().then((() => { - this.deferred.resolve(e); - })).catch((t => { - this.Uc(t); - })))); - })).catch((t => { - this.Uc(t); - })); - })); - } - qc(t) { - try { - const e = this.updateFunction(t); - return !Ft(e) && e.catch && e.then ? e : (this.deferred.reject(Error("Transaction callback must return a Promise")), - null); - } catch (t) { - // Do not retry errors thrown by user provided updateFunction. - return this.deferred.reject(t), null; - } - } - Uc(t) { - this.Bc > 0 && this.Kc(t) ? (this.Bc -= 1, this.asyncQueue.enqueueAndForget((() => (this.Lc(), - Promise.resolve())))) : this.deferred.reject(t); - } - Kc(t) { - if ("FirebaseError" === t.name) { - // In transactions, the backend will fail outdated reads with FAILED_PRECONDITION and - // non-matching document versions with ABORTED. These errors should be retried. - const e = t.code; - return "aborted" === e || "failed-precondition" === e || "already-exists" === e || !oi(e); - } - return !1; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * FirestoreClient is a top-level class that constructs and owns all of the // - * pieces of the client SDK architecture. It is responsible for creating the // - * async queue that is shared by all of the other components in the system. // - */ - class xa { - constructor(t, e, - /** - * Asynchronous queue responsible for all of our internal processing. When - * we get incoming work from the user (via public API) or the network - * (incoming GRPC messages), we should always schedule onto this queue. - * This ensures all of our work is properly serialized (e.g. we don't - * start processing a new operation while the previous one is waiting for - * an async I/O to complete). - */ - n, s) { - this.authCredentials = t, this.appCheckCredentials = e, this.asyncQueue = n, this.databaseInfo = s, - this.user = V.UNAUTHENTICATED, this.clientId = tt.A(), this.authCredentialListener = () => Promise.resolve(), - this.appCheckCredentialListener = () => Promise.resolve(), this.authCredentials.start(n, (async t => { - N("FirestoreClient", "Received user=", t.uid), await this.authCredentialListener(t), - this.user = t; - })), this.appCheckCredentials.start(n, (t => (N("FirestoreClient", "Received new app check token=", t), - this.appCheckCredentialListener(t, this.user)))); - } - async getConfiguration() { - return { - asyncQueue: this.asyncQueue, - databaseInfo: this.databaseInfo, - clientId: this.clientId, - authCredentials: this.authCredentials, - appCheckCredentials: this.appCheckCredentials, - initialUser: this.user, - maxConcurrentLimboResolutions: 100 - }; - } - setCredentialChangeListener(t) { - this.authCredentialListener = t; - } - setAppCheckTokenChangeListener(t) { - this.appCheckCredentialListener = t; - } - /** - * Checks that the client has not been terminated. Ensures that other methods on // - * this class cannot be called after the client is terminated. // - */ verifyNotTerminated() { - if (this.asyncQueue.isShuttingDown) throw new U(q.FAILED_PRECONDITION, "The client has already been terminated."); - } - terminate() { - this.asyncQueue.enterRestrictedMode(); - const t = new K; - return this.asyncQueue.enqueueAndForgetEvenWhileRestricted((async () => { - try { - this._onlineComponents && await this._onlineComponents.terminate(), this._offlineComponents && await this._offlineComponents.terminate(), - // The credentials provider must be terminated after shutting down the - // RemoteStore as it will prevent the RemoteStore from retrieving auth - // tokens. - this.authCredentials.shutdown(), this.appCheckCredentials.shutdown(), t.resolve(); - } catch (e) { - const n = Ec(e, "Failed to shutdown persistence"); - t.reject(n); - } - })), t.promise; - } - } - - async function Na(t, e) { - t.asyncQueue.verifyOperationInProgress(), N("FirestoreClient", "Initializing OfflineComponentProvider"); - const n = await t.getConfiguration(); - await e.initialize(n); - let s = n.initialUser; - t.setCredentialChangeListener((async t => { - s.isEqual(t) || (await iu(e.localStore, t), s = t); - })), - // When a user calls clearPersistence() in one client, all other clients - // need to be terminated to allow the delete to succeed. - e.persistence.setDatabaseDeletedListener((() => t.terminate())), t._offlineComponents = e; - } - - async function ka(t, e) { - t.asyncQueue.verifyOperationInProgress(); - const n = await $a(t); - N("FirestoreClient", "Initializing OnlineComponentProvider"); - const s = await t.getConfiguration(); - await e.initialize(n, s), - // The CredentialChangeListener of the online component provider takes - // precedence over the offline component provider. - t.setCredentialChangeListener((t => gc(e.remoteStore, t))), t.setAppCheckTokenChangeListener(((t, n) => gc(e.remoteStore, n))), - t._onlineComponents = e; - } - - /** - * Decides whether the provided error allows us to gracefully disable - * persistence (as opposed to crashing the client). - */ function Ma(t) { - return "FirebaseError" === t.name ? t.code === q.FAILED_PRECONDITION || t.code === q.UNIMPLEMENTED : !("undefined" != typeof DOMException && t instanceof DOMException) || ( - // When the browser is out of quota we could get either quota exceeded - // or an aborted error depending on whether the error happened during - // schema migration. - 22 === t.code || 20 === t.code || - // Firefox Private Browsing mode disables IndexedDb and returns - // INVALID_STATE for any usage. - 11 === t.code); - } - - async function $a(t) { - if (!t._offlineComponents) if (t._uninitializedComponentsProvider) { - N("FirestoreClient", "Using user provided OfflineComponentProvider"); - try { - await Na(t, t._uninitializedComponentsProvider._offline); - } catch (e) { - const n = e; - if (!Ma(n)) throw n; - M("Error using user provided cache. Falling back to memory cache: " + n), await Na(t, new Ea); - } - } else N("FirestoreClient", "Using default OfflineComponentProvider"), await Na(t, new Ea); - return t._offlineComponents; - } - - async function Oa(t) { - return t._onlineComponents || (t._uninitializedComponentsProvider ? (N("FirestoreClient", "Using user provided OnlineComponentProvider"), - await ka(t, t._uninitializedComponentsProvider._online)) : (N("FirestoreClient", "Using default OnlineComponentProvider"), - await ka(t, new Pa))), t._onlineComponents; - } - - function Fa(t) { - return $a(t).then((t => t.persistence)); - } - - function Ba(t) { - return $a(t).then((t => t.localStore)); - } - - function La(t) { - return Oa(t).then((t => t.remoteStore)); - } - - function qa(t) { - return Oa(t).then((t => t.syncEngine)); - } - - function Ua(t) { - return Oa(t).then((t => t.datastore)); - } - - async function Ka(t) { - const e = await Oa(t), n = e.eventManager; - return n.onListen = Gc.bind(null, e.syncEngine), n.onUnlisten = jc.bind(null, e.syncEngine), - n; - } - - /** Enables the network connection and re-enqueues all pending operations. */ function Ga(t) { - return t.asyncQueue.enqueue((async () => { - const e = await Fa(t), n = await La(t); - return e.setNetworkEnabled(!0), function(t) { - const e = L(t); - return e.vu.delete(0 /* OfflineCause.UserDisabled */), zu(e); - }(n); - })); - } - - /** Disables the network connection. Pending operations will not complete. */ function Qa(t) { - return t.asyncQueue.enqueue((async () => { - const e = await Fa(t), n = await La(t); - return e.setNetworkEnabled(!1), async function(t) { - const e = L(t); - e.vu.add(0 /* OfflineCause.UserDisabled */), await Wu(e), - // Set the OnlineState to Offline so get()s return from cache, etc. - e.bu.set("Offline" /* OnlineState.Offline */); - }(n); - })); - } - - /** - * Returns a Promise that resolves when all writes that were pending at the time - * this method was called received server acknowledgement. An acknowledgement - * can be either acceptance or rejection. - */ function ja(t, e) { - const n = new K; - return t.asyncQueue.enqueueAndForget((async () => async function(t, e, n) { - try { - const s = await function(t, e) { - const n = L(t); - return n.persistence.runTransaction("read document", "readonly", (t => n.localDocuments.getDocument(t, e))); - }(t, e); - s.isFoundDocument() ? n.resolve(s) : s.isNoDocument() ? n.resolve(null) : n.reject(new U(q.UNAVAILABLE, "Failed to get document from cache. (However, this document may exist on the server. Run again without setting 'source' in the GetOptions to attempt to retrieve the document from the server.)")); - } catch (t) { - const s = Ec(t, `Failed to get document '${e} from cache`); - n.reject(s); - } - } - /** - * Retrieves a latency-compensated document from the backend via a - * SnapshotListener. - */ (await Ba(t), e, n))), n.promise; - } - - function za(t, e, n = {}) { - const s = new K; - return t.asyncQueue.enqueueAndForget((async () => function(t, e, n, s, i) { - const r = new Va({ - next: r => { - // Remove query first before passing event to user to avoid - // user actions affecting the now stale query. - e.enqueueAndForget((() => Sc(t, o))); - const u = r.docs.has(n); - !u && r.fromCache ? - // TODO(dimond): If we're online and the document doesn't - // exist then we resolve with a doc.exists set to false. If - // we're offline however, we reject the Promise in this - // case. Two options: 1) Cache the negative response from - // the server so we can deliver that even when you're - // offline 2) Actually reject the Promise in the online case - // if the document doesn't exist. - i.reject(new U(q.UNAVAILABLE, "Failed to get document because the client is offline.")) : u && r.fromCache && s && "server" === s.source ? i.reject(new U(q.UNAVAILABLE, 'Failed to get document from server. (However, this document does exist in the local cache. Run again without setting source to "server" to retrieve the cached document.)')) : i.resolve(r); - }, - error: t => i.reject(t) - }), o = new Nc(Gn(n.path), r, { - includeMetadataChanges: !0, - Ku: !0 - }); - return Vc(t, o); - }(await Ka(t), t.asyncQueue, e, n, s))), s.promise; - } - - function Wa(t, e) { - const n = new K; - return t.asyncQueue.enqueueAndForget((async () => async function(t, e, n) { - try { - const s = await fu(t, e, - /* usePreviousResults= */ !0), i = new Lc(e, s.ir), r = i.sc(s.documents), o = i.applyChanges(r, - /* updateLimboDocuments= */ !1); - n.resolve(o.snapshot); - } catch (t) { - const s = Ec(t, `Failed to execute query '${e} against cache`); - n.reject(s); - } - } - /** - * Retrieves a latency-compensated query snapshot from the backend via a - * SnapshotListener. - */ (await Ba(t), e, n))), n.promise; - } - - function Ha(t, e, n = {}) { - const s = new K; - return t.asyncQueue.enqueueAndForget((async () => function(t, e, n, s, i) { - const r = new Va({ - next: n => { - // Remove query first before passing event to user to avoid - // user actions affecting the now stale query. - e.enqueueAndForget((() => Sc(t, o))), n.fromCache && "server" === s.source ? i.reject(new U(q.UNAVAILABLE, 'Failed to get documents from server. (However, these documents may exist in the local cache. Run again without setting source to "server" to retrieve the cached documents.)')) : i.resolve(n); - }, - error: t => i.reject(t) - }), o = new Nc(n, r, { - includeMetadataChanges: !0, - Ku: !0 - }); - return Vc(t, o); - }(await Ka(t), t.asyncQueue, e, n, s))), s.promise; - } - - function Ja(t, e) { - const n = new Va(e); - return t.asyncQueue.enqueueAndForget((async () => function(t, e) { - L(t).ku.add(e), - // Immediately fire an initial event, indicating all existing listeners - // are in-sync. - e.next(); - }(await Ka(t), n))), () => { - n.Dc(), t.asyncQueue.enqueueAndForget((async () => function(t, e) { - L(t).ku.delete(e); - }(await Ka(t), n))); - }; - } - - /** - * Takes an updateFunction in which a set of reads and writes can be performed - * atomically. In the updateFunction, the client can read and write values - * using the supplied transaction object. After the updateFunction, all - * changes will be committed. If a retryable error occurs (ex: some other - * client has changed any of the data referenced), then the updateFunction - * will be called again after a backoff. If the updateFunction still fails - * after all retries, then the transaction will be rejected. - * - * The transaction object passed to the updateFunction contains methods for - * accessing documents and collections. Unlike other datastore access, data - * accessed with the transaction will not reflect local changes that have not - * been committed. For this reason, it is required that all reads are - * performed before any writes. Transactions must be performed while online. - */ function Ya(t, e, n, s) { - const i = function(t, e) { - let n; - n = "string" == typeof t ? hi().encode(t) : t; - return function(t, e) { - return new Sa(t, e); - }(function(t, e) { - if (t instanceof Uint8Array) return ba(t, e); - if (t instanceof ArrayBuffer) return ba(new Uint8Array(t), e); - if (t instanceof ReadableStream) return t.getReader(); - throw new Error("Source of `toByteStreamReader` has to be a ArrayBuffer or ReadableStream"); - }(n), e); - }(n, Fu(e)); - t.asyncQueue.enqueueAndForget((async () => { - Ta(await qa(t), i, s); - })); - } - - function Xa(t, e) { - return t.asyncQueue.enqueue((async () => function(t, e) { - const n = L(t); - return n.persistence.runTransaction("Get named query", "readonly", (t => n.qs.getNamedQuery(t, e))); - }(await Ba(t), e))); - } - - /** - * @license - * Copyright 2023 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Compares two `ExperimentalLongPollingOptions` objects for equality. - */ - /** - * Creates and returns a new `ExperimentalLongPollingOptions` with the same - * option values as the given instance. - */ - function th(t) { - const e = {}; - return void 0 !== t.timeoutSeconds && (e.timeoutSeconds = t.timeoutSeconds), e; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const eh = new Map; - - /** - * An instance map that ensures only one Datastore exists per Firestore - * instance. - */ - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function nh(t, e, n) { - if (!n) throw new U(q.INVALID_ARGUMENT, `Function ${t}() cannot be called with an empty ${e}.`); - } - - /** - * Validates that two boolean options are not set at the same time. - * @internal - */ function sh(t, e, n, s) { - if (!0 === e && !0 === s) throw new U(q.INVALID_ARGUMENT, `${t} and ${n} cannot be used together.`); - } - - /** - * Validates that `path` refers to a document (indicated by the fact it contains - * an even numbers of segments). - */ function ih(t) { - if (!ht.isDocumentKey(t)) throw new U(q.INVALID_ARGUMENT, `Invalid document reference. Document references must have an even number of segments, but ${t} has ${t.length}.`); - } - - /** - * Validates that `path` refers to a collection (indicated by the fact it - * contains an odd numbers of segments). - */ function rh(t) { - if (ht.isDocumentKey(t)) throw new U(q.INVALID_ARGUMENT, `Invalid collection reference. Collection references must have an odd number of segments, but ${t} has ${t.length}.`); - } - - /** - * Returns true if it's a non-null object without a custom prototype - * (i.e. excludes Array, Date, etc.). - */ - /** Returns a string describing the type / value of the provided input. */ - function oh(t) { - if (void 0 === t) return "undefined"; - if (null === t) return "null"; - if ("string" == typeof t) return t.length > 20 && (t = `${t.substring(0, 20)}...`), - JSON.stringify(t); - if ("number" == typeof t || "boolean" == typeof t) return "" + t; - if ("object" == typeof t) { - if (t instanceof Array) return "an array"; - { - const e = - /** try to get the constructor name for an object. */ - function(t) { - if (t.constructor) return t.constructor.name; - return null; - } - /** - * Casts `obj` to `T`, optionally unwrapping Compat types to expose the - * underlying instance. Throws if `obj` is not an instance of `T`. - * - * This cast is used in the Lite and Full SDK to verify instance types for - * arguments passed to the public API. - * @internal - */ (t); - return e ? `a custom ${e} object` : "an object"; - } - } - return "function" == typeof t ? "a function" : O(); - } - - function uh(t, - // eslint-disable-next-line @typescript-eslint/no-explicit-any - e) { - if ("_delegate" in t && ( - // Unwrap Compat types - // eslint-disable-next-line @typescript-eslint/no-explicit-any - t = t._delegate), !(t instanceof e)) { - if (e.name === t.constructor.name) throw new U(q.INVALID_ARGUMENT, "Type does not match the expected instance. Did you pass a reference from a different Firestore SDK?"); - { - const n = oh(t); - throw new U(q.INVALID_ARGUMENT, `Expected type '${e.name}', but it was: ${n}`); - } - } - return t; - } - - function ch(t, e) { - if (e <= 0) throw new U(q.INVALID_ARGUMENT, `Function ${t}() requires a positive number, but it was: ${e}.`); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // settings() defaults: - /** - * A concrete type describing all the values that can be applied via a - * user-supplied `FirestoreSettings` object. This is a separate type so that - * defaults can be supplied and the value can be checked for equality. - */ - class ah { - constructor(t) { - var e, n; - if (void 0 === t.host) { - if (void 0 !== t.ssl) throw new U(q.INVALID_ARGUMENT, "Can't provide ssl option if host option is not set"); - this.host = "firestore.googleapis.com", this.ssl = true; - } else this.host = t.host, this.ssl = null === (e = t.ssl) || void 0 === e || e; - if (this.credentials = t.credentials, this.ignoreUndefinedProperties = !!t.ignoreUndefinedProperties, - this.cache = t.localCache, void 0 === t.cacheSizeBytes) this.cacheSizeBytes = 41943040; else { - if (-1 !== t.cacheSizeBytes && t.cacheSizeBytes < 1048576) throw new U(q.INVALID_ARGUMENT, "cacheSizeBytes must be at least 1048576"); - this.cacheSizeBytes = t.cacheSizeBytes; - } - sh("experimentalForceLongPolling", t.experimentalForceLongPolling, "experimentalAutoDetectLongPolling", t.experimentalAutoDetectLongPolling), - this.experimentalForceLongPolling = !!t.experimentalForceLongPolling, this.experimentalForceLongPolling ? this.experimentalAutoDetectLongPolling = !1 : void 0 === t.experimentalAutoDetectLongPolling ? this.experimentalAutoDetectLongPolling = true : - // For backwards compatibility, coerce the value to boolean even though - // the TypeScript compiler has narrowed the type to boolean already. - // noinspection PointlessBooleanExpressionJS - this.experimentalAutoDetectLongPolling = !!t.experimentalAutoDetectLongPolling, - this.experimentalLongPollingOptions = th(null !== (n = t.experimentalLongPollingOptions) && void 0 !== n ? n : {}), - function(t) { - if (void 0 !== t.timeoutSeconds) { - if (isNaN(t.timeoutSeconds)) throw new U(q.INVALID_ARGUMENT, `invalid long polling timeout: ${t.timeoutSeconds} (must not be NaN)`); - if (t.timeoutSeconds < 5) throw new U(q.INVALID_ARGUMENT, `invalid long polling timeout: ${t.timeoutSeconds} (minimum allowed value is 5)`); - if (t.timeoutSeconds > 30) throw new U(q.INVALID_ARGUMENT, `invalid long polling timeout: ${t.timeoutSeconds} (maximum allowed value is 30)`); - } - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The Cloud Firestore service interface. - * - * Do not call this constructor directly. Instead, use {@link (getFirestore:1)}. - */ (this.experimentalLongPollingOptions), this.useFetchStreams = !!t.useFetchStreams; - } - isEqual(t) { - return this.host === t.host && this.ssl === t.ssl && this.credentials === t.credentials && this.cacheSizeBytes === t.cacheSizeBytes && this.experimentalForceLongPolling === t.experimentalForceLongPolling && this.experimentalAutoDetectLongPolling === t.experimentalAutoDetectLongPolling && (e = this.experimentalLongPollingOptions, - n = t.experimentalLongPollingOptions, e.timeoutSeconds === n.timeoutSeconds) && this.ignoreUndefinedProperties === t.ignoreUndefinedProperties && this.useFetchStreams === t.useFetchStreams; - var e, n; - } - } - - class hh { - /** @hideconstructor */ - constructor(t, e, n, s) { - this._authCredentials = t, this._appCheckCredentials = e, this._databaseId = n, - this._app = s, - /** - * Whether it's a Firestore or Firestore Lite instance. - */ - this.type = "firestore-lite", this._persistenceKey = "(lite)", this._settings = new ah({}), - this._settingsFrozen = !1; - } - /** - * The {@link @firebase/app#FirebaseApp} associated with this `Firestore` service - * instance. - */ get app() { - if (!this._app) throw new U(q.FAILED_PRECONDITION, "Firestore was not initialized using the Firebase SDK. 'app' is not available"); - return this._app; - } - get _initialized() { - return this._settingsFrozen; - } - get _terminated() { - return void 0 !== this._terminateTask; - } - _setSettings(t) { - if (this._settingsFrozen) throw new U(q.FAILED_PRECONDITION, "Firestore has already been started and its settings can no longer be changed. You can only modify settings before calling any other methods on a Firestore object."); - this._settings = new ah(t), void 0 !== t.credentials && (this._authCredentials = function(t) { - if (!t) return new Q; - switch (t.type) { - case "firstParty": - return new H(t.sessionIndex || "0", t.iamToken || null, t.authTokenFactory || null); - - case "provider": - return t.client; - - default: - throw new U(q.INVALID_ARGUMENT, "makeAuthCredentialsProvider failed due to invalid credential type"); - } - }(t.credentials)); - } - _getSettings() { - return this._settings; - } - _freezeSettings() { - return this._settingsFrozen = !0, this._settings; - } - _delete() { - return this._terminateTask || (this._terminateTask = this._terminate()), this._terminateTask; - } - /** Returns a JSON-serializable representation of this `Firestore` instance. */ toJSON() { - return { - app: this._app, - databaseId: this._databaseId, - settings: this._settings - }; - } - /** - * Terminates all components used by this client. Subclasses can override - * this method to clean up their own dependencies, but must also call this - * method. - * - * Only ever called once. - */ _terminate() { - /** - * Removes all components associated with the provided instance. Must be called - * when the `Firestore` instance is terminated. - */ - return function(t) { - const e = eh.get(t); - e && (N("ComponentProvider", "Removing Datastore"), eh.delete(t), e.terminate()); - }(this), Promise.resolve(); - } - } - - /** - * Modify this instance to communicate with the Cloud Firestore emulator. - * - * Note: This must be called before this instance has been used to do any - * operations. - * - * @param firestore - The `Firestore` instance to configure to connect to the - * emulator. - * @param host - the emulator host (ex: localhost). - * @param port - the emulator port (ex: 9000). - * @param options.mockUserToken - the mock auth token to use for unit testing - * Security Rules. - */ function lh(t, e, n, s = {}) { - var i; - const r = (t = uh(t, hh))._getSettings(); - if ("firestore.googleapis.com" !== r.host && r.host !== e && M("Host has been set in both settings() and useEmulator(), emulator host will be used"), - t._setSettings(Object.assign(Object.assign({}, r), { - host: `${e}:${n}`, - ssl: !1 - })), s.mockUserToken) { - let e, n; - if ("string" == typeof s.mockUserToken) e = s.mockUserToken, n = V.MOCK_USER; else { - // Let createMockUserToken validate first (catches common mistakes like - // invalid field "uid" and missing field "sub" / "user_id".) - e = createMockUserToken(s.mockUserToken, null === (i = t._app) || void 0 === i ? void 0 : i.options.projectId); - const r = s.mockUserToken.sub || s.mockUserToken.user_id; - if (!r) throw new U(q.INVALID_ARGUMENT, "mockUserToken must contain 'sub' or 'user_id' field!"); - n = new V(r); - } - t._authCredentials = new j(new G(e, n)); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A `DocumentReference` refers to a document location in a Firestore database - * and can be used to write, read, or listen to the location. The document at - * the referenced location may or may not exist. - */ class fh { - /** @hideconstructor */ - constructor(t, - /** - * If provided, the `FirestoreDataConverter` associated with this instance. - */ - e, n) { - this.converter = e, this._key = n, - /** The type of this Firestore reference. */ - this.type = "document", this.firestore = t; - } - get _path() { - return this._key.path; - } - /** - * The document's identifier within its collection. - */ get id() { - return this._key.path.lastSegment(); - } - /** - * A string representing the path of the referenced document (relative - * to the root of the database). - */ get path() { - return this._key.path.canonicalString(); - } - /** - * The collection this `DocumentReference` belongs to. - */ get parent() { - return new wh(this.firestore, this.converter, this._key.path.popLast()); - } - withConverter(t) { - return new fh(this.firestore, t, this._key); - } - } - - /** - * A `Query` refers to a query which you can read or listen to. You can also - * construct refined `Query` objects by adding filters and ordering. - */ class dh { - // This is the lite version of the Query class in the main SDK. - /** @hideconstructor protected */ - constructor(t, - /** - * If provided, the `FirestoreDataConverter` associated with this instance. - */ - e, n) { - this.converter = e, this._query = n, - /** The type of this Firestore reference. */ - this.type = "query", this.firestore = t; - } - withConverter(t) { - return new dh(this.firestore, t, this._query); - } - } - - /** - * A `CollectionReference` object can be used for adding documents, getting - * document references, and querying for documents (using {@link (query:1)}). - */ class wh extends dh { - /** @hideconstructor */ - constructor(t, e, n) { - super(t, e, Gn(n)), this._path = n, - /** The type of this Firestore reference. */ - this.type = "collection"; - } - /** The collection's identifier. */ get id() { - return this._query.path.lastSegment(); - } - /** - * A string representing the path of the referenced collection (relative - * to the root of the database). - */ get path() { - return this._query.path.canonicalString(); - } - /** - * A reference to the containing `DocumentReference` if this is a - * subcollection. If this isn't a subcollection, the reference is null. - */ get parent() { - const t = this._path.popLast(); - return t.isEmpty() ? null : new fh(this.firestore, - /* converter= */ null, new ht(t)); - } - withConverter(t) { - return new wh(this.firestore, t, this._path); - } - } - - function _h(t, e, ...n) { - if (t = getModularInstance(t), nh("collection", "path", e), t instanceof hh) { - const s = ut.fromString(e, ...n); - return rh(s), new wh(t, /* converter= */ null, s); - } - { - if (!(t instanceof fh || t instanceof wh)) throw new U(q.INVALID_ARGUMENT, "Expected first argument to collection() to be a CollectionReference, a DocumentReference or FirebaseFirestore"); - const s = t._path.child(ut.fromString(e, ...n)); - return rh(s), new wh(t.firestore, - /* converter= */ null, s); - } - } - - // TODO(firestorelite): Consider using ErrorFactory - - // https://github.com/firebase/firebase-js-sdk/blob/0131e1f/packages/util/src/errors.ts#L106 - /** - * Creates and returns a new `Query` instance that includes all documents in the - * database that are contained in a collection or subcollection with the - * given `collectionId`. - * - * @param firestore - A reference to the root `Firestore` instance. - * @param collectionId - Identifies the collections to query over. Every - * collection or subcollection with this ID as the last segment of its path - * will be included. Cannot contain a slash. - * @returns The created `Query`. - */ function mh(t, e) { - if (t = uh(t, hh), nh("collectionGroup", "collection id", e), e.indexOf("/") >= 0) throw new U(q.INVALID_ARGUMENT, `Invalid collection ID '${e}' passed to function collectionGroup(). Collection IDs must not contain '/'.`); - return new dh(t, - /* converter= */ null, function(t) { - return new Un(ut.emptyPath(), t); - }(e)); - } - - function gh(t, e, ...n) { - if (t = getModularInstance(t), - // We allow omission of 'pathString' but explicitly prohibit passing in both - // 'undefined' and 'null'. - 1 === arguments.length && (e = tt.A()), nh("doc", "path", e), t instanceof hh) { - const s = ut.fromString(e, ...n); - return ih(s), new fh(t, - /* converter= */ null, new ht(s)); - } - { - if (!(t instanceof fh || t instanceof wh)) throw new U(q.INVALID_ARGUMENT, "Expected first argument to collection() to be a CollectionReference, a DocumentReference or FirebaseFirestore"); - const s = t._path.child(ut.fromString(e, ...n)); - return ih(s), new fh(t.firestore, t instanceof wh ? t.converter : null, new ht(s)); - } - } - - /** - * Returns true if the provided references are equal. - * - * @param left - A reference to compare. - * @param right - A reference to compare. - * @returns true if the references point to the same location in the same - * Firestore database. - */ function yh(t, e) { - return t = getModularInstance(t), e = getModularInstance(e), (t instanceof fh || t instanceof wh) && (e instanceof fh || e instanceof wh) && (t.firestore === e.firestore && t.path === e.path && t.converter === e.converter); - } - - /** - * Returns true if the provided queries point to the same collection and apply - * the same constraints. - * - * @param left - A `Query` to compare. - * @param right - A `Query` to compare. - * @returns true if the references point to the same location in the same - * Firestore database. - */ function ph(t, e) { - return t = getModularInstance(t), e = getModularInstance(e), t instanceof dh && e instanceof dh && (t.firestore === e.firestore && Zn(t._query, e._query) && t.converter === e.converter); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ class Ih { - constructor() { - // The last promise in the queue. - this.Gc = Promise.resolve(), - // A list of retryable operations. Retryable operations are run in order and - // retried with backoff. - this.Qc = [], - // Is this AsyncQueue being shut down? Once it is set to true, it will not - // be changed again. - this.jc = !1, - // Operations scheduled to be queued in the future. Operations are - // automatically removed after they are run or canceled. - this.zc = [], - // visible for testing - this.Wc = null, - // Flag set while there's an outstanding AsyncQueue operation, used for - // assertion sanity-checks. - this.Hc = !1, - // Enabled during shutdown on Safari to prevent future access to IndexedDB. - this.Jc = !1, - // List of TimerIds to fast-forward delays for. - this.Yc = [], - // Backoff timer used to schedule retries for retryable operations - this.qo = new Bu(this, "async_queue_retry" /* TimerId.AsyncQueueRetry */), - // Visibility handler that triggers an immediate retry of all retryable - // operations. Meant to speed up recovery when we regain file system access - // after page comes into foreground. - this.Xc = () => { - const t = Ou(); - t && N("AsyncQueue", "Visibility state changed to " + t.visibilityState), this.qo.Mo(); - }; - const t = Ou(); - t && "function" == typeof t.addEventListener && t.addEventListener("visibilitychange", this.Xc); - } - get isShuttingDown() { - return this.jc; - } - /** - * Adds a new operation to the queue without waiting for it to complete (i.e. - * we ignore the Promise result). - */ enqueueAndForget(t) { - // eslint-disable-next-line @typescript-eslint/no-floating-promises - this.enqueue(t); - } - enqueueAndForgetEvenWhileRestricted(t) { - this.Zc(), - // eslint-disable-next-line @typescript-eslint/no-floating-promises - this.ta(t); - } - enterRestrictedMode(t) { - if (!this.jc) { - this.jc = !0, this.Jc = t || !1; - const e = Ou(); - e && "function" == typeof e.removeEventListener && e.removeEventListener("visibilitychange", this.Xc); - } - } - enqueue(t) { - if (this.Zc(), this.jc) - // Return a Promise which never resolves. - return new Promise((() => {})); - // Create a deferred Promise that we can return to the callee. This - // allows us to return a "hanging Promise" only to the callee and still - // advance the queue even when the operation is not run. - const e = new K; - return this.ta((() => this.jc && this.Jc ? Promise.resolve() : (t().then(e.resolve, e.reject), - e.promise))).then((() => e.promise)); - } - enqueueRetryable(t) { - this.enqueueAndForget((() => (this.Qc.push(t), this.ea()))); - } - /** - * Runs the next operation from the retryable queue. If the operation fails, - * reschedules with backoff. - */ async ea() { - if (0 !== this.Qc.length) { - try { - await this.Qc[0](), this.Qc.shift(), this.qo.reset(); - } catch (t) { - if (!Dt(t)) throw t; - // Failure will be handled by AsyncQueue - N("AsyncQueue", "Operation failed with retryable error: " + t); - } - this.Qc.length > 0 && - // If there are additional operations, we re-schedule `retryNextOp()`. - // This is necessary to run retryable operations that failed during - // their initial attempt since we don't know whether they are already - // enqueued. If, for example, `op1`, `op2`, `op3` are enqueued and `op1` - // needs to be re-run, we will run `op1`, `op1`, `op2` using the - // already enqueued calls to `retryNextOp()`. `op3()` will then run in the - // call scheduled here. - // Since `backoffAndRun()` cancels an existing backoff and schedules a - // new backoff on every call, there is only ever a single additional - // operation in the queue. - this.qo.No((() => this.ea())); - } - } - ta(t) { - const e = this.Gc.then((() => (this.Hc = !0, t().catch((t => { - this.Wc = t, this.Hc = !1; - const e = - /** - * Chrome includes Error.message in Error.stack. Other browsers do not. - * This returns expected output of message + stack when available. - * @param error - Error or FirestoreError - */ - function(t) { - let e = t.message || ""; - t.stack && (e = t.stack.includes(t.message) ? t.stack : t.message + "\n" + t.stack); - return e; - } - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ (t); - // Re-throw the error so that this.tail becomes a rejected Promise and - // all further attempts to chain (via .then) will just short-circuit - // and return the rejected Promise. - throw k("INTERNAL UNHANDLED ERROR: ", e), t; - })).then((t => (this.Hc = !1, t)))))); - return this.Gc = e, e; - } - enqueueAfterDelay(t, e, n) { - this.Zc(), - // Fast-forward delays for timerIds that have been overriden. - this.Yc.indexOf(t) > -1 && (e = 0); - const s = Tc.createAndSchedule(this, t, e, n, (t => this.na(t))); - return this.zc.push(s), s; - } - Zc() { - this.Wc && O(); - } - verifyOperationInProgress() {} - /** - * Waits until all currently queued tasks are finished executing. Delayed - * operations are not run. - */ async sa() { - // Operations in the queue prior to draining may have enqueued additional - // operations. Keep draining the queue until the tail is no longer advanced, - // which indicates that no more new operations were enqueued and that all - // operations were executed. - let t; - do { - t = this.Gc, await t; - } while (t !== this.Gc); - } - /** - * For Tests: Determine if a delayed operation with a particular TimerId - * exists. - */ ia(t) { - for (const e of this.zc) if (e.timerId === t) return !0; - return !1; - } - /** - * For Tests: Runs some or all delayed operations early. - * - * @param lastTimerId - Delayed operations up to and including this TimerId - * will be drained. Pass TimerId.All to run all delayed operations. - * @returns a Promise that resolves once all operations have been run. - */ ra(t) { - // Note that draining may generate more delayed ops, so we do that first. - return this.sa().then((() => { - // Run ops in the same order they'd run if they ran naturally. - this.zc.sort(((t, e) => t.targetTimeMs - e.targetTimeMs)); - for (const e of this.zc) if (e.skipDelay(), "all" /* TimerId.All */ !== t && e.timerId === t) break; - return this.sa(); - })); - } - /** - * For Tests: Skip all subsequent delays for a timer id. - */ oa(t) { - this.Yc.push(t); - } - /** Called once a DelayedOperation is run or canceled. */ na(t) { - // NOTE: indexOf / slice are O(n), but delayedOperations is expected to be small. - const e = this.zc.indexOf(t); - this.zc.splice(e, 1); - } - } - - function Th(t) { - /** - * Returns true if obj is an object and contains at least one of the specified - * methods. - */ - return function(t, e) { - if ("object" != typeof t || null === t) return !1; - const n = t; - for (const t of e) if (t in n && "function" == typeof n[t]) return !0; - return !1; - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Represents the task of loading a Firestore bundle. It provides progress of bundle - * loading, as well as task completion and error events. - * - * The API is compatible with `Promise`. - */ (t, [ "next", "error", "complete" ]); - } - - class Eh { - constructor() { - this._progressObserver = {}, this._taskCompletionResolver = new K, this._lastProgress = { - taskState: "Running", - totalBytes: 0, - totalDocuments: 0, - bytesLoaded: 0, - documentsLoaded: 0 - }; - } - /** - * Registers functions to listen to bundle loading progress events. - * @param next - Called when there is a progress update from bundle loading. Typically `next` calls occur - * each time a Firestore document is loaded from the bundle. - * @param error - Called when an error occurs during bundle loading. The task aborts after reporting the - * error, and there should be no more updates after this. - * @param complete - Called when the loading task is complete. - */ onProgress(t, e, n) { - this._progressObserver = { - next: t, - error: e, - complete: n - }; - } - /** - * Implements the `Promise.catch` interface. - * - * @param onRejected - Called when an error occurs during bundle loading. - */ catch(t) { - return this._taskCompletionResolver.promise.catch(t); - } - /** - * Implements the `Promise.then` interface. - * - * @param onFulfilled - Called on the completion of the loading task with a final `LoadBundleTaskProgress` update. - * The update will always have its `taskState` set to `"Success"`. - * @param onRejected - Called when an error occurs during bundle loading. - */ then(t, e) { - return this._taskCompletionResolver.promise.then(t, e); - } - /** - * Notifies all observers that bundle loading has completed, with a provided - * `LoadBundleTaskProgress` object. - * - * @private - */ _completeWith(t) { - this._updateProgress(t), this._progressObserver.complete && this._progressObserver.complete(), - this._taskCompletionResolver.resolve(t); - } - /** - * Notifies all observers that bundle loading has failed, with a provided - * `Error` as the reason. - * - * @private - */ _failWith(t) { - this._lastProgress.taskState = "Error", this._progressObserver.next && this._progressObserver.next(this._lastProgress), - this._progressObserver.error && this._progressObserver.error(t), this._taskCompletionResolver.reject(t); - } - /** - * Notifies a progress update of loading a bundle. - * @param progress - The new progress. - * - * @private - */ _updateProgress(t) { - this._lastProgress = t, this._progressObserver.next && this._progressObserver.next(t); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Constant used to indicate the LRU garbage collection should be disabled. - * Set this value as the `cacheSizeBytes` on the settings passed to the - * {@link Firestore} instance. - */ const Ah = -1; - - /** - * The Cloud Firestore service interface. - * - * Do not call this constructor directly. Instead, use {@link (getFirestore:1)}. - */ class vh extends hh { - /** @hideconstructor */ - constructor(t, e, n, s) { - super(t, e, n, s), - /** - * Whether it's a {@link Firestore} or Firestore Lite instance. - */ - this.type = "firestore", this._queue = new Ih, this._persistenceKey = (null == s ? void 0 : s.name) || "[DEFAULT]"; - } - _terminate() { - return this._firestoreClient || - // The client must be initialized to ensure that all subsequent API - // usage throws an exception. - Vh(this), this._firestoreClient.terminate(); - } - } - - function Ph(e, n) { - const s = "object" == typeof e ? e : getApp(), i = "string" == typeof e ? e : n || "(default)", r = _getProvider(s, "firestore").getImmediate({ - identifier: i - }); - if (!r._initialized) { - const t = getDefaultEmulatorHostnameAndPort("firestore"); - t && lh(r, ...t); - } - return r; - } - - /** - * @internal - */ function bh(t) { - return t._firestoreClient || Vh(t), t._firestoreClient.verifyNotTerminated(), t._firestoreClient; - } - - function Vh(t) { - var e, n, s; - const i = t._freezeSettings(), r = function(t, e, n, s) { - return new $e(t, e, n, s.host, s.ssl, s.experimentalForceLongPolling, s.experimentalAutoDetectLongPolling, th(s.experimentalLongPollingOptions), s.useFetchStreams); - }(t._databaseId, (null === (e = t._app) || void 0 === e ? void 0 : e.options.appId) || "", t._persistenceKey, i); - t._firestoreClient = new xa(t._authCredentials, t._appCheckCredentials, t._queue, r), - (null === (n = i.cache) || void 0 === n ? void 0 : n._offlineComponentProvider) && (null === (s = i.cache) || void 0 === s ? void 0 : s._onlineComponentProvider) && (t._firestoreClient._uninitializedComponentsProvider = { - _offlineKind: i.cache.kind, - _offline: i.cache._offlineComponentProvider, - _online: i.cache._onlineComponentProvider - }); - } - - /** - * Attempts to enable persistent storage, if possible. - * - * Must be called before any other functions (other than - * {@link initializeFirestore}, {@link (getFirestore:1)} or - * {@link clearIndexedDbPersistence}. - * - * If this fails, `enableIndexedDbPersistence()` will reject the promise it - * returns. Note that even after this failure, the {@link Firestore} instance will - * remain usable, however offline persistence will be disabled. - * - * There are several reasons why this can fail, which can be identified by - * the `code` on the error. - * - * * failed-precondition: The app is already open in another browser tab. - * * unimplemented: The browser is incompatible with the offline - * persistence implementation. - * - * @param firestore - The {@link Firestore} instance to enable persistence for. - * @param persistenceSettings - Optional settings object to configure - * persistence. - * @returns A `Promise` that represents successfully enabling persistent storage. - * @deprecated This function will be removed in a future major release. Instead, set - * `FirestoreSettings.cache` to an instance of `IndexedDbLocalCache` to - * turn on IndexedDb cache. Calling this function when `FirestoreSettings.cache` - * is already specified will throw an exception. - */ function Sh(t, e) { - Bh(t = uh(t, vh)); - const n = bh(t); - if (n._uninitializedComponentsProvider) throw new U(q.FAILED_PRECONDITION, "SDK cache is already specified."); - M("enableIndexedDbPersistence() will be deprecated in the future, you can use `FirestoreSettings.cache` instead."); - const s = t._freezeSettings(), i = new Pa; - return Ch(n, i, new va(i, s.cacheSizeBytes, null == e ? void 0 : e.forceOwnership)); - } - - /** - * Attempts to enable multi-tab persistent storage, if possible. If enabled - * across all tabs, all operations share access to local persistence, including - * shared execution of queries and latency-compensated local document updates - * across all connected instances. - * - * If this fails, `enableMultiTabIndexedDbPersistence()` will reject the promise - * it returns. Note that even after this failure, the {@link Firestore} instance will - * remain usable, however offline persistence will be disabled. - * - * There are several reasons why this can fail, which can be identified by - * the `code` on the error. - * - * * failed-precondition: The app is already open in another browser tab and - * multi-tab is not enabled. - * * unimplemented: The browser is incompatible with the offline - * persistence implementation. - * - * @param firestore - The {@link Firestore} instance to enable persistence for. - * @returns A `Promise` that represents successfully enabling persistent - * storage. - * @deprecated This function will be removed in a future major release. Instead, set - * `FirestoreSettings.cache` to an instance of `IndexedDbLocalCache` to - * turn on indexeddb cache. Calling this function when `FirestoreSettings.cache` - * is already specified will throw an exception. - */ function Dh(t) { - Bh(t = uh(t, vh)); - const e = bh(t); - if (e._uninitializedComponentsProvider) throw new U(q.FAILED_PRECONDITION, "SDK cache is already specified."); - M("enableMultiTabIndexedDbPersistence() will be deprecated in the future, you can use `FirestoreSettings.cache` instead."); - const n = t._freezeSettings(), s = new Pa; - return Ch(e, s, new Ra(s, n.cacheSizeBytes)); - } - - /** - * Registers both the `OfflineComponentProvider` and `OnlineComponentProvider`. - * If the operation fails with a recoverable error (see - * `canRecoverFromIndexedDbError()` below), the returned Promise is rejected - * but the client remains usable. - */ function Ch(t, e, n) { - const s = new K; - return t.asyncQueue.enqueue((async () => { - try { - await Na(t, n), await ka(t, e), s.resolve(); - } catch (t) { - const e = t; - if (!Ma(e)) throw e; - M("Error enabling indexeddb cache. Falling back to memory cache: " + e), s.reject(e); - } - })).then((() => s.promise)); - } - - /** - * Clears the persistent storage. This includes pending writes and cached - * documents. - * - * Must be called while the {@link Firestore} instance is not started (after the app is - * terminated or when the app is first initialized). On startup, this function - * must be called before other functions (other than {@link - * initializeFirestore} or {@link (getFirestore:1)})). If the {@link Firestore} - * instance is still running, the promise will be rejected with the error code - * of `failed-precondition`. - * - * Note: `clearIndexedDbPersistence()` is primarily intended to help write - * reliable tests that use Cloud Firestore. It uses an efficient mechanism for - * dropping existing data but does not attempt to securely overwrite or - * otherwise make cached data unrecoverable. For applications that are sensitive - * to the disclosure of cached data in between user sessions, we strongly - * recommend not enabling persistence at all. - * - * @param firestore - The {@link Firestore} instance to clear persistence for. - * @returns A `Promise` that is resolved when the persistent storage is - * cleared. Otherwise, the promise is rejected with an error. - */ function xh(t) { - if (t._initialized && !t._terminated) throw new U(q.FAILED_PRECONDITION, "Persistence can only be cleared before a Firestore instance is initialized or after it is terminated."); - const e = new K; - return t._queue.enqueueAndForgetEvenWhileRestricted((async () => { - try { - await async function(t) { - if (!bt.D()) return Promise.resolve(); - const e = t + "main"; - await bt.delete(e); - }(Zo(t._databaseId, t._persistenceKey)), e.resolve(); - } catch (t) { - e.reject(t); - } - })), e.promise; - } - - /** - * Waits until all currently pending writes for the active user have been - * acknowledged by the backend. - * - * The returned promise resolves immediately if there are no outstanding writes. - * Otherwise, the promise waits for all previously issued writes (including - * those written in a previous app session), but it does not wait for writes - * that were added after the function is called. If you want to wait for - * additional writes, call `waitForPendingWrites()` again. - * - * Any outstanding `waitForPendingWrites()` promises are rejected during user - * changes. - * - * @returns A `Promise` which resolves when all currently pending writes have been - * acknowledged by the backend. - */ function Nh(t) { - return function(t) { - const e = new K; - return t.asyncQueue.enqueueAndForget((async () => Zc(await qa(t), e))), e.promise; - }(bh(t = uh(t, vh))); - } - - /** - * Re-enables use of the network for this {@link Firestore} instance after a prior - * call to {@link disableNetwork}. - * - * @returns A `Promise` that is resolved once the network has been enabled. - */ function kh(t) { - return Ga(bh(t = uh(t, vh))); - } - - /** - * Disables network usage for this instance. It can be re-enabled via {@link - * enableNetwork}. While the network is disabled, any snapshot listeners, - * `getDoc()` or `getDocs()` calls will return results from cache, and any write - * operations will be queued until the network is restored. - * - * @returns A `Promise` that is resolved once the network has been disabled. - */ function Mh(t) { - return Qa(bh(t = uh(t, vh))); - } - - /** - * Loads a Firestore bundle into the local cache. - * - * @param firestore - The {@link Firestore} instance to load bundles for. - * @param bundleData - An object representing the bundle to be loaded. Valid - * objects are `ArrayBuffer`, `ReadableStream` or `string`. - * - * @returns A `LoadBundleTask` object, which notifies callers with progress - * updates, and completion or error events. It can be used as a - * `Promise`. - */ function Oh(t, e) { - const n = bh(t = uh(t, vh)), s = new Eh; - return Ya(n, t._databaseId, e, s), s; - } - - /** - * Reads a Firestore {@link Query} from local cache, identified by the given - * name. - * - * The named queries are packaged into bundles on the server side (along - * with resulting documents), and loaded to local cache using `loadBundle`. Once - * in local cache, use this method to extract a {@link Query} by name. - * - * @param firestore - The {@link Firestore} instance to read the query from. - * @param name - The name of the query. - * @returns A `Promise` that is resolved with the Query or `null`. - */ function Fh(t, e) { - return Xa(bh(t = uh(t, vh)), e).then((e => e ? new dh(t, null, e.query) : null)); - } - - function Bh(t) { - if (t._initialized || t._terminated) throw new U(q.FAILED_PRECONDITION, "Firestore has already been started and persistence can no longer be enabled. You can only enable persistence before calling any other methods on a Firestore object."); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An immutable object representing an array of bytes. - */ class Uh { - /** @hideconstructor */ - constructor(t) { - this._byteString = t; - } - /** - * Creates a new `Bytes` object from the given Base64 string, converting it to - * bytes. - * - * @param base64 - The Base64 string used to create the `Bytes` object. - */ static fromBase64String(t) { - try { - return new Uh(Ve.fromBase64String(t)); - } catch (t) { - throw new U(q.INVALID_ARGUMENT, "Failed to construct data from Base64 string: " + t); - } - } - /** - * Creates a new `Bytes` object from the given Uint8Array. - * - * @param array - The Uint8Array used to create the `Bytes` object. - */ static fromUint8Array(t) { - return new Uh(Ve.fromUint8Array(t)); - } - /** - * Returns the underlying bytes as a Base64-encoded string. - * - * @returns The Base64-encoded string created from the `Bytes` object. - */ toBase64() { - return this._byteString.toBase64(); - } - /** - * Returns the underlying bytes in a new `Uint8Array`. - * - * @returns The Uint8Array created from the `Bytes` object. - */ toUint8Array() { - return this._byteString.toUint8Array(); - } - /** - * Returns a string representation of the `Bytes` object. - * - * @returns A string representation of the `Bytes` object. - */ toString() { - return "Bytes(base64: " + this.toBase64() + ")"; - } - /** - * Returns true if this `Bytes` object is equal to the provided one. - * - * @param other - The `Bytes` object to compare against. - * @returns true if this `Bytes` object is equal to the provided one. - */ isEqual(t) { - return this._byteString.isEqual(t._byteString); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A `FieldPath` refers to a field in a document. The path may consist of a - * single field name (referring to a top-level field in the document), or a - * list of field names (referring to a nested field in the document). - * - * Create a `FieldPath` by providing field names. If more than one field - * name is provided, the path will point to a nested field in a document. - */ class Kh { - /** - * Creates a `FieldPath` from the provided field names. If more than one field - * name is provided, the path will point to a nested field in a document. - * - * @param fieldNames - A list of field names. - */ - constructor(...t) { - for (let e = 0; e < t.length; ++e) if (0 === t[e].length) throw new U(q.INVALID_ARGUMENT, "Invalid field name at argument $(i + 1). Field names must not be empty."); - this._internalPath = new at(t); - } - /** - * Returns true if this `FieldPath` is equal to the provided one. - * - * @param other - The `FieldPath` to compare against. - * @returns true if this `FieldPath` is equal to the provided one. - */ isEqual(t) { - return this._internalPath.isEqual(t._internalPath); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Sentinel values that can be used when writing document fields with `set()` - * or `update()`. - */ class Qh { - /** - * @param _methodName - The public API endpoint that returns this class. - * @hideconstructor - */ - constructor(t) { - this._methodName = t; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * An immutable object representing a geographic location in Firestore. The - * location is represented as latitude/longitude pair. - * - * Latitude values are in the range of [-90, 90]. - * Longitude values are in the range of [-180, 180]. - */ class jh { - /** - * Creates a new immutable `GeoPoint` object with the provided latitude and - * longitude values. - * @param latitude - The latitude as number between -90 and 90. - * @param longitude - The longitude as number between -180 and 180. - */ - constructor(t, e) { - if (!isFinite(t) || t < -90 || t > 90) throw new U(q.INVALID_ARGUMENT, "Latitude must be a number between -90 and 90, but was: " + t); - if (!isFinite(e) || e < -180 || e > 180) throw new U(q.INVALID_ARGUMENT, "Longitude must be a number between -180 and 180, but was: " + e); - this._lat = t, this._long = e; - } - /** - * The latitude of this `GeoPoint` instance. - */ get latitude() { - return this._lat; - } - /** - * The longitude of this `GeoPoint` instance. - */ get longitude() { - return this._long; - } - /** - * Returns true if this `GeoPoint` is equal to the provided one. - * - * @param other - The `GeoPoint` to compare against. - * @returns true if this `GeoPoint` is equal to the provided one. - */ isEqual(t) { - return this._lat === t._lat && this._long === t._long; - } - /** Returns a JSON-serializable representation of this GeoPoint. */ toJSON() { - return { - latitude: this._lat, - longitude: this._long - }; - } - /** - * Actually private to JS consumers of our API, so this function is prefixed - * with an underscore. - */ _compareTo(t) { - return et(this._lat, t._lat) || et(this._long, t._long); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const zh = /^__.*__$/; - - /** The result of parsing document data (e.g. for a setData call). */ class Wh { - constructor(t, e, n) { - this.data = t, this.fieldMask = e, this.fieldTransforms = n; - } - toMutation(t, e) { - return null !== this.fieldMask ? new zs(t, this.data, this.fieldMask, e, this.fieldTransforms) : new js(t, this.data, e, this.fieldTransforms); - } - } - - /** The result of parsing "update" data (i.e. for an updateData call). */ class Hh { - constructor(t, - // The fieldMask does not include document transforms. - e, n) { - this.data = t, this.fieldMask = e, this.fieldTransforms = n; - } - toMutation(t, e) { - return new zs(t, this.data, this.fieldMask, e, this.fieldTransforms); - } - } - - function Jh(t) { - switch (t) { - case 0 /* UserDataSource.Set */ : - // fall through - case 2 /* UserDataSource.MergeSet */ : - // fall through - case 1 /* UserDataSource.Update */ : - return !0; - - case 3 /* UserDataSource.Argument */ : - case 4 /* UserDataSource.ArrayArgument */ : - return !1; - - default: - throw O(); - } - } - - /** A "context" object passed around while parsing user data. */ class Yh { - /** - * Initializes a ParseContext with the given source and path. - * - * @param settings - The settings for the parser. - * @param databaseId - The database ID of the Firestore instance. - * @param serializer - The serializer to use to generate the Value proto. - * @param ignoreUndefinedProperties - Whether to ignore undefined properties - * rather than throw. - * @param fieldTransforms - A mutable list of field transforms encountered - * while parsing the data. - * @param fieldMask - A mutable list of field paths encountered while parsing - * the data. - * - * TODO(b/34871131): We don't support array paths right now, so path can be - * null to indicate the context represents any location within an array (in - * which case certain features will not work and errors will be somewhat - * compromised). - */ - constructor(t, e, n, s, i, r) { - this.settings = t, this.databaseId = e, this.serializer = n, this.ignoreUndefinedProperties = s, - // Minor hack: If fieldTransforms is undefined, we assume this is an - // external call and we need to validate the entire path. - void 0 === i && this.ua(), this.fieldTransforms = i || [], this.fieldMask = r || []; - } - get path() { - return this.settings.path; - } - get ca() { - return this.settings.ca; - } - /** Returns a new context with the specified settings overwritten. */ aa(t) { - return new Yh(Object.assign(Object.assign({}, this.settings), t), this.databaseId, this.serializer, this.ignoreUndefinedProperties, this.fieldTransforms, this.fieldMask); - } - ha(t) { - var e; - const n = null === (e = this.path) || void 0 === e ? void 0 : e.child(t), s = this.aa({ - path: n, - la: !1 - }); - return s.fa(t), s; - } - da(t) { - var e; - const n = null === (e = this.path) || void 0 === e ? void 0 : e.child(t), s = this.aa({ - path: n, - la: !1 - }); - return s.ua(), s; - } - wa(t) { - // TODO(b/34871131): We don't support array paths right now; so make path - // undefined. - return this.aa({ - path: void 0, - la: !0 - }); - } - _a(t) { - return gl(t, this.settings.methodName, this.settings.ma || !1, this.path, this.settings.ga); - } - /** Returns 'true' if 'fieldPath' was traversed when creating this context. */ contains(t) { - return void 0 !== this.fieldMask.find((e => t.isPrefixOf(e))) || void 0 !== this.fieldTransforms.find((e => t.isPrefixOf(e.field))); - } - ua() { - // TODO(b/34871131): Remove null check once we have proper paths for fields - // within arrays. - if (this.path) for (let t = 0; t < this.path.length; t++) this.fa(this.path.get(t)); - } - fa(t) { - if (0 === t.length) throw this._a("Document fields must not be empty"); - if (Jh(this.ca) && zh.test(t)) throw this._a('Document fields cannot begin and end with "__"'); - } - } - - /** - * Helper for parsing raw user input (provided via the API) into internal model - * classes. - */ class Xh { - constructor(t, e, n) { - this.databaseId = t, this.ignoreUndefinedProperties = e, this.serializer = n || Fu(t); - } - /** Creates a new top-level parse context. */ ya(t, e, n, s = !1) { - return new Yh({ - ca: t, - methodName: e, - ga: n, - path: at.emptyPath(), - la: !1, - ma: s - }, this.databaseId, this.serializer, this.ignoreUndefinedProperties); - } - } - - function Zh(t) { - const e = t._freezeSettings(), n = Fu(t._databaseId); - return new Xh(t._databaseId, !!e.ignoreUndefinedProperties, n); - } - - /** Parse document data from a set() call. */ function tl(t, e, n, s, i, r = {}) { - const o = t.ya(r.merge || r.mergeFields ? 2 /* UserDataSource.MergeSet */ : 0 /* UserDataSource.Set */ , e, n, i); - dl("Data must be an object, but it was:", o, s); - const u = ll(s, o); - let c, a; - if (r.merge) c = new Re(o.fieldMask), a = o.fieldTransforms; else if (r.mergeFields) { - const t = []; - for (const s of r.mergeFields) { - const i = wl(e, s, n); - if (!o.contains(i)) throw new U(q.INVALID_ARGUMENT, `Field '${i}' is specified in your field mask but missing from your input data.`); - yl(t, i) || t.push(i); - } - c = new Re(t), a = o.fieldTransforms.filter((t => c.covers(t.field))); - } else c = null, a = o.fieldTransforms; - return new Wh(new un(u), c, a); - } - - class el extends Qh { - _toFieldTransform(t) { - if (2 /* UserDataSource.MergeSet */ !== t.ca) throw 1 /* UserDataSource.Update */ === t.ca ? t._a(`${this._methodName}() can only appear at the top level of your update data`) : t._a(`${this._methodName}() cannot be used with set() unless you pass {merge:true}`); - // No transform to add for a delete, but we need to add it to our - // fieldMask so it gets deleted. - return t.fieldMask.push(t.path), null; - } - isEqual(t) { - return t instanceof el; - } - } - - /** - * Creates a child context for parsing SerializableFieldValues. - * - * This is different than calling `ParseContext.contextWith` because it keeps - * the fieldTransforms and fieldMask separate. - * - * The created context has its `dataSource` set to `UserDataSource.Argument`. - * Although these values are used with writes, any elements in these FieldValues - * are not considered writes since they cannot contain any FieldValue sentinels, - * etc. - * - * @param fieldValue - The sentinel FieldValue for which to create a child - * context. - * @param context - The parent context. - * @param arrayElement - Whether or not the FieldValue has an array. - */ function nl(t, e, n) { - return new Yh({ - ca: 3 /* UserDataSource.Argument */ , - ga: e.settings.ga, - methodName: t._methodName, - la: n - }, e.databaseId, e.serializer, e.ignoreUndefinedProperties); - } - - class sl extends Qh { - _toFieldTransform(t) { - return new Ms(t.path, new bs); - } - isEqual(t) { - return t instanceof sl; - } - } - - class il extends Qh { - constructor(t, e) { - super(t), this.pa = e; - } - _toFieldTransform(t) { - const e = nl(this, t, - /*array=*/ !0), n = this.pa.map((t => hl(t, e))), s = new Vs(n); - return new Ms(t.path, s); - } - isEqual(t) { - // TODO(mrschmidt): Implement isEquals - return this === t; - } - } - - class rl extends Qh { - constructor(t, e) { - super(t), this.pa = e; - } - _toFieldTransform(t) { - const e = nl(this, t, - /*array=*/ !0), n = this.pa.map((t => hl(t, e))), s = new Ds(n); - return new Ms(t.path, s); - } - isEqual(t) { - // TODO(mrschmidt): Implement isEquals - return this === t; - } - } - - class ol extends Qh { - constructor(t, e) { - super(t), this.Ia = e; - } - _toFieldTransform(t) { - const e = new xs(t.serializer, Es(t.serializer, this.Ia)); - return new Ms(t.path, e); - } - isEqual(t) { - // TODO(mrschmidt): Implement isEquals - return this === t; - } - } - - /** Parse update data from an update() call. */ function ul(t, e, n, s) { - const i = t.ya(1 /* UserDataSource.Update */ , e, n); - dl("Data must be an object, but it was:", i, s); - const r = [], o = un.empty(); - ge(s, ((t, s) => { - const u = ml(e, t, n); - // For Compat types, we have to "extract" the underlying types before - // performing validation. - s = getModularInstance(s); - const c = i.da(u); - if (s instanceof el) - // Add it to the field mask, but don't add anything to updateData. - r.push(u); else { - const t = hl(s, c); - null != t && (r.push(u), o.set(u, t)); - } - })); - const u = new Re(r); - return new Hh(o, u, i.fieldTransforms); - } - - /** Parse update data from a list of field/value arguments. */ function cl(t, e, n, s, i, r) { - const o = t.ya(1 /* UserDataSource.Update */ , e, n), u = [ wl(e, s, n) ], c = [ i ]; - if (r.length % 2 != 0) throw new U(q.INVALID_ARGUMENT, `Function ${e}() needs to be called with an even number of arguments that alternate between field names and values.`); - for (let t = 0; t < r.length; t += 2) u.push(wl(e, r[t])), c.push(r[t + 1]); - const a = [], h = un.empty(); - // We iterate in reverse order to pick the last value for a field if the - // user specified the field multiple times. - for (let t = u.length - 1; t >= 0; --t) if (!yl(a, u[t])) { - const e = u[t]; - let n = c[t]; - // For Compat types, we have to "extract" the underlying types before - // performing validation. - n = getModularInstance(n); - const s = o.da(e); - if (n instanceof el) - // Add it to the field mask, but don't add anything to updateData. - a.push(e); else { - const t = hl(n, s); - null != t && (a.push(e), h.set(e, t)); - } - } - const l = new Re(a); - return new Hh(h, l, o.fieldTransforms); - } - - /** - * Parse a "query value" (e.g. value in a where filter or a value in a cursor - * bound). - * - * @param allowArrays - Whether the query value is an array that may directly - * contain additional arrays (e.g. the operand of an `in` query). - */ function al(t, e, n, s = !1) { - return hl(n, t.ya(s ? 4 /* UserDataSource.ArrayArgument */ : 3 /* UserDataSource.Argument */ , e)); - } - - /** - * Parses user data to Protobuf Values. - * - * @param input - Data to be parsed. - * @param context - A context object representing the current path being parsed, - * the source of the data being parsed, etc. - * @returns The parsed value, or null if the value was a FieldValue sentinel - * that should not be included in the resulting parsed data. - */ function hl(t, e) { - if (fl( - // Unwrap the API type from the Compat SDK. This will return the API type - // from firestore-exp. - t = getModularInstance(t))) return dl("Unsupported field value:", e, t), ll(t, e); - if (t instanceof Qh) - // FieldValues usually parse into transforms (except deleteField()) - // in which case we do not want to include this field in our parsed data - // (as doing so will overwrite the field directly prior to the transform - // trying to transform it). So we don't add this location to - // context.fieldMask and we return null as our parsing result. - /** - * "Parses" the provided FieldValueImpl, adding any necessary transforms to - * context.fieldTransforms. - */ - return function(t, e) { - // Sentinels are only supported with writes, and not within arrays. - if (!Jh(e.ca)) throw e._a(`${t._methodName}() can only be used with update() and set()`); - if (!e.path) throw e._a(`${t._methodName}() is not currently supported inside arrays`); - const n = t._toFieldTransform(e); - n && e.fieldTransforms.push(n); - } - /** - * Helper to parse a scalar value (i.e. not an Object, Array, or FieldValue) - * - * @returns The parsed value - */ (t, e), null; - if (void 0 === t && e.ignoreUndefinedProperties) - // If the input is undefined it can never participate in the fieldMask, so - // don't handle this below. If `ignoreUndefinedProperties` is false, - // `parseScalarValue` will reject an undefined value. - return null; - if ( - // If context.path is null we are inside an array and we don't support - // field mask paths more granular than the top-level array. - e.path && e.fieldMask.push(e.path), t instanceof Array) { - // TODO(b/34871131): Include the path containing the array in the error - // message. - // In the case of IN queries, the parsed data is an array (representing - // the set of values to be included for the IN query) that may directly - // contain additional arrays (each representing an individual field - // value), so we disable this validation. - if (e.settings.la && 4 /* UserDataSource.ArrayArgument */ !== e.ca) throw e._a("Nested arrays are not supported"); - return function(t, e) { - const n = []; - let s = 0; - for (const i of t) { - let t = hl(i, e.wa(s)); - null == t && ( - // Just include nulls in the array for fields being replaced with a - // sentinel. - t = { - nullValue: "NULL_VALUE" - }), n.push(t), s++; - } - return { - arrayValue: { - values: n - } - }; - }(t, e); - } - return function(t, e) { - if (null === (t = getModularInstance(t))) return { - nullValue: "NULL_VALUE" - }; - if ("number" == typeof t) return Es(e.serializer, t); - if ("boolean" == typeof t) return { - booleanValue: t - }; - if ("string" == typeof t) return { - stringValue: t - }; - if (t instanceof Date) { - const n = it.fromDate(t); - return { - timestampValue: Di(e.serializer, n) - }; - } - if (t instanceof it) { - // Firestore backend truncates precision down to microseconds. To ensure - // offline mode works the same with regards to truncation, perform the - // truncation immediately without waiting for the backend to do that. - const n = new it(t.seconds, 1e3 * Math.floor(t.nanoseconds / 1e3)); - return { - timestampValue: Di(e.serializer, n) - }; - } - if (t instanceof jh) return { - geoPointValue: { - latitude: t.latitude, - longitude: t.longitude - } - }; - if (t instanceof Uh) return { - bytesValue: Ci(e.serializer, t._byteString) - }; - if (t instanceof fh) { - const n = e.databaseId, s = t.firestore._databaseId; - if (!s.isEqual(n)) throw e._a(`Document reference is for database ${s.projectId}/${s.database} but should be for database ${n.projectId}/${n.database}`); - return { - referenceValue: ki(t.firestore._databaseId || e.databaseId, t._key.path) - }; - } - throw e._a(`Unsupported field value: ${oh(t)}`); - } - /** - * Checks whether an object looks like a JSON object that should be converted - * into a struct. Normal class/prototype instances are considered to look like - * JSON objects since they should be converted to a struct value. Arrays, Dates, - * GeoPoints, etc. are not considered to look like JSON objects since they map - * to specific FieldValue types other than ObjectValue. - */ (t, e); - } - - function ll(t, e) { - const n = {}; - return ye(t) ? - // If we encounter an empty object, we explicitly add it to the update - // mask to ensure that the server creates a map entry. - e.path && e.path.length > 0 && e.fieldMask.push(e.path) : ge(t, ((t, s) => { - const i = hl(s, e.ha(t)); - null != i && (n[t] = i); - })), { - mapValue: { - fields: n - } - }; - } - - function fl(t) { - return !("object" != typeof t || null === t || t instanceof Array || t instanceof Date || t instanceof it || t instanceof jh || t instanceof Uh || t instanceof fh || t instanceof Qh); - } - - function dl(t, e, n) { - if (!fl(n) || !function(t) { - return "object" == typeof t && null !== t && (Object.getPrototypeOf(t) === Object.prototype || null === Object.getPrototypeOf(t)); - }(n)) { - const s = oh(n); - throw "an object" === s ? e._a(t + " a custom object") : e._a(t + " " + s); - } - } - - /** - * Helper that calls fromDotSeparatedString() but wraps any error thrown. - */ function wl(t, e, n) { - if (( - // If required, replace the FieldPath Compat class with with the firestore-exp - // FieldPath. - e = getModularInstance(e)) instanceof Kh) return e._internalPath; - if ("string" == typeof e) return ml(t, e); - throw gl("Field path arguments must be of type string or ", t, - /* hasConverter= */ !1, - /* path= */ void 0, n); - } - - /** - * Matches any characters in a field path string that are reserved. - */ const _l = new RegExp("[~\\*/\\[\\]]"); - - /** - * Wraps fromDotSeparatedString with an error message about the method that - * was thrown. - * @param methodName - The publicly visible method name - * @param path - The dot-separated string form of a field path which will be - * split on dots. - * @param targetDoc - The document against which the field path will be - * evaluated. - */ function ml(t, e, n) { - if (e.search(_l) >= 0) throw gl(`Invalid field path (${e}). Paths must not contain '~', '*', '/', '[', or ']'`, t, - /* hasConverter= */ !1, - /* path= */ void 0, n); - try { - return new Kh(...e.split("."))._internalPath; - } catch (s) { - throw gl(`Invalid field path (${e}). Paths must not be empty, begin with '.', end with '.', or contain '..'`, t, - /* hasConverter= */ !1, - /* path= */ void 0, n); - } - } - - function gl(t, e, n, s, i) { - const r = s && !s.isEmpty(), o = void 0 !== i; - let u = `Function ${e}() called with invalid data`; - n && (u += " (via `toFirestore()`)"), u += ". "; - let c = ""; - return (r || o) && (c += " (found", r && (c += ` in field ${s}`), o && (c += ` in document ${i}`), - c += ")"), new U(q.INVALID_ARGUMENT, u + t + c); - } - - /** Checks `haystack` if FieldPath `needle` is present. Runs in O(n). */ function yl(t, e) { - return t.some((t => t.isEqual(e))); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A `DocumentSnapshot` contains data read from a document in your Firestore - * database. The data can be extracted with `.data()` or `.get()` to - * get a specific field. - * - * For a `DocumentSnapshot` that points to a non-existing document, any data - * access will return 'undefined'. You can use the `exists()` method to - * explicitly verify a document's existence. - */ class pl { - // Note: This class is stripped down version of the DocumentSnapshot in - // the legacy SDK. The changes are: - // - No support for SnapshotMetadata. - // - No support for SnapshotOptions. - /** @hideconstructor protected */ - constructor(t, e, n, s, i) { - this._firestore = t, this._userDataWriter = e, this._key = n, this._document = s, - this._converter = i; - } - /** Property of the `DocumentSnapshot` that provides the document's ID. */ get id() { - return this._key.path.lastSegment(); - } - /** - * The `DocumentReference` for the document included in the `DocumentSnapshot`. - */ get ref() { - return new fh(this._firestore, this._converter, this._key); - } - /** - * Signals whether or not the document at the snapshot's location exists. - * - * @returns true if the document exists. - */ exists() { - return null !== this._document; - } - /** - * Retrieves all fields in the document as an `Object`. Returns `undefined` if - * the document doesn't exist. - * - * @returns An `Object` containing all fields in the document or `undefined` - * if the document doesn't exist. - */ data() { - if (this._document) { - if (this._converter) { - // We only want to use the converter and create a new DocumentSnapshot - // if a converter has been provided. - const t = new Il(this._firestore, this._userDataWriter, this._key, this._document, - /* converter= */ null); - return this._converter.fromFirestore(t); - } - return this._userDataWriter.convertValue(this._document.data.value); - } - } - /** - * Retrieves the field specified by `fieldPath`. Returns `undefined` if the - * document or field doesn't exist. - * - * @param fieldPath - The path (for example 'foo' or 'foo.bar') to a specific - * field. - * @returns The data at the specified field location or undefined if no such - * field exists in the document. - */ - // We are using `any` here to avoid an explicit cast by our users. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - get(t) { - if (this._document) { - const e = this._document.data.field(Tl("DocumentSnapshot.get", t)); - if (null !== e) return this._userDataWriter.convertValue(e); - } - } - } - - /** - * A `QueryDocumentSnapshot` contains data read from a document in your - * Firestore database as part of a query. The document is guaranteed to exist - * and its data can be extracted with `.data()` or `.get()` to get a - * specific field. - * - * A `QueryDocumentSnapshot` offers the same API surface as a - * `DocumentSnapshot`. Since query results contain only existing documents, the - * `exists` property will always be true and `data()` will never return - * 'undefined'. - */ class Il extends pl { - /** - * Retrieves all fields in the document as an `Object`. - * - * @override - * @returns An `Object` containing all fields in the document. - */ - data() { - return super.data(); - } - } - - /** - * Helper that calls `fromDotSeparatedString()` but wraps any error thrown. - */ function Tl(t, e) { - return "string" == typeof e ? ml(t, e) : e instanceof Kh ? e._internalPath : e._delegate._internalPath; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ function El(t) { - if ("L" /* LimitType.Last */ === t.limitType && 0 === t.explicitOrderBy.length) throw new U(q.UNIMPLEMENTED, "limitToLast() queries require specifying at least one orderBy() clause"); - } - - /** - * An `AppliableConstraint` is an abstraction of a constraint that can be applied - * to a Firestore query. - */ class Al {} - - /** - * A `QueryConstraint` is used to narrow the set of documents returned by a - * Firestore query. `QueryConstraint`s are created by invoking {@link where}, - * {@link orderBy}, {@link (startAt:1)}, {@link (startAfter:1)}, {@link - * (endBefore:1)}, {@link (endAt:1)}, {@link limit}, {@link limitToLast} and - * can then be passed to {@link (query:1)} to create a new query instance that - * also contains this `QueryConstraint`. - */ class vl extends Al {} - - function Rl(t, e, ...n) { - let s = []; - e instanceof Al && s.push(e), s = s.concat(n), function(t) { - const e = t.filter((t => t instanceof Vl)).length, n = t.filter((t => t instanceof Pl)).length; - if (e > 1 || e > 0 && n > 0) throw new U(q.INVALID_ARGUMENT, "InvalidQuery. When using composite filters, you cannot use more than one filter at the top level. Consider nesting the multiple filters within an `and(...)` statement. For example: change `query(query, where(...), or(...))` to `query(query, and(where(...), or(...)))`."); - } - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Converts Firestore's internal types to the JavaScript types that we expose - * to the user. - * - * @internal - */ (s); - for (const e of s) t = e._apply(t); - return t; - } - - /** - * A `QueryFieldFilterConstraint` is used to narrow the set of documents returned by - * a Firestore query by filtering on one or more document fields. - * `QueryFieldFilterConstraint`s are created by invoking {@link where} and can then - * be passed to {@link (query:1)} to create a new query instance that also contains - * this `QueryFieldFilterConstraint`. - */ class Pl extends vl { - /** - * @internal - */ - constructor(t, e, n) { - super(), this._field = t, this._op = e, this._value = n, - /** The type of this query constraint */ - this.type = "where"; - } - static _create(t, e, n) { - return new Pl(t, e, n); - } - _apply(t) { - const e = this._parse(t); - return Ql(t._query, e), new dh(t.firestore, t.converter, Yn(t._query, e)); - } - _parse(t) { - const e = Zh(t.firestore), n = function(t, e, n, s, i, r, o) { - let u; - if (i.isKeyField()) { - if ("array-contains" /* Operator.ARRAY_CONTAINS */ === r || "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ === r) throw new U(q.INVALID_ARGUMENT, `Invalid Query. You can't perform '${r}' queries on documentId().`); - if ("in" /* Operator.IN */ === r || "not-in" /* Operator.NOT_IN */ === r) { - Gl(o, r); - const e = []; - for (const n of o) e.push(Kl(s, t, n)); - u = { - arrayValue: { - values: e - } - }; - } else u = Kl(s, t, o); - } else "in" /* Operator.IN */ !== r && "not-in" /* Operator.NOT_IN */ !== r && "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ !== r || Gl(o, r), - u = al(n, e, o, - /* allowArrays= */ "in" /* Operator.IN */ === r || "not-in" /* Operator.NOT_IN */ === r); - return mn.create(i, r, u); - }(t._query, "where", e, t.firestore._databaseId, this._field, this._op, this._value); - return n; - } - } - - /** - * Creates a {@link QueryFieldFilterConstraint} that enforces that documents - * must contain the specified field and that the value should satisfy the - * relation constraint provided. - * - * @param fieldPath - The path to compare - * @param opStr - The operation string (e.g "<", "<=", "==", "<", - * "<=", "!="). - * @param value - The value for comparison - * @returns The created {@link QueryFieldFilterConstraint}. - */ function bl(t, e, n) { - const s = e, i = Tl("where", t); - return Pl._create(i, s, n); - } - - /** - * A `QueryCompositeFilterConstraint` is used to narrow the set of documents - * returned by a Firestore query by performing the logical OR or AND of multiple - * {@link QueryFieldFilterConstraint}s or {@link QueryCompositeFilterConstraint}s. - * `QueryCompositeFilterConstraint`s are created by invoking {@link or} or - * {@link and} and can then be passed to {@link (query:1)} to create a new query - * instance that also contains the `QueryCompositeFilterConstraint`. - */ class Vl extends Al { - /** - * @internal - */ - constructor( - /** The type of this query constraint */ - t, e) { - super(), this.type = t, this._queryConstraints = e; - } - static _create(t, e) { - return new Vl(t, e); - } - _parse(t) { - const e = this._queryConstraints.map((e => e._parse(t))).filter((t => t.getFilters().length > 0)); - return 1 === e.length ? e[0] : gn.create(e, this._getOperator()); - } - _apply(t) { - const e = this._parse(t); - return 0 === e.getFilters().length ? t : (function(t, e) { - let n = t; - const s = e.getFlattenedFilters(); - for (const t of s) Ql(n, t), n = Yn(n, t); - } - // Checks if any of the provided filter operators are included in the given list of filters and - // returns the first one that is, or null if none are. - (t._query, e), new dh(t.firestore, t.converter, Yn(t._query, e))); - } - _getQueryConstraints() { - return this._queryConstraints; - } - _getOperator() { - return "and" === this.type ? "and" /* CompositeOperator.AND */ : "or" /* CompositeOperator.OR */; - } - } - - /** - * A `QueryOrderByConstraint` is used to sort the set of documents returned by a - * Firestore query. `QueryOrderByConstraint`s are created by invoking - * {@link orderBy} and can then be passed to {@link (query:1)} to create a new query - * instance that also contains this `QueryOrderByConstraint`. - * - * Note: Documents that do not contain the orderBy field will not be present in - * the query result. - */ class Cl extends vl { - /** - * @internal - */ - constructor(t, e) { - super(), this._field = t, this._direction = e, - /** The type of this query constraint */ - this.type = "orderBy"; - } - static _create(t, e) { - return new Cl(t, e); - } - _apply(t) { - const e = function(t, e, n) { - if (null !== t.startAt) throw new U(q.INVALID_ARGUMENT, "Invalid query. You must not call startAt() or startAfter() before calling orderBy()."); - if (null !== t.endAt) throw new U(q.INVALID_ARGUMENT, "Invalid query. You must not call endAt() or endBefore() before calling orderBy()."); - const s = new dn(e, n); - return function(t, e) { - if (null === jn(t)) { - // This is the first order by. It must match any inequality. - const n = zn(t); - null !== n && jl(t, n, e.field); - } - }(t, s), s; - } - /** - * Create a `Bound` from a query and a document. - * - * Note that the `Bound` will always include the key of the document - * and so only the provided document will compare equal to the returned - * position. - * - * Will throw if the document does not contain all fields of the order by - * of the query or if any of the fields in the order by are an uncommitted - * server timestamp. - */ (t._query, this._field, this._direction); - return new dh(t.firestore, t.converter, function(t, e) { - // TODO(dimond): validate that orderBy does not list the same key twice. - const n = t.explicitOrderBy.concat([ e ]); - return new Un(t.path, t.collectionGroup, n, t.filters.slice(), t.limit, t.limitType, t.startAt, t.endAt); - }(t._query, e)); - } - } - - /** - * Creates a {@link QueryOrderByConstraint} that sorts the query result by the - * specified field, optionally in descending order instead of ascending. - * - * Note: Documents that do not contain the specified field will not be present - * in the query result. - * - * @param fieldPath - The field to sort by. - * @param directionStr - Optional direction to sort by ('asc' or 'desc'). If - * not specified, order will be ascending. - * @returns The created {@link QueryOrderByConstraint}. - */ function xl(t, e = "asc") { - const n = e, s = Tl("orderBy", t); - return Cl._create(s, n); - } - - /** - * A `QueryLimitConstraint` is used to limit the number of documents returned by - * a Firestore query. - * `QueryLimitConstraint`s are created by invoking {@link limit} or - * {@link limitToLast} and can then be passed to {@link (query:1)} to create a new - * query instance that also contains this `QueryLimitConstraint`. - */ class Nl extends vl { - /** - * @internal - */ - constructor( - /** The type of this query constraint */ - t, e, n) { - super(), this.type = t, this._limit = e, this._limitType = n; - } - static _create(t, e, n) { - return new Nl(t, e, n); - } - _apply(t) { - return new dh(t.firestore, t.converter, Xn(t._query, this._limit, this._limitType)); - } - } - - /** - * Creates a {@link QueryLimitConstraint} that only returns the first matching - * documents. - * - * @param limit - The maximum number of items to return. - * @returns The created {@link QueryLimitConstraint}. - */ function kl(t) { - return ch("limit", t), Nl._create("limit", t, "F" /* LimitType.First */); - } - - /** - * Creates a {@link QueryLimitConstraint} that only returns the last matching - * documents. - * - * You must specify at least one `orderBy` clause for `limitToLast` queries, - * otherwise an exception will be thrown during execution. - * - * @param limit - The maximum number of items to return. - * @returns The created {@link QueryLimitConstraint}. - */ function Ml(t) { - return ch("limitToLast", t), Nl._create("limitToLast", t, "L" /* LimitType.Last */); - } - - /** - * A `QueryStartAtConstraint` is used to exclude documents from the start of a - * result set returned by a Firestore query. - * `QueryStartAtConstraint`s are created by invoking {@link (startAt:1)} or - * {@link (startAfter:1)} and can then be passed to {@link (query:1)} to create a - * new query instance that also contains this `QueryStartAtConstraint`. - */ class $l extends vl { - /** - * @internal - */ - constructor( - /** The type of this query constraint */ - t, e, n) { - super(), this.type = t, this._docOrFields = e, this._inclusive = n; - } - static _create(t, e, n) { - return new $l(t, e, n); - } - _apply(t) { - const e = Ul(t, this.type, this._docOrFields, this._inclusive); - return new dh(t.firestore, t.converter, function(t, e) { - return new Un(t.path, t.collectionGroup, t.explicitOrderBy.slice(), t.filters.slice(), t.limit, t.limitType, e, t.endAt); - }(t._query, e)); - } - } - - function Ol(...t) { - return $l._create("startAt", t, - /*inclusive=*/ !0); - } - - function Fl(...t) { - return $l._create("startAfter", t, - /*inclusive=*/ !1); - } - - /** - * A `QueryEndAtConstraint` is used to exclude documents from the end of a - * result set returned by a Firestore query. - * `QueryEndAtConstraint`s are created by invoking {@link (endAt:1)} or - * {@link (endBefore:1)} and can then be passed to {@link (query:1)} to create a new - * query instance that also contains this `QueryEndAtConstraint`. - */ class Bl extends vl { - /** - * @internal - */ - constructor( - /** The type of this query constraint */ - t, e, n) { - super(), this.type = t, this._docOrFields = e, this._inclusive = n; - } - static _create(t, e, n) { - return new Bl(t, e, n); - } - _apply(t) { - const e = Ul(t, this.type, this._docOrFields, this._inclusive); - return new dh(t.firestore, t.converter, function(t, e) { - return new Un(t.path, t.collectionGroup, t.explicitOrderBy.slice(), t.filters.slice(), t.limit, t.limitType, t.startAt, e); - }(t._query, e)); - } - } - - function Ll(...t) { - return Bl._create("endBefore", t, - /*inclusive=*/ !1); - } - - function ql(...t) { - return Bl._create("endAt", t, - /*inclusive=*/ !0); - } - - /** Helper function to create a bound from a document or fields */ function Ul(t, e, n, s) { - if (n[0] = getModularInstance(n[0]), n[0] instanceof pl) return function(t, e, n, s, i) { - if (!s) throw new U(q.NOT_FOUND, `Can't use a DocumentSnapshot that doesn't exist for ${n}().`); - const r = []; - // Because people expect to continue/end a query at the exact document - // provided, we need to use the implicit sort order rather than the explicit - // sort order, because it's guaranteed to contain the document key. That way - // the position becomes unambiguous and the query continues/ends exactly at - // the provided document. Without the key (by using the explicit sort - // orders), multiple documents could match the position, yielding duplicate - // results. - for (const n of Hn(t)) if (n.field.isKeyField()) r.push(We(e, s.key)); else { - const t = s.data.field(n.field); - if (Ne(t)) throw new U(q.INVALID_ARGUMENT, 'Invalid query. You are trying to start or end a query using a document for which the field "' + n.field + '" is an uncommitted server timestamp. (Since the value of this field is unknown, you cannot start/end a query with it.)'); - if (null === t) { - const t = n.field.canonicalString(); - throw new U(q.INVALID_ARGUMENT, `Invalid query. You are trying to start or end a query using a document for which the field '${t}' (used as the orderBy) does not exist.`); - } - r.push(t); - } - return new hn(r, i); - } - /** - * Converts a list of field values to a `Bound` for the given query. - */ (t._query, t.firestore._databaseId, e, n[0]._document, s); - { - const i = Zh(t.firestore); - return function(t, e, n, s, i, r) { - // Use explicit order by's because it has to match the query the user made - const o = t.explicitOrderBy; - if (i.length > o.length) throw new U(q.INVALID_ARGUMENT, `Too many arguments provided to ${s}(). The number of arguments must be less than or equal to the number of orderBy() clauses`); - const u = []; - for (let r = 0; r < i.length; r++) { - const c = i[r]; - if (o[r].field.isKeyField()) { - if ("string" != typeof c) throw new U(q.INVALID_ARGUMENT, `Invalid query. Expected a string for document ID in ${s}(), but got a ${typeof c}`); - if (!Wn(t) && -1 !== c.indexOf("/")) throw new U(q.INVALID_ARGUMENT, `Invalid query. When querying a collection and ordering by documentId(), the value passed to ${s}() must be a plain document ID, but '${c}' contains a slash.`); - const n = t.path.child(ut.fromString(c)); - if (!ht.isDocumentKey(n)) throw new U(q.INVALID_ARGUMENT, `Invalid query. When querying a collection group and ordering by documentId(), the value passed to ${s}() must result in a valid document path, but '${n}' is not because it contains an odd number of segments.`); - const i = new ht(n); - u.push(We(e, i)); - } else { - const t = al(n, s, c); - u.push(t); - } - } - return new hn(u, r); - } - /** - * Parses the given `documentIdValue` into a `ReferenceValue`, throwing - * appropriate errors if the value is anything other than a `DocumentReference` - * or `string`, or if the string is malformed. - */ (t._query, t.firestore._databaseId, i, e, n, s); - } - } - - function Kl(t, e, n) { - if ("string" == typeof (n = getModularInstance(n))) { - if ("" === n) throw new U(q.INVALID_ARGUMENT, "Invalid query. When querying with documentId(), you must provide a valid document ID, but it was an empty string."); - if (!Wn(e) && -1 !== n.indexOf("/")) throw new U(q.INVALID_ARGUMENT, `Invalid query. When querying a collection by documentId(), you must provide a plain document ID, but '${n}' contains a '/' character.`); - const s = e.path.child(ut.fromString(n)); - if (!ht.isDocumentKey(s)) throw new U(q.INVALID_ARGUMENT, `Invalid query. When querying a collection group by documentId(), the value provided must result in a valid document path, but '${s}' is not because it has an odd number of segments (${s.length}).`); - return We(t, new ht(s)); - } - if (n instanceof fh) return We(t, n._key); - throw new U(q.INVALID_ARGUMENT, `Invalid query. When querying with documentId(), you must provide a valid string or a DocumentReference, but it was: ${oh(n)}.`); - } - - /** - * Validates that the value passed into a disjunctive filter satisfies all - * array requirements. - */ function Gl(t, e) { - if (!Array.isArray(t) || 0 === t.length) throw new U(q.INVALID_ARGUMENT, `Invalid Query. A non-empty array is required for '${e.toString()}' filters.`); - } - - /** - * Given an operator, returns the set of operators that cannot be used with it. - * - * This is not a comprehensive check, and this function should be removed in the - * long term. Validations should occur in the Firestore backend. - * - * Operators in a query must adhere to the following set of rules: - * 1. Only one inequality per query. - * 2. `NOT_IN` cannot be used with array, disjunctive, or `NOT_EQUAL` operators. - */ function Ql(t, e) { - if (e.isInequality()) { - const n = zn(t), s = e.field; - if (null !== n && !n.isEqual(s)) throw new U(q.INVALID_ARGUMENT, `Invalid query. All where filters with an inequality (<, <=, !=, not-in, >, or >=) must be on the same field. But you have inequality filters on '${n.toString()}' and '${s.toString()}'`); - const i = jn(t); - null !== i && jl(t, s, i); - } - const n = function(t, e) { - for (const n of t) for (const t of n.getFlattenedFilters()) if (e.indexOf(t.op) >= 0) return t.op; - return null; - }(t.filters, function(t) { - switch (t) { - case "!=" /* Operator.NOT_EQUAL */ : - return [ "!=" /* Operator.NOT_EQUAL */ , "not-in" /* Operator.NOT_IN */ ]; - - case "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ : - case "in" /* Operator.IN */ : - return [ "not-in" /* Operator.NOT_IN */ ]; - - case "not-in" /* Operator.NOT_IN */ : - return [ "array-contains-any" /* Operator.ARRAY_CONTAINS_ANY */ , "in" /* Operator.IN */ , "not-in" /* Operator.NOT_IN */ , "!=" /* Operator.NOT_EQUAL */ ]; - - default: - return []; - } - }(e.op)); - if (null !== n) - // Special case when it's a duplicate op to give a slightly clearer error message. - throw n === e.op ? new U(q.INVALID_ARGUMENT, `Invalid query. You cannot use more than one '${e.op.toString()}' filter.`) : new U(q.INVALID_ARGUMENT, `Invalid query. You cannot use '${e.op.toString()}' filters with '${n.toString()}' filters.`); - } - - function jl(t, e, n) { - if (!n.isEqual(e)) throw new U(q.INVALID_ARGUMENT, `Invalid query. You have a where filter with an inequality (<, <=, !=, not-in, >, or >=) on field '${e.toString()}' and so you must also use '${e.toString()}' as your first argument to orderBy(), but your first orderBy() is on field '${n.toString()}' instead.`); - } - - class Wl { - convertValue(t, e = "none") { - switch (Le(t)) { - case 0 /* TypeOrder.NullValue */ : - return null; - - case 1 /* TypeOrder.BooleanValue */ : - return t.booleanValue; - - case 2 /* TypeOrder.NumberValue */ : - return Ce(t.integerValue || t.doubleValue); - - case 3 /* TypeOrder.TimestampValue */ : - return this.convertTimestamp(t.timestampValue); - - case 4 /* TypeOrder.ServerTimestampValue */ : - return this.convertServerTimestamp(t, e); - - case 5 /* TypeOrder.StringValue */ : - return t.stringValue; - - case 6 /* TypeOrder.BlobValue */ : - return this.convertBytes(xe(t.bytesValue)); - - case 7 /* TypeOrder.RefValue */ : - return this.convertReference(t.referenceValue); - - case 8 /* TypeOrder.GeoPointValue */ : - return this.convertGeoPoint(t.geoPointValue); - - case 9 /* TypeOrder.ArrayValue */ : - return this.convertArray(t.arrayValue, e); - - case 10 /* TypeOrder.ObjectValue */ : - return this.convertObject(t.mapValue, e); - - default: - throw O(); - } - } - convertObject(t, e) { - return this.convertObjectMap(t.fields, e); - } - /** - * @internal - */ convertObjectMap(t, e = "none") { - const n = {}; - return ge(t, ((t, s) => { - n[t] = this.convertValue(s, e); - })), n; - } - convertGeoPoint(t) { - return new jh(Ce(t.latitude), Ce(t.longitude)); - } - convertArray(t, e) { - return (t.values || []).map((t => this.convertValue(t, e))); - } - convertServerTimestamp(t, e) { - switch (e) { - case "previous": - const n = ke(t); - return null == n ? null : this.convertValue(n, e); - - case "estimate": - return this.convertTimestamp(Me(t)); - - default: - return null; - } - } - convertTimestamp(t) { - const e = De(t); - return new it(e.seconds, e.nanos); - } - convertDocumentKey(t, e) { - const n = ut.fromString(t); - F(ur(n)); - const s = new Oe(n.get(1), n.get(3)), i = new ht(n.popFirst(5)); - return s.isEqual(e) || - // TODO(b/64130202): Somehow support foreign references. - k(`Document ${i} contains a document reference within a different database (${s.projectId}/${s.database}) which is not supported. It will be treated as a reference in the current database (${e.projectId}/${e.database}) instead.`), - i; - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Converts custom model object of type T into `DocumentData` by applying the - * converter if it exists. - * - * This function is used when converting user objects to `DocumentData` - * because we want to provide the user with a more specific error message if - * their `set()` or fails due to invalid data originating from a `toFirestore()` - * call. - */ function Hl(t, e, n) { - let s; - // Cast to `any` in order to satisfy the union type constraint on - // toFirestore(). - // eslint-disable-next-line @typescript-eslint/no-explicit-any - return s = t ? n && (n.merge || n.mergeFields) ? t.toFirestore(e, n) : t.toFirestore(e) : e, - s; - } - - class Jl extends Wl { - constructor(t) { - super(), this.firestore = t; - } - convertBytes(t) { - return new Uh(t); - } - convertReference(t) { - const e = this.convertDocumentKey(t, this.firestore._databaseId); - return new fh(this.firestore, /* converter= */ null, e); - } - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Metadata about a snapshot, describing the state of the snapshot. - */ class nf { - /** @hideconstructor */ - constructor(t, e) { - this.hasPendingWrites = t, this.fromCache = e; - } - /** - * Returns true if this `SnapshotMetadata` is equal to the provided one. - * - * @param other - The `SnapshotMetadata` to compare against. - * @returns true if this `SnapshotMetadata` is equal to the provided one. - */ isEqual(t) { - return this.hasPendingWrites === t.hasPendingWrites && this.fromCache === t.fromCache; - } - } - - /** - * A `DocumentSnapshot` contains data read from a document in your Firestore - * database. The data can be extracted with `.data()` or `.get()` to - * get a specific field. - * - * For a `DocumentSnapshot` that points to a non-existing document, any data - * access will return 'undefined'. You can use the `exists()` method to - * explicitly verify a document's existence. - */ class sf extends pl { - /** @hideconstructor protected */ - constructor(t, e, n, s, i, r) { - super(t, e, n, s, r), this._firestore = t, this._firestoreImpl = t, this.metadata = i; - } - /** - * Returns whether or not the data exists. True if the document exists. - */ exists() { - return super.exists(); - } - /** - * Retrieves all fields in the document as an `Object`. Returns `undefined` if - * the document doesn't exist. - * - * By default, `serverTimestamp()` values that have not yet been - * set to their final value will be returned as `null`. You can override - * this by passing an options object. - * - * @param options - An options object to configure how data is retrieved from - * the snapshot (for example the desired behavior for server timestamps that - * have not yet been set to their final value). - * @returns An `Object` containing all fields in the document or `undefined` if - * the document doesn't exist. - */ data(t = {}) { - if (this._document) { - if (this._converter) { - // We only want to use the converter and create a new DocumentSnapshot - // if a converter has been provided. - const e = new rf(this._firestore, this._userDataWriter, this._key, this._document, this.metadata, - /* converter= */ null); - return this._converter.fromFirestore(e, t); - } - return this._userDataWriter.convertValue(this._document.data.value, t.serverTimestamps); - } - } - /** - * Retrieves the field specified by `fieldPath`. Returns `undefined` if the - * document or field doesn't exist. - * - * By default, a `serverTimestamp()` that has not yet been set to - * its final value will be returned as `null`. You can override this by - * passing an options object. - * - * @param fieldPath - The path (for example 'foo' or 'foo.bar') to a specific - * field. - * @param options - An options object to configure how the field is retrieved - * from the snapshot (for example the desired behavior for server timestamps - * that have not yet been set to their final value). - * @returns The data at the specified field location or undefined if no such - * field exists in the document. - */ - // We are using `any` here to avoid an explicit cast by our users. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - get(t, e = {}) { - if (this._document) { - const n = this._document.data.field(Tl("DocumentSnapshot.get", t)); - if (null !== n) return this._userDataWriter.convertValue(n, e.serverTimestamps); - } - } - } - - /** - * A `QueryDocumentSnapshot` contains data read from a document in your - * Firestore database as part of a query. The document is guaranteed to exist - * and its data can be extracted with `.data()` or `.get()` to get a - * specific field. - * - * A `QueryDocumentSnapshot` offers the same API surface as a - * `DocumentSnapshot`. Since query results contain only existing documents, the - * `exists` property will always be true and `data()` will never return - * 'undefined'. - */ class rf extends sf { - /** - * Retrieves all fields in the document as an `Object`. - * - * By default, `serverTimestamp()` values that have not yet been - * set to their final value will be returned as `null`. You can override - * this by passing an options object. - * - * @override - * @param options - An options object to configure how data is retrieved from - * the snapshot (for example the desired behavior for server timestamps that - * have not yet been set to their final value). - * @returns An `Object` containing all fields in the document. - */ - data(t = {}) { - return super.data(t); - } - } - - /** - * A `QuerySnapshot` contains zero or more `DocumentSnapshot` objects - * representing the results of a query. The documents can be accessed as an - * array via the `docs` property or enumerated using the `forEach` method. The - * number of documents can be determined via the `empty` and `size` - * properties. - */ class of { - /** @hideconstructor */ - constructor(t, e, n, s) { - this._firestore = t, this._userDataWriter = e, this._snapshot = s, this.metadata = new nf(s.hasPendingWrites, s.fromCache), - this.query = n; - } - /** An array of all the documents in the `QuerySnapshot`. */ get docs() { - const t = []; - return this.forEach((e => t.push(e))), t; - } - /** The number of documents in the `QuerySnapshot`. */ get size() { - return this._snapshot.docs.size; - } - /** True if there are no documents in the `QuerySnapshot`. */ get empty() { - return 0 === this.size; - } - /** - * Enumerates all of the documents in the `QuerySnapshot`. - * - * @param callback - A callback to be called with a `QueryDocumentSnapshot` for - * each document in the snapshot. - * @param thisArg - The `this` binding for the callback. - */ forEach(t, e) { - this._snapshot.docs.forEach((n => { - t.call(e, new rf(this._firestore, this._userDataWriter, n.key, n, new nf(this._snapshot.mutatedKeys.has(n.key), this._snapshot.fromCache), this.query.converter)); - })); - } - /** - * Returns an array of the documents changes since the last snapshot. If this - * is the first snapshot, all documents will be in the list as 'added' - * changes. - * - * @param options - `SnapshotListenOptions` that control whether metadata-only - * changes (i.e. only `DocumentSnapshot.metadata` changed) should trigger - * snapshot events. - */ docChanges(t = {}) { - const e = !!t.includeMetadataChanges; - if (e && this._snapshot.excludesMetadataChanges) throw new U(q.INVALID_ARGUMENT, "To include metadata changes with your document changes, you must also pass { includeMetadataChanges:true } to onSnapshot()."); - return this._cachedChanges && this._cachedChangesIncludeMetadataChanges === e || (this._cachedChanges = - /** Calculates the array of `DocumentChange`s for a given `ViewSnapshot`. */ - function(t, e) { - if (t._snapshot.oldDocs.isEmpty()) { - let e = 0; - return t._snapshot.docChanges.map((n => { - const s = new rf(t._firestore, t._userDataWriter, n.doc.key, n.doc, new nf(t._snapshot.mutatedKeys.has(n.doc.key), t._snapshot.fromCache), t.query.converter); - return n.doc, { - type: "added", - doc: s, - oldIndex: -1, - newIndex: e++ - }; - })); - } - { - // A `DocumentSet` that is updated incrementally as changes are applied to use - // to lookup the index of a document. - let n = t._snapshot.oldDocs; - return t._snapshot.docChanges.filter((t => e || 3 /* ChangeType.Metadata */ !== t.type)).map((e => { - const s = new rf(t._firestore, t._userDataWriter, e.doc.key, e.doc, new nf(t._snapshot.mutatedKeys.has(e.doc.key), t._snapshot.fromCache), t.query.converter); - let i = -1, r = -1; - return 0 /* ChangeType.Added */ !== e.type && (i = n.indexOf(e.doc.key), n = n.delete(e.doc.key)), - 1 /* ChangeType.Removed */ !== e.type && (n = n.add(e.doc), r = n.indexOf(e.doc.key)), - { - type: uf(e.type), - doc: s, - oldIndex: i, - newIndex: r - }; - })); - } - }(this, e), this._cachedChangesIncludeMetadataChanges = e), this._cachedChanges; - } - } - - function uf(t) { - switch (t) { - case 0 /* ChangeType.Added */ : - return "added"; - - case 2 /* ChangeType.Modified */ : - case 3 /* ChangeType.Metadata */ : - return "modified"; - - case 1 /* ChangeType.Removed */ : - return "removed"; - - default: - return O(); - } - } - - // TODO(firestoreexp): Add tests for snapshotEqual with different snapshot - // metadata - /** - * Returns true if the provided snapshots are equal. - * - * @param left - A snapshot to compare. - * @param right - A snapshot to compare. - * @returns true if the snapshots are equal. - */ function cf(t, e) { - return t instanceof sf && e instanceof sf ? t._firestore === e._firestore && t._key.isEqual(e._key) && (null === t._document ? null === e._document : t._document.isEqual(e._document)) && t._converter === e._converter : t instanceof of && e instanceof of && (t._firestore === e._firestore && ph(t.query, e.query) && t.metadata.isEqual(e.metadata) && t._snapshot.isEqual(e._snapshot)); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Reads the document referred to by this `DocumentReference`. - * - * Note: `getDoc()` attempts to provide up-to-date data when possible by waiting - * for data from the server, but it may return cached data or fail if you are - * offline and the server cannot be reached. To specify this behavior, invoke - * {@link getDocFromCache} or {@link getDocFromServer}. - * - * @param reference - The reference of the document to fetch. - * @returns A Promise resolved with a `DocumentSnapshot` containing the - * current document contents. - */ function af(t) { - t = uh(t, fh); - const e = uh(t.firestore, vh); - return za(bh(e), t._key).then((n => Af(e, t, n))); - } - - class hf extends Wl { - constructor(t) { - super(), this.firestore = t; - } - convertBytes(t) { - return new Uh(t); - } - convertReference(t) { - const e = this.convertDocumentKey(t, this.firestore._databaseId); - return new fh(this.firestore, /* converter= */ null, e); - } - } - - /** - * Reads the document referred to by this `DocumentReference` from cache. - * Returns an error if the document is not currently cached. - * - * @returns A `Promise` resolved with a `DocumentSnapshot` containing the - * current document contents. - */ function lf(t) { - t = uh(t, fh); - const e = uh(t.firestore, vh), n = bh(e), s = new hf(e); - return ja(n, t._key).then((n => new sf(e, s, t._key, n, new nf(null !== n && n.hasLocalMutations, - /* fromCache= */ !0), t.converter))); - } - - /** - * Reads the document referred to by this `DocumentReference` from the server. - * Returns an error if the network is not available. - * - * @returns A `Promise` resolved with a `DocumentSnapshot` containing the - * current document contents. - */ function ff(t) { - t = uh(t, fh); - const e = uh(t.firestore, vh); - return za(bh(e), t._key, { - source: "server" - }).then((n => Af(e, t, n))); - } - - /** - * Executes the query and returns the results as a `QuerySnapshot`. - * - * Note: `getDocs()` attempts to provide up-to-date data when possible by - * waiting for data from the server, but it may return cached data or fail if - * you are offline and the server cannot be reached. To specify this behavior, - * invoke {@link getDocsFromCache} or {@link getDocsFromServer}. - * - * @returns A `Promise` that will be resolved with the results of the query. - */ function df(t) { - t = uh(t, dh); - const e = uh(t.firestore, vh), n = bh(e), s = new hf(e); - return El(t._query), Ha(n, t._query).then((n => new of(e, s, t, n))); - } - - /** - * Executes the query and returns the results as a `QuerySnapshot` from cache. - * Returns an empty result set if no documents matching the query are currently - * cached. - * - * @returns A `Promise` that will be resolved with the results of the query. - */ function wf(t) { - t = uh(t, dh); - const e = uh(t.firestore, vh), n = bh(e), s = new hf(e); - return Wa(n, t._query).then((n => new of(e, s, t, n))); - } - - /** - * Executes the query and returns the results as a `QuerySnapshot` from the - * server. Returns an error if the network is not available. - * - * @returns A `Promise` that will be resolved with the results of the query. - */ function _f(t) { - t = uh(t, dh); - const e = uh(t.firestore, vh), n = bh(e), s = new hf(e); - return Ha(n, t._query, { - source: "server" - }).then((n => new of(e, s, t, n))); - } - - function mf(t, e, n) { - t = uh(t, fh); - const s = uh(t.firestore, vh), i = Hl(t.converter, e, n); - return Ef(s, [ tl(Zh(s), "setDoc", t._key, i, null !== t.converter, n).toMutation(t._key, Fs.none()) ]); - } - - function gf(t, e, n, ...s) { - t = uh(t, fh); - const i = uh(t.firestore, vh), r = Zh(i); - let o; - o = "string" == typeof ( - // For Compat types, we have to "extract" the underlying types before - // performing validation. - e = getModularInstance(e)) || e instanceof Kh ? cl(r, "updateDoc", t._key, e, n, s) : ul(r, "updateDoc", t._key, e); - return Ef(i, [ o.toMutation(t._key, Fs.exists(!0)) ]); - } - - /** - * Deletes the document referred to by the specified `DocumentReference`. - * - * @param reference - A reference to the document to delete. - * @returns A Promise resolved once the document has been successfully - * deleted from the backend (note that it won't resolve while you're offline). - */ function yf(t) { - return Ef(uh(t.firestore, vh), [ new Ys(t._key, Fs.none()) ]); - } - - /** - * Add a new document to specified `CollectionReference` with the given data, - * assigning it a document ID automatically. - * - * @param reference - A reference to the collection to add this document to. - * @param data - An Object containing the data for the new document. - * @returns A `Promise` resolved with a `DocumentReference` pointing to the - * newly created document after it has been written to the backend (Note that it - * won't resolve while you're offline). - */ function pf(t, e) { - const n = uh(t.firestore, vh), s = gh(t), i = Hl(t.converter, e); - return Ef(n, [ tl(Zh(t.firestore), "addDoc", s._key, i, null !== t.converter, {}).toMutation(s._key, Fs.exists(!1)) ]).then((() => s)); - } - - function If(t, ...e) { - var n, s, i; - t = getModularInstance(t); - let r = { - includeMetadataChanges: !1 - }, o = 0; - "object" != typeof e[o] || Th(e[o]) || (r = e[o], o++); - const u = { - includeMetadataChanges: r.includeMetadataChanges - }; - if (Th(e[o])) { - const t = e[o]; - e[o] = null === (n = t.next) || void 0 === n ? void 0 : n.bind(t), e[o + 1] = null === (s = t.error) || void 0 === s ? void 0 : s.bind(t), - e[o + 2] = null === (i = t.complete) || void 0 === i ? void 0 : i.bind(t); - } - let c, a, h; - if (t instanceof fh) a = uh(t.firestore, vh), h = Gn(t._key.path), c = { - next: n => { - e[o] && e[o](Af(a, t, n)); - }, - error: e[o + 1], - complete: e[o + 2] - }; else { - const n = uh(t, dh); - a = uh(n.firestore, vh), h = n._query; - const s = new hf(a); - c = { - next: t => { - e[o] && e[o](new of(a, s, n, t)); - }, - error: e[o + 1], - complete: e[o + 2] - }, El(t._query); - } - return function(t, e, n, s) { - const i = new Va(s), r = new Nc(e, i, n); - return t.asyncQueue.enqueueAndForget((async () => Vc(await Ka(t), r))), () => { - i.Dc(), t.asyncQueue.enqueueAndForget((async () => Sc(await Ka(t), r))); - }; - }(bh(a), h, u, c); - } - - function Tf(t, e) { - return Ja(bh(t = uh(t, vh)), Th(e) ? e : { - next: e - }); - } - - /** - * Locally writes `mutations` on the async queue. - * @internal - */ function Ef(t, e) { - return function(t, e) { - const n = new K; - return t.asyncQueue.enqueueAndForget((async () => zc(await qa(t), e, n))), n.promise; - }(bh(t), e); - } - - /** - * Converts a {@link ViewSnapshot} that contains the single document specified by `ref` - * to a {@link DocumentSnapshot}. - */ function Af(t, e, n) { - const s = n.docs.get(e._key), i = new hf(t); - return new sf(t, i, e._key, s, new nf(n.hasPendingWrites, n.fromCache), e.converter); - } - - /** - * @license - * Copyright 2022 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ const Ff = { - maxAttempts: 5 - }; - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A write batch, used to perform multiple writes as a single atomic unit. - * - * A `WriteBatch` object can be acquired by calling {@link writeBatch}. It - * provides methods for adding writes to the write batch. None of the writes - * will be committed (or visible locally) until {@link WriteBatch.commit} is - * called. - */ - class Bf { - /** @hideconstructor */ - constructor(t, e) { - this._firestore = t, this._commitHandler = e, this._mutations = [], this._committed = !1, - this._dataReader = Zh(t); - } - set(t, e, n) { - this._verifyNotCommitted(); - const s = Lf(t, this._firestore), i = Hl(s.converter, e, n), r = tl(this._dataReader, "WriteBatch.set", s._key, i, null !== s.converter, n); - return this._mutations.push(r.toMutation(s._key, Fs.none())), this; - } - update(t, e, n, ...s) { - this._verifyNotCommitted(); - const i = Lf(t, this._firestore); - // For Compat types, we have to "extract" the underlying types before - // performing validation. - let r; - return r = "string" == typeof (e = getModularInstance(e)) || e instanceof Kh ? cl(this._dataReader, "WriteBatch.update", i._key, e, n, s) : ul(this._dataReader, "WriteBatch.update", i._key, e), - this._mutations.push(r.toMutation(i._key, Fs.exists(!0))), this; - } - /** - * Deletes the document referred to by the provided {@link DocumentReference}. - * - * @param documentRef - A reference to the document to be deleted. - * @returns This `WriteBatch` instance. Used for chaining method calls. - */ delete(t) { - this._verifyNotCommitted(); - const e = Lf(t, this._firestore); - return this._mutations = this._mutations.concat(new Ys(e._key, Fs.none())), this; - } - /** - * Commits all of the writes in this write batch as a single atomic unit. - * - * The result of these writes will only be reflected in document reads that - * occur after the returned promise resolves. If the client is offline, the - * write fails. If you would like to see local modifications or buffer writes - * until the client is online, use the full Firestore SDK. - * - * @returns A `Promise` resolved once all of the writes in the batch have been - * successfully written to the backend as an atomic unit (note that it won't - * resolve while you're offline). - */ commit() { - return this._verifyNotCommitted(), this._committed = !0, this._mutations.length > 0 ? this._commitHandler(this._mutations) : Promise.resolve(); - } - _verifyNotCommitted() { - if (this._committed) throw new U(q.FAILED_PRECONDITION, "A write batch can no longer be used after commit() has been called."); - } - } - - function Lf(t, e) { - if ((t = getModularInstance(t)).firestore !== e) throw new U(q.INVALID_ARGUMENT, "Provided document reference is from a different Firestore instance."); - return t; - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // TODO(mrschmidt) Consider using `BaseTransaction` as the base class in the - // legacy SDK. - /** - * A reference to a transaction. - * - * The `Transaction` object passed to a transaction's `updateFunction` provides - * the methods to read and write data within the transaction context. See - * {@link runTransaction}. - */ - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * A reference to a transaction. - * - * The `Transaction` object passed to a transaction's `updateFunction` provides - * the methods to read and write data within the transaction context. See - * {@link runTransaction}. - */ - class qf extends class { - /** @hideconstructor */ - constructor(t, e) { - this._firestore = t, this._transaction = e, this._dataReader = Zh(t); - } - /** - * Reads the document referenced by the provided {@link DocumentReference}. - * - * @param documentRef - A reference to the document to be read. - * @returns A `DocumentSnapshot` with the read data. - */ get(t) { - const e = Lf(t, this._firestore), n = new Jl(this._firestore); - return this._transaction.lookup([ e._key ]).then((t => { - if (!t || 1 !== t.length) return O(); - const s = t[0]; - if (s.isFoundDocument()) return new pl(this._firestore, n, s.key, s, e.converter); - if (s.isNoDocument()) return new pl(this._firestore, n, e._key, null, e.converter); - throw O(); - })); - } - set(t, e, n) { - const s = Lf(t, this._firestore), i = Hl(s.converter, e, n), r = tl(this._dataReader, "Transaction.set", s._key, i, null !== s.converter, n); - return this._transaction.set(s._key, r), this; - } - update(t, e, n, ...s) { - const i = Lf(t, this._firestore); - // For Compat types, we have to "extract" the underlying types before - // performing validation. - let r; - return r = "string" == typeof (e = getModularInstance(e)) || e instanceof Kh ? cl(this._dataReader, "Transaction.update", i._key, e, n, s) : ul(this._dataReader, "Transaction.update", i._key, e), - this._transaction.update(i._key, r), this; - } - /** - * Deletes the document referred to by the provided {@link DocumentReference}. - * - * @param documentRef - A reference to the document to be deleted. - * @returns This `Transaction` instance. Used for chaining method calls. - */ delete(t) { - const e = Lf(t, this._firestore); - return this._transaction.delete(e._key), this; - } - } { - // This class implements the same logic as the Transaction API in the Lite SDK - // but is subclassed in order to return its own DocumentSnapshot types. - /** @hideconstructor */ - constructor(t, e) { - super(t, e), this._firestore = t; - } - /** - * Reads the document referenced by the provided {@link DocumentReference}. - * - * @param documentRef - A reference to the document to be read. - * @returns A `DocumentSnapshot` with the read data. - */ get(t) { - const e = Lf(t, this._firestore), n = new hf(this._firestore); - return super.get(t).then((t => new sf(this._firestore, n, e._key, t._document, new nf( - /* hasPendingWrites= */ !1, - /* fromCache= */ !1), e.converter))); - } - } - - /** - * Executes the given `updateFunction` and then attempts to commit the changes - * applied within the transaction. If any document read within the transaction - * has changed, Cloud Firestore retries the `updateFunction`. If it fails to - * commit after 5 attempts, the transaction fails. - * - * The maximum number of writes allowed in a single transaction is 500. - * - * @param firestore - A reference to the Firestore database to run this - * transaction against. - * @param updateFunction - The function to execute within the transaction - * context. - * @param options - An options object to configure maximum number of attempts to - * commit. - * @returns If the transaction completed successfully or was explicitly aborted - * (the `updateFunction` returned a failed promise), the promise returned by the - * `updateFunction `is returned here. Otherwise, if the transaction failed, a - * rejected promise with the corresponding failure error is returned. - */ function Uf(t, e, n) { - t = uh(t, vh); - const s = Object.assign(Object.assign({}, Ff), n); - !function(t) { - if (t.maxAttempts < 1) throw new U(q.INVALID_ARGUMENT, "Max attempts must be at least 1"); - }(s); - return function(t, e, n) { - const s = new K; - return t.asyncQueue.enqueueAndForget((async () => { - const i = await Ua(t); - new Ca(t.asyncQueue, i, n, e, s).run(); - })), s.promise; - }(bh(t), (n => e(new qf(t, n))), s); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Returns a sentinel for use with {@link @firebase/firestore/lite#(updateDoc:1)} or - * {@link @firebase/firestore/lite#(setDoc:1)} with `{merge: true}` to mark a field for deletion. - */ function Kf() { - return new el("deleteField"); - } - - /** - * Returns a sentinel used with {@link @firebase/firestore/lite#(setDoc:1)} or {@link @firebase/firestore/lite#(updateDoc:1)} to - * include a server-generated timestamp in the written data. - */ function Gf() { - return new sl("serverTimestamp"); - } - - /** - * Returns a special value that can be used with {@link @firebase/firestore/lite#(setDoc:1)} or {@link - * @firebase/firestore/lite#(updateDoc:1)} that tells the server to union the given elements with any array - * value that already exists on the server. Each specified element that doesn't - * already exist in the array will be added to the end. If the field being - * modified is not already an array it will be overwritten with an array - * containing exactly the specified elements. - * - * @param elements - The elements to union into the array. - * @returns The `FieldValue` sentinel for use in a call to `setDoc()` or - * `updateDoc()`. - */ function Qf(...t) { - // NOTE: We don't actually parse the data until it's used in set() or - // update() since we'd need the Firestore instance to do this. - return new il("arrayUnion", t); - } - - /** - * Returns a special value that can be used with {@link (setDoc:1)} or {@link - * updateDoc:1} that tells the server to remove the given elements from any - * array value that already exists on the server. All instances of each element - * specified will be removed from the array. If the field being modified is not - * already an array it will be overwritten with an empty array. - * - * @param elements - The elements to remove from the array. - * @returns The `FieldValue` sentinel for use in a call to `setDoc()` or - * `updateDoc()` - */ function jf(...t) { - // NOTE: We don't actually parse the data until it's used in set() or - // update() since we'd need the Firestore instance to do this. - return new rl("arrayRemove", t); - } - - /** - * Returns a special value that can be used with {@link @firebase/firestore/lite#(setDoc:1)} or {@link - * @firebase/firestore/lite#(updateDoc:1)} that tells the server to increment the field's current value by - * the given value. - * - * If either the operand or the current field value uses floating point - * precision, all arithmetic follows IEEE 754 semantics. If both values are - * integers, values outside of JavaScript's safe number range - * (`Number.MIN_SAFE_INTEGER` to `Number.MAX_SAFE_INTEGER`) are also subject to - * precision loss. Furthermore, once processed by the Firestore backend, all - * integer operations are capped between -2^63 and 2^63-1. - * - * If the current field value is not of type `number`, or if the field does not - * yet exist, the transformation sets the field to the given value. - * - * @param n - The value to increment by. - * @returns The `FieldValue` sentinel for use in a call to `setDoc()` or - * `updateDoc()` - */ function zf(t) { - return new ol("increment", t); - } - - /** - * Cloud Firestore - * - * @packageDocumentation - */ !function(t, e = !0) { - !function(t) { - S = t; - }(SDK_VERSION$1), _registerComponent(new Component("firestore", ((t, {instanceIdentifier: n, options: s}) => { - const i = t.getProvider("app").getImmediate(), r = new vh(new z(t.getProvider("auth-internal")), new Y(t.getProvider("app-check-internal")), function(t, e) { - if (!Object.prototype.hasOwnProperty.apply(t.options, [ "projectId" ])) throw new U(q.INVALID_ARGUMENT, '"projectId" not provided in firebase.initializeApp.'); - return new Oe(t.options.projectId, e); - }(i, n), i); - return s = Object.assign({ - useFetchStreams: e - }, s), r._setSettings(s), r; - }), "PUBLIC").setMultipleInstances(!0)), registerVersion(b, "3.12.1", t), - // BUILD_TARGET will be replaced by values like esm5, esm2017, cjs5, etc during the compilation - registerVersion(b, "3.12.1", "esm2017"); - }(); - - const name = "@firebase/firestore-compat"; - const version = "0.3.10"; - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function validateSetOptions(methodName, options) { - if (options === undefined) { - return { - merge: false - }; - } - if (options.mergeFields !== undefined && options.merge !== undefined) { - throw new U('invalid-argument', `Invalid options passed to function ${methodName}(): You cannot ` + - 'specify both "merge" and "mergeFields".'); - } - return options; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** Helper function to assert Uint8Array is available at runtime. */ - function assertUint8ArrayAvailable() { - if (typeof Uint8Array === 'undefined') { - throw new U('unimplemented', 'Uint8Arrays are not available in this environment.'); - } - } - /** Helper function to assert Base64 functions are available at runtime. */ - function assertBase64Available() { - if (!be()) { - throw new U('unimplemented', 'Blobs are unavailable in Firestore in this environment.'); - } - } - /** Immutable class holding a blob (binary data) */ - class Blob$1 { - constructor(_delegate) { - this._delegate = _delegate; - } - static fromBase64String(base64) { - assertBase64Available(); - return new Blob$1(Uh.fromBase64String(base64)); - } - static fromUint8Array(array) { - assertUint8ArrayAvailable(); - return new Blob$1(Uh.fromUint8Array(array)); - } - toBase64() { - assertBase64Available(); - return this._delegate.toBase64(); - } - toUint8Array() { - assertUint8ArrayAvailable(); - return this._delegate.toUint8Array(); - } - isEqual(other) { - return this._delegate.isEqual(other._delegate); - } - toString() { - return 'Blob(base64: ' + this.toBase64() + ')'; - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - function isPartialObserver(obj) { - return implementsAnyMethods(obj, ['next', 'error', 'complete']); - } - /** - * Returns true if obj is an object and contains at least one of the specified - * methods. - */ - function implementsAnyMethods(obj, methods) { - if (typeof obj !== 'object' || obj === null) { - return false; - } - const object = obj; - for (const method of methods) { - if (method in object && typeof object[method] === 'function') { - return true; - } - } - return false; - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * The persistence provider included with the full Firestore SDK. - */ - class IndexedDbPersistenceProvider { - enableIndexedDbPersistence(firestore, forceOwnership) { - return Sh(firestore._delegate, { forceOwnership }); - } - enableMultiTabIndexedDbPersistence(firestore) { - return Dh(firestore._delegate); - } - clearIndexedDbPersistence(firestore) { - return xh(firestore._delegate); - } - } - /** - * Compat class for Firestore. Exposes Firestore Legacy API, but delegates - * to the functional API of firestore-exp. - */ - class Firestore { - constructor(databaseIdOrApp, _delegate, _persistenceProvider) { - this._delegate = _delegate; - this._persistenceProvider = _persistenceProvider; - this.INTERNAL = { - delete: () => this.terminate() - }; - if (!(databaseIdOrApp instanceof Oe)) { - this._appCompat = databaseIdOrApp; - } - } - get _databaseId() { - return this._delegate._databaseId; - } - settings(settingsLiteral) { - const currentSettings = this._delegate._getSettings(); - if (!settingsLiteral.merge && - currentSettings.host !== settingsLiteral.host) { - M('You are overriding the original host. If you did not intend ' + - 'to override your settings, use {merge: true}.'); - } - if (settingsLiteral.merge) { - settingsLiteral = Object.assign(Object.assign({}, currentSettings), settingsLiteral); - // Remove the property from the settings once the merge is completed - delete settingsLiteral.merge; - } - this._delegate._setSettings(settingsLiteral); - } - useEmulator(host, port, options = {}) { - lh(this._delegate, host, port, options); - } - enableNetwork() { - return kh(this._delegate); - } - disableNetwork() { - return Mh(this._delegate); - } - enablePersistence(settings) { - let synchronizeTabs = false; - let experimentalForceOwningTab = false; - if (settings) { - synchronizeTabs = !!settings.synchronizeTabs; - experimentalForceOwningTab = !!settings.experimentalForceOwningTab; - sh('synchronizeTabs', synchronizeTabs, 'experimentalForceOwningTab', experimentalForceOwningTab); - } - return synchronizeTabs - ? this._persistenceProvider.enableMultiTabIndexedDbPersistence(this) - : this._persistenceProvider.enableIndexedDbPersistence(this, experimentalForceOwningTab); - } - clearPersistence() { - return this._persistenceProvider.clearIndexedDbPersistence(this); - } - terminate() { - if (this._appCompat) { - this._appCompat._removeServiceInstance('firestore-compat'); - this._appCompat._removeServiceInstance('firestore'); - } - return this._delegate._delete(); - } - waitForPendingWrites() { - return Nh(this._delegate); - } - onSnapshotsInSync(arg) { - return Tf(this._delegate, arg); - } - get app() { - if (!this._appCompat) { - throw new U('failed-precondition', "Firestore was not initialized using the Firebase SDK. 'app' is " + - 'not available'); - } - return this._appCompat; - } - collection(pathString) { - try { - return new CollectionReference(this, _h(this._delegate, pathString)); - } - catch (e) { - throw replaceFunctionName(e, 'collection()', 'Firestore.collection()'); - } - } - doc(pathString) { - try { - return new DocumentReference(this, gh(this._delegate, pathString)); - } - catch (e) { - throw replaceFunctionName(e, 'doc()', 'Firestore.doc()'); - } - } - collectionGroup(collectionId) { - try { - return new Query(this, mh(this._delegate, collectionId)); - } - catch (e) { - throw replaceFunctionName(e, 'collectionGroup()', 'Firestore.collectionGroup()'); - } - } - runTransaction(updateFunction) { - return Uf(this._delegate, transaction => updateFunction(new Transaction(this, transaction))); - } - batch() { - bh(this._delegate); - return new WriteBatch(new Bf(this._delegate, mutations => Ef(this._delegate, mutations))); - } - loadBundle(bundleData) { - return Oh(this._delegate, bundleData); - } - namedQuery(name) { - return Fh(this._delegate, name).then(expQuery => { - if (!expQuery) { - return null; - } - return new Query(this, - // We can pass `expQuery` here directly since named queries don't have a UserDataConverter. - // Otherwise, we would have to create a new ExpQuery and pass the old UserDataConverter. - expQuery); - }); - } - } - class UserDataWriter extends Wl { - constructor(firestore) { - super(); - this.firestore = firestore; - } - convertBytes(bytes) { - return new Blob$1(new Uh(bytes)); - } - convertReference(name) { - const key = this.convertDocumentKey(name, this.firestore._databaseId); - return DocumentReference.forKey(key, this.firestore, /* converter= */ null); - } - } - function setLogLevel(level) { - x(level); - } - /** - * A reference to a transaction. - */ - class Transaction { - constructor(_firestore, _delegate) { - this._firestore = _firestore; - this._delegate = _delegate; - this._userDataWriter = new UserDataWriter(_firestore); - } - get(documentRef) { - const ref = castReference(documentRef); - return this._delegate - .get(ref) - .then(result => new DocumentSnapshot(this._firestore, new sf(this._firestore._delegate, this._userDataWriter, result._key, result._document, result.metadata, ref.converter))); - } - set(documentRef, data, options) { - const ref = castReference(documentRef); - if (options) { - validateSetOptions('Transaction.set', options); - this._delegate.set(ref, data, options); - } - else { - this._delegate.set(ref, data); - } - return this; - } - update(documentRef, dataOrField, value, ...moreFieldsAndValues) { - const ref = castReference(documentRef); - if (arguments.length === 2) { - this._delegate.update(ref, dataOrField); - } - else { - this._delegate.update(ref, dataOrField, value, ...moreFieldsAndValues); - } - return this; - } - delete(documentRef) { - const ref = castReference(documentRef); - this._delegate.delete(ref); - return this; - } - } - class WriteBatch { - constructor(_delegate) { - this._delegate = _delegate; - } - set(documentRef, data, options) { - const ref = castReference(documentRef); - if (options) { - validateSetOptions('WriteBatch.set', options); - this._delegate.set(ref, data, options); - } - else { - this._delegate.set(ref, data); - } - return this; - } - update(documentRef, dataOrField, value, ...moreFieldsAndValues) { - const ref = castReference(documentRef); - if (arguments.length === 2) { - this._delegate.update(ref, dataOrField); - } - else { - this._delegate.update(ref, dataOrField, value, ...moreFieldsAndValues); - } - return this; - } - delete(documentRef) { - const ref = castReference(documentRef); - this._delegate.delete(ref); - return this; - } - commit() { - return this._delegate.commit(); - } - } - /** - * Wraps a `PublicFirestoreDataConverter` translating the types from the - * experimental SDK into corresponding types from the Classic SDK before passing - * them to the wrapped converter. - */ - class FirestoreDataConverter { - constructor(_firestore, _userDataWriter, _delegate) { - this._firestore = _firestore; - this._userDataWriter = _userDataWriter; - this._delegate = _delegate; - } - fromFirestore(snapshot, options) { - const expSnapshot = new rf(this._firestore._delegate, this._userDataWriter, snapshot._key, snapshot._document, snapshot.metadata, - /* converter= */ null); - return this._delegate.fromFirestore(new QueryDocumentSnapshot(this._firestore, expSnapshot), options !== null && options !== void 0 ? options : {}); - } - toFirestore(modelObject, options) { - if (!options) { - return this._delegate.toFirestore(modelObject); - } - else { - return this._delegate.toFirestore(modelObject, options); - } - } - // Use the same instance of `FirestoreDataConverter` for the given instances - // of `Firestore` and `PublicFirestoreDataConverter` so that isEqual() will - // compare equal for two objects created with the same converter instance. - static getInstance(firestore, converter) { - const converterMapByFirestore = FirestoreDataConverter.INSTANCES; - let untypedConverterByConverter = converterMapByFirestore.get(firestore); - if (!untypedConverterByConverter) { - untypedConverterByConverter = new WeakMap(); - converterMapByFirestore.set(firestore, untypedConverterByConverter); - } - let instance = untypedConverterByConverter.get(converter); - if (!instance) { - instance = new FirestoreDataConverter(firestore, new UserDataWriter(firestore), converter); - untypedConverterByConverter.set(converter, instance); - } - return instance; - } - } - FirestoreDataConverter.INSTANCES = new WeakMap(); - /** - * A reference to a particular document in a collection in the database. - */ - class DocumentReference { - constructor(firestore, _delegate) { - this.firestore = firestore; - this._delegate = _delegate; - this._userDataWriter = new UserDataWriter(firestore); - } - static forPath(path, firestore, converter) { - if (path.length % 2 !== 0) { - throw new U('invalid-argument', 'Invalid document reference. Document ' + - 'references must have an even number of segments, but ' + - `${path.canonicalString()} has ${path.length}`); - } - return new DocumentReference(firestore, new fh(firestore._delegate, converter, new ht(path))); - } - static forKey(key, firestore, converter) { - return new DocumentReference(firestore, new fh(firestore._delegate, converter, key)); - } - get id() { - return this._delegate.id; - } - get parent() { - return new CollectionReference(this.firestore, this._delegate.parent); - } - get path() { - return this._delegate.path; - } - collection(pathString) { - try { - return new CollectionReference(this.firestore, _h(this._delegate, pathString)); - } - catch (e) { - throw replaceFunctionName(e, 'collection()', 'DocumentReference.collection()'); - } - } - isEqual(other) { - other = getModularInstance(other); - if (!(other instanceof fh)) { - return false; - } - return yh(this._delegate, other); - } - set(value, options) { - options = validateSetOptions('DocumentReference.set', options); - try { - if (options) { - return mf(this._delegate, value, options); - } - else { - return mf(this._delegate, value); - } - } - catch (e) { - throw replaceFunctionName(e, 'setDoc()', 'DocumentReference.set()'); - } - } - update(fieldOrUpdateData, value, ...moreFieldsAndValues) { - try { - if (arguments.length === 1) { - return gf(this._delegate, fieldOrUpdateData); - } - else { - return gf(this._delegate, fieldOrUpdateData, value, ...moreFieldsAndValues); - } - } - catch (e) { - throw replaceFunctionName(e, 'updateDoc()', 'DocumentReference.update()'); - } - } - delete() { - return yf(this._delegate); - } - onSnapshot(...args) { - const options = extractSnapshotOptions(args); - const observer = wrapObserver(args, result => new DocumentSnapshot(this.firestore, new sf(this.firestore._delegate, this._userDataWriter, result._key, result._document, result.metadata, this._delegate.converter))); - return If(this._delegate, options, observer); - } - get(options) { - let snap; - if ((options === null || options === void 0 ? void 0 : options.source) === 'cache') { - snap = lf(this._delegate); - } - else if ((options === null || options === void 0 ? void 0 : options.source) === 'server') { - snap = ff(this._delegate); - } - else { - snap = af(this._delegate); - } - return snap.then(result => new DocumentSnapshot(this.firestore, new sf(this.firestore._delegate, this._userDataWriter, result._key, result._document, result.metadata, this._delegate.converter))); - } - withConverter(converter) { - return new DocumentReference(this.firestore, converter - ? this._delegate.withConverter(FirestoreDataConverter.getInstance(this.firestore, converter)) - : this._delegate.withConverter(null)); - } - } - /** - * Replaces the function name in an error thrown by the firestore-exp API - * with the function names used in the classic API. - */ - function replaceFunctionName(e, original, updated) { - e.message = e.message.replace(original, updated); - return e; - } - /** - * Iterates the list of arguments from an `onSnapshot` call and returns the - * first argument that may be an `SnapshotListenOptions` object. Returns an - * empty object if none is found. - */ - function extractSnapshotOptions(args) { - for (const arg of args) { - if (typeof arg === 'object' && !isPartialObserver(arg)) { - return arg; - } - } - return {}; - } - /** - * Creates an observer that can be passed to the firestore-exp SDK. The - * observer converts all observed values into the format expected by the classic - * SDK. - * - * @param args - The list of arguments from an `onSnapshot` call. - * @param wrapper - The function that converts the firestore-exp type into the - * type used by this shim. - */ - function wrapObserver(args, wrapper) { - var _a, _b; - let userObserver; - if (isPartialObserver(args[0])) { - userObserver = args[0]; - } - else if (isPartialObserver(args[1])) { - userObserver = args[1]; - } - else if (typeof args[0] === 'function') { - userObserver = { - next: args[0], - error: args[1], - complete: args[2] - }; - } - else { - userObserver = { - next: args[1], - error: args[2], - complete: args[3] - }; - } - return { - next: val => { - if (userObserver.next) { - userObserver.next(wrapper(val)); - } - }, - error: (_a = userObserver.error) === null || _a === void 0 ? void 0 : _a.bind(userObserver), - complete: (_b = userObserver.complete) === null || _b === void 0 ? void 0 : _b.bind(userObserver) - }; - } - class DocumentSnapshot { - constructor(_firestore, _delegate) { - this._firestore = _firestore; - this._delegate = _delegate; - } - get ref() { - return new DocumentReference(this._firestore, this._delegate.ref); - } - get id() { - return this._delegate.id; - } - get metadata() { - return this._delegate.metadata; - } - get exists() { - return this._delegate.exists(); - } - data(options) { - return this._delegate.data(options); - } - get(fieldPath, options - // We are using `any` here to avoid an explicit cast by our users. - // eslint-disable-next-line @typescript-eslint/no-explicit-any - ) { - return this._delegate.get(fieldPath, options); - } - isEqual(other) { - return cf(this._delegate, other._delegate); - } - } - class QueryDocumentSnapshot extends DocumentSnapshot { - data(options) { - const data = this._delegate.data(options); - B(data !== undefined); - return data; - } - } - class Query { - constructor(firestore, _delegate) { - this.firestore = firestore; - this._delegate = _delegate; - this._userDataWriter = new UserDataWriter(firestore); - } - where(fieldPath, opStr, value) { - try { - // The "as string" cast is a little bit of a hack. `where` accepts the - // FieldPath Compat type as input, but is not typed as such in order to - // not expose this via our public typings file. - return new Query(this.firestore, Rl(this._delegate, bl(fieldPath, opStr, value))); - } - catch (e) { - throw replaceFunctionName(e, /(orderBy|where)\(\)/, 'Query.$1()'); - } - } - orderBy(fieldPath, directionStr) { - try { - // The "as string" cast is a little bit of a hack. `orderBy` accepts the - // FieldPath Compat type as input, but is not typed as such in order to - // not expose this via our public typings file. - return new Query(this.firestore, Rl(this._delegate, xl(fieldPath, directionStr))); - } - catch (e) { - throw replaceFunctionName(e, /(orderBy|where)\(\)/, 'Query.$1()'); - } - } - limit(n) { - try { - return new Query(this.firestore, Rl(this._delegate, kl(n))); - } - catch (e) { - throw replaceFunctionName(e, 'limit()', 'Query.limit()'); - } - } - limitToLast(n) { - try { - return new Query(this.firestore, Rl(this._delegate, Ml(n))); - } - catch (e) { - throw replaceFunctionName(e, 'limitToLast()', 'Query.limitToLast()'); - } - } - startAt(...args) { - try { - return new Query(this.firestore, Rl(this._delegate, Ol(...args))); - } - catch (e) { - throw replaceFunctionName(e, 'startAt()', 'Query.startAt()'); - } - } - startAfter(...args) { - try { - return new Query(this.firestore, Rl(this._delegate, Fl(...args))); - } - catch (e) { - throw replaceFunctionName(e, 'startAfter()', 'Query.startAfter()'); - } - } - endBefore(...args) { - try { - return new Query(this.firestore, Rl(this._delegate, Ll(...args))); - } - catch (e) { - throw replaceFunctionName(e, 'endBefore()', 'Query.endBefore()'); - } - } - endAt(...args) { - try { - return new Query(this.firestore, Rl(this._delegate, ql(...args))); - } - catch (e) { - throw replaceFunctionName(e, 'endAt()', 'Query.endAt()'); - } - } - isEqual(other) { - return ph(this._delegate, other._delegate); - } - get(options) { - let query; - if ((options === null || options === void 0 ? void 0 : options.source) === 'cache') { - query = wf(this._delegate); - } - else if ((options === null || options === void 0 ? void 0 : options.source) === 'server') { - query = _f(this._delegate); - } - else { - query = df(this._delegate); - } - return query.then(result => new QuerySnapshot(this.firestore, new of(this.firestore._delegate, this._userDataWriter, this._delegate, result._snapshot))); - } - onSnapshot(...args) { - const options = extractSnapshotOptions(args); - const observer = wrapObserver(args, snap => new QuerySnapshot(this.firestore, new of(this.firestore._delegate, this._userDataWriter, this._delegate, snap._snapshot))); - return If(this._delegate, options, observer); - } - withConverter(converter) { - return new Query(this.firestore, converter - ? this._delegate.withConverter(FirestoreDataConverter.getInstance(this.firestore, converter)) - : this._delegate.withConverter(null)); - } - } - class DocumentChange { - constructor(_firestore, _delegate) { - this._firestore = _firestore; - this._delegate = _delegate; - } - get type() { - return this._delegate.type; - } - get doc() { - return new QueryDocumentSnapshot(this._firestore, this._delegate.doc); - } - get oldIndex() { - return this._delegate.oldIndex; - } - get newIndex() { - return this._delegate.newIndex; - } - } - class QuerySnapshot { - constructor(_firestore, _delegate) { - this._firestore = _firestore; - this._delegate = _delegate; - } - get query() { - return new Query(this._firestore, this._delegate.query); - } - get metadata() { - return this._delegate.metadata; - } - get size() { - return this._delegate.size; - } - get empty() { - return this._delegate.empty; - } - get docs() { - return this._delegate.docs.map(doc => new QueryDocumentSnapshot(this._firestore, doc)); - } - docChanges(options) { - return this._delegate - .docChanges(options) - .map(docChange => new DocumentChange(this._firestore, docChange)); - } - forEach(callback, thisArg) { - this._delegate.forEach(snapshot => { - callback.call(thisArg, new QueryDocumentSnapshot(this._firestore, snapshot)); - }); - } - isEqual(other) { - return cf(this._delegate, other._delegate); - } - } - class CollectionReference extends Query { - constructor(firestore, _delegate) { - super(firestore, _delegate); - this.firestore = firestore; - this._delegate = _delegate; - } - get id() { - return this._delegate.id; - } - get path() { - return this._delegate.path; - } - get parent() { - const docRef = this._delegate.parent; - return docRef ? new DocumentReference(this.firestore, docRef) : null; - } - doc(documentPath) { - try { - if (documentPath === undefined) { - // Call `doc` without `documentPath` if `documentPath` is `undefined` - // as `doc` validates the number of arguments to prevent users from - // accidentally passing `undefined`. - return new DocumentReference(this.firestore, gh(this._delegate)); - } - else { - return new DocumentReference(this.firestore, gh(this._delegate, documentPath)); - } - } - catch (e) { - throw replaceFunctionName(e, 'doc()', 'CollectionReference.doc()'); - } - } - add(data) { - return pf(this._delegate, data).then(docRef => new DocumentReference(this.firestore, docRef)); - } - isEqual(other) { - return yh(this._delegate, other._delegate); - } - withConverter(converter) { - return new CollectionReference(this.firestore, converter - ? this._delegate.withConverter(FirestoreDataConverter.getInstance(this.firestore, converter)) - : this._delegate.withConverter(null)); - } - } - function castReference(documentRef) { - return uh(documentRef, fh); - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - // The objects that are a part of this API are exposed to third-parties as - // compiled javascript so we want to flag our private members with a leading - // underscore to discourage their use. - /** - * A `FieldPath` refers to a field in a document. The path may consist of a - * single field name (referring to a top-level field in the document), or a list - * of field names (referring to a nested field in the document). - */ - class FieldPath { - /** - * Creates a FieldPath from the provided field names. If more than one field - * name is provided, the path will point to a nested field in a document. - * - * @param fieldNames - A list of field names. - */ - constructor(...fieldNames) { - this._delegate = new Kh(...fieldNames); - } - static documentId() { - /** - * Internal Note: The backend doesn't technically support querying by - * document ID. Instead it queries by the entire document name (full path - * included), but in the cases we currently support documentId(), the net - * effect is the same. - */ - return new FieldPath(at.keyField().canonicalString()); - } - isEqual(other) { - other = getModularInstance(other); - if (!(other instanceof Kh)) { - return false; - } - return this._delegate._internalPath.isEqual(other._internalPath); - } - } - - /** - * @license - * Copyright 2017 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - class FieldValue { - constructor(_delegate) { - this._delegate = _delegate; - } - static serverTimestamp() { - const delegate = Gf(); - delegate._methodName = 'FieldValue.serverTimestamp'; - return new FieldValue(delegate); - } - static delete() { - const delegate = Kf(); - delegate._methodName = 'FieldValue.delete'; - return new FieldValue(delegate); - } - static arrayUnion(...elements) { - const delegate = Qf(...elements); - delegate._methodName = 'FieldValue.arrayUnion'; - return new FieldValue(delegate); - } - static arrayRemove(...elements) { - const delegate = jf(...elements); - delegate._methodName = 'FieldValue.arrayRemove'; - return new FieldValue(delegate); - } - static increment(n) { - const delegate = zf(n); - delegate._methodName = 'FieldValue.increment'; - return new FieldValue(delegate); - } - isEqual(other) { - return this._delegate.isEqual(other._delegate); - } - } - - /** - * @license - * Copyright 2021 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - const firestoreNamespace = { - Firestore, - GeoPoint: jh, - Timestamp: it, - Blob: Blob$1, - Transaction, - WriteBatch, - DocumentReference, - DocumentSnapshot, - Query, - QueryDocumentSnapshot, - QuerySnapshot, - CollectionReference, - FieldPath, - FieldValue, - setLogLevel, - CACHE_SIZE_UNLIMITED: Ah - }; - /** - * Configures Firestore as part of the Firebase SDK by calling registerComponent. - * - * @param firebase - The FirebaseNamespace to register Firestore with - * @param firestoreFactory - A factory function that returns a new Firestore - * instance. - */ - function configureForFirebase(firebase, firestoreFactory) { - firebase.INTERNAL.registerComponent(new Component('firestore-compat', container => { - const app = container.getProvider('app-compat').getImmediate(); - const firestoreExp = container.getProvider('firestore').getImmediate(); - return firestoreFactory(app, firestoreExp); - }, 'PUBLIC').setServiceProps(Object.assign({}, firestoreNamespace))); - } - - /** - * @license - * Copyright 2020 Google LLC - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - /** - * Registers the main Firestore build with the components framework. - * Persistence can be enabled via `firebase.firestore().enablePersistence()`. - */ - function registerFirestore(instance) { - configureForFirebase(instance, (app, firestoreExp) => new Firestore(app, firestoreExp, new IndexedDbPersistenceProvider())); - instance.registerVersion(name, version); - } - registerFirestore(firebase); - - /** - * A special placeholder value used to specify "gaps" within curried functions, - * allowing partial application of any combination of arguments, regardless of - * their positions. - * - * If `g` is a curried ternary function and `_` is `R.__`, the following are - * equivalent: - * - * - `g(1, 2, 3)` - * - `g(_, 2, 3)(1)` - * - `g(_, _, 3)(1)(2)` - * - `g(_, _, 3)(1, 2)` - * - `g(_, 2, _)(1, 3)` - * - `g(_, 2)(1)(3)` - * - `g(_, 2)(1, 3)` - * - `g(_, 2)(_, 3)(1)` - * - * @name __ - * @constant - * @memberOf R - * @since v0.6.0 - * @category Function - * @example - * - * const greet = R.replace('{name}', R.__, 'Hello, {name}!'); - * greet('Alice'); //=> 'Hello, Alice!' - */ - var __ = { - '@@functional/placeholder': true - }; - - function _isPlaceholder(a) { - return a != null && typeof a === 'object' && a['@@functional/placeholder'] === true; - } - - /** - * Optimized internal one-arity curry function. - * - * @private - * @category Function - * @param {Function} fn The function to curry. - * @return {Function} The curried function. - */ - - function _curry1(fn) { - return function f1(a) { - if (arguments.length === 0 || _isPlaceholder(a)) { - return f1; - } else { - return fn.apply(this, arguments); - } - }; - } - - /** - * Optimized internal two-arity curry function. - * - * @private - * @category Function - * @param {Function} fn The function to curry. - * @return {Function} The curried function. - */ - - function _curry2(fn) { - return function f2(a, b) { - switch (arguments.length) { - case 0: - return f2; - - case 1: - return _isPlaceholder(a) ? f2 : _curry1(function (_b) { - return fn(a, _b); - }); - - default: - return _isPlaceholder(a) && _isPlaceholder(b) ? f2 : _isPlaceholder(a) ? _curry1(function (_a) { - return fn(_a, b); - }) : _isPlaceholder(b) ? _curry1(function (_b) { - return fn(a, _b); - }) : fn(a, b); - } - }; - } - - /** - * Private `concat` function to merge two array-like objects. - * - * @private - * @param {Array|Arguments} [set1=[]] An array-like object. - * @param {Array|Arguments} [set2=[]] An array-like object. - * @return {Array} A new, merged array. - * @example - * - * _concat([4, 5, 6], [1, 2, 3]); //=> [4, 5, 6, 1, 2, 3] - */ - function _concat(set1, set2) { - set1 = set1 || []; - set2 = set2 || []; - var idx; - var len1 = set1.length; - var len2 = set2.length; - var result = []; - idx = 0; - - while (idx < len1) { - result[result.length] = set1[idx]; - idx += 1; - } - - idx = 0; - - while (idx < len2) { - result[result.length] = set2[idx]; - idx += 1; - } - - return result; - } - - function _arity(n, fn) { - /* eslint-disable no-unused-vars */ - switch (n) { - case 0: - return function () { - return fn.apply(this, arguments); - }; - - case 1: - return function (a0) { - return fn.apply(this, arguments); - }; - - case 2: - return function (a0, a1) { - return fn.apply(this, arguments); - }; - - case 3: - return function (a0, a1, a2) { - return fn.apply(this, arguments); - }; - - case 4: - return function (a0, a1, a2, a3) { - return fn.apply(this, arguments); - }; - - case 5: - return function (a0, a1, a2, a3, a4) { - return fn.apply(this, arguments); - }; - - case 6: - return function (a0, a1, a2, a3, a4, a5) { - return fn.apply(this, arguments); - }; - - case 7: - return function (a0, a1, a2, a3, a4, a5, a6) { - return fn.apply(this, arguments); - }; - - case 8: - return function (a0, a1, a2, a3, a4, a5, a6, a7) { - return fn.apply(this, arguments); - }; - - case 9: - return function (a0, a1, a2, a3, a4, a5, a6, a7, a8) { - return fn.apply(this, arguments); - }; - - case 10: - return function (a0, a1, a2, a3, a4, a5, a6, a7, a8, a9) { - return fn.apply(this, arguments); - }; - - default: - throw new Error('First argument to _arity must be a non-negative integer no greater than ten'); - } - } - - /** - * Internal curryN function. - * - * @private - * @category Function - * @param {Number} length The arity of the curried function. - * @param {Array} received An array of arguments received thus far. - * @param {Function} fn The function to curry. - * @return {Function} The curried function. - */ - - function _curryN(length, received, fn) { - return function () { - var combined = []; - var argsIdx = 0; - var left = length; - var combinedIdx = 0; - - while (combinedIdx < received.length || argsIdx < arguments.length) { - var result; - - if (combinedIdx < received.length && (!_isPlaceholder(received[combinedIdx]) || argsIdx >= arguments.length)) { - result = received[combinedIdx]; - } else { - result = arguments[argsIdx]; - argsIdx += 1; - } - - combined[combinedIdx] = result; - - if (!_isPlaceholder(result)) { - left -= 1; - } - - combinedIdx += 1; - } - - return left <= 0 ? fn.apply(this, combined) : _arity(left, _curryN(length, combined, fn)); - }; - } - - /** - * Returns a curried equivalent of the provided function, with the specified - * arity. The curried function has two unusual capabilities. First, its - * arguments needn't be provided one at a time. If `g` is `R.curryN(3, f)`, the - * following are equivalent: - * - * - `g(1)(2)(3)` - * - `g(1)(2, 3)` - * - `g(1, 2)(3)` - * - `g(1, 2, 3)` - * - * Secondly, the special placeholder value [`R.__`](#__) may be used to specify - * "gaps", allowing partial application of any combination of arguments, - * regardless of their positions. If `g` is as above and `_` is [`R.__`](#__), - * the following are equivalent: - * - * - `g(1, 2, 3)` - * - `g(_, 2, 3)(1)` - * - `g(_, _, 3)(1)(2)` - * - `g(_, _, 3)(1, 2)` - * - `g(_, 2)(1)(3)` - * - `g(_, 2)(1, 3)` - * - `g(_, 2)(_, 3)(1)` - * - * @func - * @memberOf R - * @since v0.5.0 - * @category Function - * @sig Number -> (* -> a) -> (* -> a) - * @param {Number} length The arity for the returned function. - * @param {Function} fn The function to curry. - * @return {Function} A new, curried function. - * @see R.curry - * @example - * - * const sumArgs = (...args) => R.sum(args); - * - * const curriedAddFourNumbers = R.curryN(4, sumArgs); - * const f = curriedAddFourNumbers(1, 2); - * const g = f(3); - * g(4); //=> 10 - */ - - var curryN = - /*#__PURE__*/ - _curry2(function curryN(length, fn) { - if (length === 1) { - return _curry1(fn); - } - - return _arity(length, _curryN(length, [], fn)); - }); - - var curryN$1 = curryN; - - /** - * Optimized internal three-arity curry function. - * - * @private - * @category Function - * @param {Function} fn The function to curry. - * @return {Function} The curried function. - */ - - function _curry3(fn) { - return function f3(a, b, c) { - switch (arguments.length) { - case 0: - return f3; - - case 1: - return _isPlaceholder(a) ? f3 : _curry2(function (_b, _c) { - return fn(a, _b, _c); - }); - - case 2: - return _isPlaceholder(a) && _isPlaceholder(b) ? f3 : _isPlaceholder(a) ? _curry2(function (_a, _c) { - return fn(_a, b, _c); - }) : _isPlaceholder(b) ? _curry2(function (_b, _c) { - return fn(a, _b, _c); - }) : _curry1(function (_c) { - return fn(a, b, _c); - }); - - default: - return _isPlaceholder(a) && _isPlaceholder(b) && _isPlaceholder(c) ? f3 : _isPlaceholder(a) && _isPlaceholder(b) ? _curry2(function (_a, _b) { - return fn(_a, _b, c); - }) : _isPlaceholder(a) && _isPlaceholder(c) ? _curry2(function (_a, _c) { - return fn(_a, b, _c); - }) : _isPlaceholder(b) && _isPlaceholder(c) ? _curry2(function (_b, _c) { - return fn(a, _b, _c); - }) : _isPlaceholder(a) ? _curry1(function (_a) { - return fn(_a, b, c); - }) : _isPlaceholder(b) ? _curry1(function (_b) { - return fn(a, _b, c); - }) : _isPlaceholder(c) ? _curry1(function (_c) { - return fn(a, b, _c); - }) : fn(a, b, c); - } - }; - } - - /** - * Tests whether or not an object is an array. - * - * @private - * @param {*} val The object to test. - * @return {Boolean} `true` if `val` is an array, `false` otherwise. - * @example - * - * _isArray([]); //=> true - * _isArray(null); //=> false - * _isArray({}); //=> false - */ - var _isArray = Array.isArray || function _isArray(val) { - return val != null && val.length >= 0 && Object.prototype.toString.call(val) === '[object Array]'; - }; - - function _isTransformer(obj) { - return obj != null && typeof obj['@@transducer/step'] === 'function'; - } - - /** - * Returns a function that dispatches with different strategies based on the - * object in list position (last argument). If it is an array, executes [fn]. - * Otherwise, if it has a function with one of the given method names, it will - * execute that function (functor case). Otherwise, if it is a transformer, - * uses transducer [xf] to return a new transformer (transducer case). - * Otherwise, it will default to executing [fn]. - * - * @private - * @param {Array} methodNames properties to check for a custom implementation - * @param {Function} xf transducer to initialize if object is transformer - * @param {Function} fn default ramda implementation - * @return {Function} A function that dispatches on object in list position - */ - - function _dispatchable(methodNames, xf, fn) { - return function () { - if (arguments.length === 0) { - return fn(); - } - - var args = Array.prototype.slice.call(arguments, 0); - var obj = args.pop(); - - if (!_isArray(obj)) { - var idx = 0; - - while (idx < methodNames.length) { - if (typeof obj[methodNames[idx]] === 'function') { - return obj[methodNames[idx]].apply(obj, args); - } - - idx += 1; - } - - if (_isTransformer(obj)) { - var transducer = xf.apply(null, args); - return transducer(obj); - } - } - - return fn.apply(this, arguments); - }; - } - - var _xfBase = { - init: function () { - return this.xf['@@transducer/init'](); - }, - result: function (result) { - return this.xf['@@transducer/result'](result); - } - }; - - /** - * Returns the larger of its two arguments. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Relation - * @sig Ord a => a -> a -> a - * @param {*} a - * @param {*} b - * @return {*} - * @see R.maxBy, R.min - * @example - * - * R.max(789, 123); //=> 789 - * R.max('a', 'b'); //=> 'b' - */ - - var max = - /*#__PURE__*/ - _curry2(function max(a, b) { - return b > a ? b : a; - }); - - var max$1 = max; - - function _map(fn, functor) { - var idx = 0; - var len = functor.length; - var result = Array(len); - - while (idx < len) { - result[idx] = fn(functor[idx]); - idx += 1; - } - - return result; - } - - function _isString(x) { - return Object.prototype.toString.call(x) === '[object String]'; - } - - /** - * Tests whether or not an object is similar to an array. - * - * @private - * @category Type - * @category List - * @sig * -> Boolean - * @param {*} x The object to test. - * @return {Boolean} `true` if `x` has a numeric length property and extreme indices defined; `false` otherwise. - * @example - * - * _isArrayLike([]); //=> true - * _isArrayLike(true); //=> false - * _isArrayLike({}); //=> false - * _isArrayLike({length: 10}); //=> false - * _isArrayLike({0: 'zero', 9: 'nine', length: 10}); //=> true - */ - - var _isArrayLike = - /*#__PURE__*/ - _curry1(function isArrayLike(x) { - if (_isArray(x)) { - return true; - } - - if (!x) { - return false; - } - - if (typeof x !== 'object') { - return false; - } - - if (_isString(x)) { - return false; - } - - if (x.nodeType === 1) { - return !!x.length; - } - - if (x.length === 0) { - return true; - } - - if (x.length > 0) { - return x.hasOwnProperty(0) && x.hasOwnProperty(x.length - 1); - } - - return false; - }); - - var _isArrayLike$1 = _isArrayLike; - - var XWrap = - /*#__PURE__*/ - function () { - function XWrap(fn) { - this.f = fn; - } - - XWrap.prototype['@@transducer/init'] = function () { - throw new Error('init not implemented on XWrap'); - }; - - XWrap.prototype['@@transducer/result'] = function (acc) { - return acc; - }; - - XWrap.prototype['@@transducer/step'] = function (acc, x) { - return this.f(acc, x); - }; - - return XWrap; - }(); - - function _xwrap(fn) { - return new XWrap(fn); - } - - /** - * Creates a function that is bound to a context. - * Note: `R.bind` does not provide the additional argument-binding capabilities of - * [Function.prototype.bind](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Function/bind). - * - * @func - * @memberOf R - * @since v0.6.0 - * @category Function - * @category Object - * @sig (* -> *) -> {*} -> (* -> *) - * @param {Function} fn The function to bind to context - * @param {Object} thisObj The context to bind `fn` to - * @return {Function} A function that will execute in the context of `thisObj`. - * @see R.partial - * @example - * - * const log = R.bind(console.log, console); - * R.pipe(R.assoc('a', 2), R.tap(log), R.assoc('a', 3))({a: 1}); //=> {a: 3} - * // logs {a: 2} - * @symb R.bind(f, o)(a, b) = f.call(o, a, b) - */ - - var bind = - /*#__PURE__*/ - _curry2(function bind(fn, thisObj) { - return _arity(fn.length, function () { - return fn.apply(thisObj, arguments); - }); - }); - - var bind$1 = bind; - - function _arrayReduce(xf, acc, list) { - var idx = 0; - var len = list.length; - - while (idx < len) { - acc = xf['@@transducer/step'](acc, list[idx]); - - if (acc && acc['@@transducer/reduced']) { - acc = acc['@@transducer/value']; - break; - } - - idx += 1; - } - - return xf['@@transducer/result'](acc); - } - - function _iterableReduce(xf, acc, iter) { - var step = iter.next(); - - while (!step.done) { - acc = xf['@@transducer/step'](acc, step.value); - - if (acc && acc['@@transducer/reduced']) { - acc = acc['@@transducer/value']; - break; - } - - step = iter.next(); - } - - return xf['@@transducer/result'](acc); - } - - function _methodReduce(xf, acc, obj, methodName) { - return xf['@@transducer/result'](obj[methodName](bind$1(xf['@@transducer/step'], xf), acc)); - } - - var symIterator = typeof Symbol !== 'undefined' ? Symbol.iterator : '@@iterator'; - function _reduce(fn, acc, list) { - if (typeof fn === 'function') { - fn = _xwrap(fn); - } - - if (_isArrayLike$1(list)) { - return _arrayReduce(fn, acc, list); - } - - if (typeof list['fantasy-land/reduce'] === 'function') { - return _methodReduce(fn, acc, list, 'fantasy-land/reduce'); - } - - if (list[symIterator] != null) { - return _iterableReduce(fn, acc, list[symIterator]()); - } - - if (typeof list.next === 'function') { - return _iterableReduce(fn, acc, list); - } - - if (typeof list.reduce === 'function') { - return _methodReduce(fn, acc, list, 'reduce'); - } - - throw new TypeError('reduce: list must be array or iterable'); - } - - var XMap = - /*#__PURE__*/ - function () { - function XMap(f, xf) { - this.xf = xf; - this.f = f; - } - - XMap.prototype['@@transducer/init'] = _xfBase.init; - XMap.prototype['@@transducer/result'] = _xfBase.result; - - XMap.prototype['@@transducer/step'] = function (result, input) { - return this.xf['@@transducer/step'](result, this.f(input)); - }; - - return XMap; - }(); - - var _xmap = - /*#__PURE__*/ - _curry2(function _xmap(f, xf) { - return new XMap(f, xf); - }); - - var _xmap$1 = _xmap; - - function _has(prop, obj) { - return Object.prototype.hasOwnProperty.call(obj, prop); - } - - var toString$2 = Object.prototype.toString; - - var _isArguments = - /*#__PURE__*/ - function () { - return toString$2.call(arguments) === '[object Arguments]' ? function _isArguments(x) { - return toString$2.call(x) === '[object Arguments]'; - } : function _isArguments(x) { - return _has('callee', x); - }; - }(); - - var _isArguments$1 = _isArguments; - - var hasEnumBug = ! - /*#__PURE__*/ - { - toString: null - }.propertyIsEnumerable('toString'); - var nonEnumerableProps = ['constructor', 'valueOf', 'isPrototypeOf', 'toString', 'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString']; // Safari bug - - var hasArgsEnumBug = - /*#__PURE__*/ - function () { - - return arguments.propertyIsEnumerable('length'); - }(); - - var contains = function contains(list, item) { - var idx = 0; - - while (idx < list.length) { - if (list[idx] === item) { - return true; - } - - idx += 1; - } - - return false; - }; - /** - * Returns a list containing the names of all the enumerable own properties of - * the supplied object. - * Note that the order of the output array is not guaranteed to be consistent - * across different JS platforms. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Object - * @sig {k: v} -> [k] - * @param {Object} obj The object to extract properties from - * @return {Array} An array of the object's own properties. - * @see R.keysIn, R.values - * @example - * - * R.keys({a: 1, b: 2, c: 3}); //=> ['a', 'b', 'c'] - */ - - - var keys = typeof Object.keys === 'function' && !hasArgsEnumBug ? - /*#__PURE__*/ - _curry1(function keys(obj) { - return Object(obj) !== obj ? [] : Object.keys(obj); - }) : - /*#__PURE__*/ - _curry1(function keys(obj) { - if (Object(obj) !== obj) { - return []; - } - - var prop, nIdx; - var ks = []; - - var checkArgsLength = hasArgsEnumBug && _isArguments$1(obj); - - for (prop in obj) { - if (_has(prop, obj) && (!checkArgsLength || prop !== 'length')) { - ks[ks.length] = prop; - } - } - - if (hasEnumBug) { - nIdx = nonEnumerableProps.length - 1; - - while (nIdx >= 0) { - prop = nonEnumerableProps[nIdx]; - - if (_has(prop, obj) && !contains(ks, prop)) { - ks[ks.length] = prop; - } - - nIdx -= 1; - } - } - - return ks; - }); - var keys$1 = keys; - - /** - * Takes a function and - * a [functor](https://github.com/fantasyland/fantasy-land#functor), - * applies the function to each of the functor's values, and returns - * a functor of the same shape. - * - * Ramda provides suitable `map` implementations for `Array` and `Object`, - * so this function may be applied to `[1, 2, 3]` or `{x: 1, y: 2, z: 3}`. - * - * Dispatches to the `map` method of the second argument, if present. - * - * Acts as a transducer if a transformer is given in list position. - * - * Also treats functions as functors and will compose them together. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Functor f => (a -> b) -> f a -> f b - * @param {Function} fn The function to be called on every element of the input `list`. - * @param {Array} list The list to be iterated over. - * @return {Array} The new list. - * @see R.transduce, R.addIndex - * @example - * - * const double = x => x * 2; - * - * R.map(double, [1, 2, 3]); //=> [2, 4, 6] - * - * R.map(double, {x: 1, y: 2, z: 3}); //=> {x: 2, y: 4, z: 6} - * @symb R.map(f, [a, b]) = [f(a), f(b)] - * @symb R.map(f, { x: a, y: b }) = { x: f(a), y: f(b) } - * @symb R.map(f, functor_o) = functor_o.map(f) - */ - - var map = - /*#__PURE__*/ - _curry2( - /*#__PURE__*/ - _dispatchable(['fantasy-land/map', 'map'], _xmap$1, function map(fn, functor) { - switch (Object.prototype.toString.call(functor)) { - case '[object Function]': - return curryN$1(functor.length, function () { - return fn.call(this, functor.apply(this, arguments)); - }); - - case '[object Object]': - return _reduce(function (acc, key) { - acc[key] = fn(functor[key]); - return acc; - }, {}, keys$1(functor)); - - default: - return _map(fn, functor); - } - })); - - var map$1 = map; - - /** - * Determine if the passed argument is an integer. - * - * @private - * @param {*} n - * @category Type - * @return {Boolean} - */ - var _isInteger = Number.isInteger || function _isInteger(n) { - return n << 0 === n; - }; - - /** - * Returns the nth element of the given list or string. If n is negative the - * element at index length + n is returned. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Number -> [a] -> a | Undefined - * @sig Number -> String -> String - * @param {Number} offset - * @param {*} list - * @return {*} - * @example - * - * const list = ['foo', 'bar', 'baz', 'quux']; - * R.nth(1, list); //=> 'bar' - * R.nth(-1, list); //=> 'quux' - * R.nth(-99, list); //=> undefined - * - * R.nth(2, 'abc'); //=> 'c' - * R.nth(3, 'abc'); //=> '' - * @symb R.nth(-1, [a, b, c]) = c - * @symb R.nth(0, [a, b, c]) = a - * @symb R.nth(1, [a, b, c]) = b - */ - - var nth = - /*#__PURE__*/ - _curry2(function nth(offset, list) { - var idx = offset < 0 ? list.length + offset : offset; - return _isString(list) ? list.charAt(idx) : list[idx]; - }); - - var nth$1 = nth; - - /** - * Retrieves the values at given paths of an object. - * - * @func - * @memberOf R - * @since v0.27.1 - * @category Object - * @typedefn Idx = [String | Int] - * @sig [Idx] -> {a} -> [a | Undefined] - * @param {Array} pathsArray The array of paths to be fetched. - * @param {Object} obj The object to retrieve the nested properties from. - * @return {Array} A list consisting of values at paths specified by "pathsArray". - * @see R.path - * @example - * - * R.paths([['a', 'b'], ['p', 0, 'q']], {a: {b: 2}, p: [{q: 3}]}); //=> [2, 3] - * R.paths([['a', 'b'], ['p', 'r']], {a: {b: 2}, p: [{q: 3}]}); //=> [2, undefined] - */ - - var paths = - /*#__PURE__*/ - _curry2(function paths(pathsArray, obj) { - return pathsArray.map(function (paths) { - var val = obj; - var idx = 0; - var p; - - while (idx < paths.length) { - if (val == null) { - return; - } - - p = paths[idx]; - val = _isInteger(p) ? nth$1(p, val) : val[p]; - idx += 1; - } - - return val; - }); - }); - - var paths$1 = paths; - - /** - * Retrieve the value at a given path. - * - * @func - * @memberOf R - * @since v0.2.0 - * @category Object - * @typedefn Idx = String | Int - * @sig [Idx] -> {a} -> a | Undefined - * @param {Array} path The path to use. - * @param {Object} obj The object to retrieve the nested property from. - * @return {*} The data at `path`. - * @see R.prop, R.nth - * @example - * - * R.path(['a', 'b'], {a: {b: 2}}); //=> 2 - * R.path(['a', 'b'], {c: {b: 2}}); //=> undefined - * R.path(['a', 'b', 0], {a: {b: [1, 2, 3]}}); //=> 1 - * R.path(['a', 'b', -2], {a: {b: [1, 2, 3]}}); //=> 2 - */ - - var path = - /*#__PURE__*/ - _curry2(function path(pathAr, obj) { - return paths$1([pathAr], obj)[0]; - }); - - var path$1 = path; - - /** - * Returns a function that when supplied an object returns the indicated - * property of that object, if it exists. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Object - * @typedefn Idx = String | Int - * @sig Idx -> {s: a} -> a | Undefined - * @param {String|Number} p The property name or array index - * @param {Object} obj The object to query - * @return {*} The value at `obj.p`. - * @see R.path, R.nth - * @example - * - * R.prop('x', {x: 100}); //=> 100 - * R.prop('x', {}); //=> undefined - * R.prop(0, [100]); //=> 100 - * R.compose(R.inc, R.prop('x'))({ x: 3 }) //=> 4 - */ - - var prop = - /*#__PURE__*/ - _curry2(function prop(p, obj) { - return path$1([p], obj); - }); - - var prop$1 = prop; - - /** - * Returns a new list by plucking the same named property off all objects in - * the list supplied. - * - * `pluck` will work on - * any [functor](https://github.com/fantasyland/fantasy-land#functor) in - * addition to arrays, as it is equivalent to `R.map(R.prop(k), f)`. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Functor f => k -> f {k: v} -> f v - * @param {Number|String} key The key name to pluck off of each object. - * @param {Array} f The array or functor to consider. - * @return {Array} The list of values for the given key. - * @see R.props - * @example - * - * var getAges = R.pluck('age'); - * getAges([{name: 'fred', age: 29}, {name: 'wilma', age: 27}]); //=> [29, 27] - * - * R.pluck(0, [[1, 2], [3, 4]]); //=> [1, 3] - * R.pluck('val', {a: {val: 3}, b: {val: 5}}); //=> {a: 3, b: 5} - * @symb R.pluck('x', [{x: 1, y: 2}, {x: 3, y: 4}, {x: 5, y: 6}]) = [1, 3, 5] - * @symb R.pluck(0, [[1, 2], [3, 4], [5, 6]]) = [1, 3, 5] - */ - - var pluck = - /*#__PURE__*/ - _curry2(function pluck(p, list) { - return map$1(prop$1(p), list); - }); - - var pluck$1 = pluck; - - /** - * Returns a single item by iterating through the list, successively calling - * the iterator function and passing it an accumulator value and the current - * value from the array, and then passing the result to the next call. - * - * The iterator function receives two values: *(acc, value)*. It may use - * [`R.reduced`](#reduced) to shortcut the iteration. - * - * The arguments' order of [`reduceRight`](#reduceRight)'s iterator function - * is *(value, acc)*. - * - * Note: `R.reduce` does not skip deleted or unassigned indices (sparse - * arrays), unlike the native `Array.prototype.reduce` method. For more details - * on this behavior, see: - * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/reduce#Description - * - * Dispatches to the `reduce` method of the third argument, if present. When - * doing so, it is up to the user to handle the [`R.reduced`](#reduced) - * shortcuting, as this is not implemented by `reduce`. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig ((a, b) -> a) -> a -> [b] -> a - * @param {Function} fn The iterator function. Receives two values, the accumulator and the - * current element from the array. - * @param {*} acc The accumulator value. - * @param {Array} list The list to iterate over. - * @return {*} The final, accumulated value. - * @see R.reduced, R.addIndex, R.reduceRight - * @example - * - * R.reduce(R.subtract, 0, [1, 2, 3, 4]) // => ((((0 - 1) - 2) - 3) - 4) = -10 - * // - -10 - * // / \ / \ - * // - 4 -6 4 - * // / \ / \ - * // - 3 ==> -3 3 - * // / \ / \ - * // - 2 -1 2 - * // / \ / \ - * // 0 1 0 1 - * - * @symb R.reduce(f, a, [b, c, d]) = f(f(f(a, b), c), d) - */ - - var reduce = - /*#__PURE__*/ - _curry3(_reduce); - - var reduce$1 = reduce; - - /** - * Returns a list of all the enumerable own properties of the supplied object. - * Note that the order of the output array is not guaranteed across different - * JS platforms. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Object - * @sig {k: v} -> [v] - * @param {Object} obj The object to extract values from - * @return {Array} An array of the values of the object's own properties. - * @see R.valuesIn, R.keys - * @example - * - * R.values({a: 1, b: 2, c: 3}); //=> [1, 2, 3] - */ - - var values = - /*#__PURE__*/ - _curry1(function values(obj) { - var props = keys$1(obj); - var len = props.length; - var vals = []; - var idx = 0; - - while (idx < len) { - vals[idx] = obj[props[idx]]; - idx += 1; - } - - return vals; - }); - - var values$1 = values; - - function _isFunction(x) { - var type = Object.prototype.toString.call(x); - return type === '[object Function]' || type === '[object AsyncFunction]' || type === '[object GeneratorFunction]' || type === '[object AsyncGeneratorFunction]'; - } - - /** - * `_makeFlat` is a helper function that returns a one-level or fully recursive - * function based on the flag passed in. - * - * @private - */ - - function _makeFlat(recursive) { - return function flatt(list) { - var value, jlen, j; - var result = []; - var idx = 0; - var ilen = list.length; - - while (idx < ilen) { - if (_isArrayLike$1(list[idx])) { - value = recursive ? flatt(list[idx]) : list[idx]; - j = 0; - jlen = value.length; - - while (j < jlen) { - result[result.length] = value[j]; - j += 1; - } - } else { - result[result.length] = list[idx]; - } - - idx += 1; - } - - return result; - }; - } - - function _cloneRegExp(pattern) { - return new RegExp(pattern.source, (pattern.global ? 'g' : '') + (pattern.ignoreCase ? 'i' : '') + (pattern.multiline ? 'm' : '') + (pattern.sticky ? 'y' : '') + (pattern.unicode ? 'u' : '')); - } - - /** - * Gives a single-word string description of the (native) type of a value, - * returning such answers as 'Object', 'Number', 'Array', or 'Null'. Does not - * attempt to distinguish user Object types any further, reporting them all as - * 'Object'. - * - * @func - * @memberOf R - * @since v0.8.0 - * @category Type - * @sig (* -> {*}) -> String - * @param {*} val The value to test - * @return {String} - * @example - * - * R.type({}); //=> "Object" - * R.type(1); //=> "Number" - * R.type(false); //=> "Boolean" - * R.type('s'); //=> "String" - * R.type(null); //=> "Null" - * R.type([]); //=> "Array" - * R.type(/[A-z]/); //=> "RegExp" - * R.type(() => {}); //=> "Function" - * R.type(undefined); //=> "Undefined" - */ - - var type = - /*#__PURE__*/ - _curry1(function type(val) { - return val === null ? 'Null' : val === undefined ? 'Undefined' : Object.prototype.toString.call(val).slice(8, -1); - }); - - var type$1 = type; - - /** - * Copies an object. - * - * @private - * @param {*} value The value to be copied - * @param {Array} refFrom Array containing the source references - * @param {Array} refTo Array containing the copied source references - * @param {Boolean} deep Whether or not to perform deep cloning. - * @return {*} The copied value. - */ - - function _clone(value, refFrom, refTo, deep) { - var copy = function copy(copiedValue) { - var len = refFrom.length; - var idx = 0; - - while (idx < len) { - if (value === refFrom[idx]) { - return refTo[idx]; - } - - idx += 1; - } - - refFrom[idx + 1] = value; - refTo[idx + 1] = copiedValue; - - for (var key in value) { - copiedValue[key] = deep ? _clone(value[key], refFrom, refTo, true) : value[key]; - } - - return copiedValue; - }; - - switch (type$1(value)) { - case 'Object': - return copy({}); - - case 'Array': - return copy([]); - - case 'Date': - return new Date(value.valueOf()); - - case 'RegExp': - return _cloneRegExp(value); - - default: - return value; - } - } - - function _pipe(f, g) { - return function () { - return g.call(this, f.apply(this, arguments)); - }; - } - - /** - * This checks whether a function has a [methodname] function. If it isn't an - * array it will execute that function otherwise it will default to the ramda - * implementation. - * - * @private - * @param {Function} fn ramda implemtation - * @param {String} methodname property to check for a custom implementation - * @return {Object} Whatever the return value of the method is. - */ - - function _checkForMethod(methodname, fn) { - return function () { - var length = arguments.length; - - if (length === 0) { - return fn(); - } - - var obj = arguments[length - 1]; - return _isArray(obj) || typeof obj[methodname] !== 'function' ? fn.apply(this, arguments) : obj[methodname].apply(obj, Array.prototype.slice.call(arguments, 0, length - 1)); - }; - } - - /** - * Returns the elements of the given list or string (or object with a `slice` - * method) from `fromIndex` (inclusive) to `toIndex` (exclusive). - * - * Dispatches to the `slice` method of the third argument, if present. - * - * @func - * @memberOf R - * @since v0.1.4 - * @category List - * @sig Number -> Number -> [a] -> [a] - * @sig Number -> Number -> String -> String - * @param {Number} fromIndex The start index (inclusive). - * @param {Number} toIndex The end index (exclusive). - * @param {*} list - * @return {*} - * @example - * - * R.slice(1, 3, ['a', 'b', 'c', 'd']); //=> ['b', 'c'] - * R.slice(1, Infinity, ['a', 'b', 'c', 'd']); //=> ['b', 'c', 'd'] - * R.slice(0, -1, ['a', 'b', 'c', 'd']); //=> ['a', 'b', 'c'] - * R.slice(-3, -1, ['a', 'b', 'c', 'd']); //=> ['b', 'c'] - * R.slice(0, 3, 'ramda'); //=> 'ram' - */ - - var slice = - /*#__PURE__*/ - _curry3( - /*#__PURE__*/ - _checkForMethod('slice', function slice(fromIndex, toIndex, list) { - return Array.prototype.slice.call(list, fromIndex, toIndex); - })); - - var slice$1 = slice; - - /** - * Returns all but the first element of the given list or string (or object - * with a `tail` method). - * - * Dispatches to the `slice` method of the first argument, if present. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig [a] -> [a] - * @sig String -> String - * @param {*} list - * @return {*} - * @see R.head, R.init, R.last - * @example - * - * R.tail([1, 2, 3]); //=> [2, 3] - * R.tail([1, 2]); //=> [2] - * R.tail([1]); //=> [] - * R.tail([]); //=> [] - * - * R.tail('abc'); //=> 'bc' - * R.tail('ab'); //=> 'b' - * R.tail('a'); //=> '' - * R.tail(''); //=> '' - */ - - var tail = - /*#__PURE__*/ - _curry1( - /*#__PURE__*/ - _checkForMethod('tail', - /*#__PURE__*/ - slice$1(1, Infinity))); - - var tail$1 = tail; - - /** - * Performs left-to-right function composition. The first argument may have - * any arity; the remaining arguments must be unary. - * - * In some libraries this function is named `sequence`. - * - * **Note:** The result of pipe is not automatically curried. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Function - * @sig (((a, b, ..., n) -> o), (o -> p), ..., (x -> y), (y -> z)) -> ((a, b, ..., n) -> z) - * @param {...Function} functions - * @return {Function} - * @see R.compose - * @example - * - * const f = R.pipe(Math.pow, R.negate, R.inc); - * - * f(3, 4); // -(3^4) + 1 - * @symb R.pipe(f, g, h)(a, b) = h(g(f(a, b))) - */ - - function pipe() { - if (arguments.length === 0) { - throw new Error('pipe requires at least one argument'); - } - - return _arity(arguments[0].length, reduce$1(_pipe, arguments[0], tail$1(arguments))); - } - - /** - * Returns the first element of the given list or string. In some libraries - * this function is named `first`. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig [a] -> a | Undefined - * @sig String -> String - * @param {Array|String} list - * @return {*} - * @see R.tail, R.init, R.last - * @example - * - * R.head(['fi', 'fo', 'fum']); //=> 'fi' - * R.head([]); //=> undefined - * - * R.head('abc'); //=> 'a' - * R.head(''); //=> '' - */ - - var head = - /*#__PURE__*/ - nth$1(0); - var head$1 = head; - - function _identity(x) { - return x; - } - - /** - * A function that does nothing but return the parameter supplied to it. Good - * as a default or placeholder function. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Function - * @sig a -> a - * @param {*} x The value to return. - * @return {*} The input value, `x`. - * @example - * - * R.identity(1); //=> 1 - * - * const obj = {}; - * R.identity(obj) === obj; //=> true - * @symb R.identity(a) = a - */ - - var identity = - /*#__PURE__*/ - _curry1(_identity); - - var identity$1 = identity; - - function _arrayFromIterator(iter) { - var list = []; - var next; - - while (!(next = iter.next()).done) { - list.push(next.value); - } - - return list; - } - - function _includesWith(pred, x, list) { - var idx = 0; - var len = list.length; - - while (idx < len) { - if (pred(x, list[idx])) { - return true; - } - - idx += 1; - } - - return false; - } - - function _functionName(f) { - // String(x => x) evaluates to "x => x", so the pattern may not match. - var match = String(f).match(/^function (\w*)/); - return match == null ? '' : match[1]; - } - - // Based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is - function _objectIs(a, b) { - // SameValue algorithm - if (a === b) { - // Steps 1-5, 7-10 - // Steps 6.b-6.e: +0 != -0 - return a !== 0 || 1 / a === 1 / b; - } else { - // Step 6.a: NaN == NaN - return a !== a && b !== b; - } - } - - var _objectIs$1 = typeof Object.is === 'function' ? Object.is : _objectIs; - - /** - * private _uniqContentEquals function. - * That function is checking equality of 2 iterator contents with 2 assumptions - * - iterators lengths are the same - * - iterators values are unique - * - * false-positive result will be returned for comparision of, e.g. - * - [1,2,3] and [1,2,3,4] - * - [1,1,1] and [1,2,3] - * */ - - function _uniqContentEquals(aIterator, bIterator, stackA, stackB) { - var a = _arrayFromIterator(aIterator); - - var b = _arrayFromIterator(bIterator); - - function eq(_a, _b) { - return _equals(_a, _b, stackA.slice(), stackB.slice()); - } // if *a* array contains any element that is not included in *b* - - - return !_includesWith(function (b, aItem) { - return !_includesWith(eq, aItem, b); - }, b, a); - } - - function _equals(a, b, stackA, stackB) { - if (_objectIs$1(a, b)) { - return true; - } - - var typeA = type$1(a); - - if (typeA !== type$1(b)) { - return false; - } - - if (a == null || b == null) { - return false; - } - - if (typeof a['fantasy-land/equals'] === 'function' || typeof b['fantasy-land/equals'] === 'function') { - return typeof a['fantasy-land/equals'] === 'function' && a['fantasy-land/equals'](b) && typeof b['fantasy-land/equals'] === 'function' && b['fantasy-land/equals'](a); - } - - if (typeof a.equals === 'function' || typeof b.equals === 'function') { - return typeof a.equals === 'function' && a.equals(b) && typeof b.equals === 'function' && b.equals(a); - } - - switch (typeA) { - case 'Arguments': - case 'Array': - case 'Object': - if (typeof a.constructor === 'function' && _functionName(a.constructor) === 'Promise') { - return a === b; - } - - break; - - case 'Boolean': - case 'Number': - case 'String': - if (!(typeof a === typeof b && _objectIs$1(a.valueOf(), b.valueOf()))) { - return false; - } - - break; - - case 'Date': - if (!_objectIs$1(a.valueOf(), b.valueOf())) { - return false; - } - - break; - - case 'Error': - return a.name === b.name && a.message === b.message; - - case 'RegExp': - if (!(a.source === b.source && a.global === b.global && a.ignoreCase === b.ignoreCase && a.multiline === b.multiline && a.sticky === b.sticky && a.unicode === b.unicode)) { - return false; - } - - break; - } - - var idx = stackA.length - 1; - - while (idx >= 0) { - if (stackA[idx] === a) { - return stackB[idx] === b; - } - - idx -= 1; - } - - switch (typeA) { - case 'Map': - if (a.size !== b.size) { - return false; - } - - return _uniqContentEquals(a.entries(), b.entries(), stackA.concat([a]), stackB.concat([b])); - - case 'Set': - if (a.size !== b.size) { - return false; - } - - return _uniqContentEquals(a.values(), b.values(), stackA.concat([a]), stackB.concat([b])); - - case 'Arguments': - case 'Array': - case 'Object': - case 'Boolean': - case 'Number': - case 'String': - case 'Date': - case 'Error': - case 'RegExp': - case 'Int8Array': - case 'Uint8Array': - case 'Uint8ClampedArray': - case 'Int16Array': - case 'Uint16Array': - case 'Int32Array': - case 'Uint32Array': - case 'Float32Array': - case 'Float64Array': - case 'ArrayBuffer': - break; - - default: - // Values of other types are only equal if identical. - return false; - } - - var keysA = keys$1(a); - - if (keysA.length !== keys$1(b).length) { - return false; - } - - var extendedStackA = stackA.concat([a]); - var extendedStackB = stackB.concat([b]); - idx = keysA.length - 1; - - while (idx >= 0) { - var key = keysA[idx]; - - if (!(_has(key, b) && _equals(b[key], a[key], extendedStackA, extendedStackB))) { - return false; - } - - idx -= 1; - } - - return true; - } - - /** - * Returns `true` if its arguments are equivalent, `false` otherwise. Handles - * cyclical data structures. - * - * Dispatches symmetrically to the `equals` methods of both arguments, if - * present. - * - * @func - * @memberOf R - * @since v0.15.0 - * @category Relation - * @sig a -> b -> Boolean - * @param {*} a - * @param {*} b - * @return {Boolean} - * @example - * - * R.equals(1, 1); //=> true - * R.equals(1, '1'); //=> false - * R.equals([1, 2, 3], [1, 2, 3]); //=> true - * - * const a = {}; a.v = a; - * const b = {}; b.v = b; - * R.equals(a, b); //=> true - */ - - var equals = - /*#__PURE__*/ - _curry2(function equals(a, b) { - return _equals(a, b, [], []); - }); - - var equals$1 = equals; - - function _indexOf(list, a, idx) { - var inf, item; // Array.prototype.indexOf doesn't exist below IE9 - - if (typeof list.indexOf === 'function') { - switch (typeof a) { - case 'number': - if (a === 0) { - // manually crawl the list to distinguish between +0 and -0 - inf = 1 / a; - - while (idx < list.length) { - item = list[idx]; - - if (item === 0 && 1 / item === inf) { - return idx; - } - - idx += 1; - } - - return -1; - } else if (a !== a) { - // NaN - while (idx < list.length) { - item = list[idx]; - - if (typeof item === 'number' && item !== item) { - return idx; - } - - idx += 1; - } - - return -1; - } // non-zero numbers can utilise Set - - - return list.indexOf(a, idx); - // all these types can utilise Set - - case 'string': - case 'boolean': - case 'function': - case 'undefined': - return list.indexOf(a, idx); - - case 'object': - if (a === null) { - // null can utilise Set - return list.indexOf(a, idx); - } - - } - } // anything else not covered above, defer to R.equals - - - while (idx < list.length) { - if (equals$1(list[idx], a)) { - return idx; - } - - idx += 1; - } - - return -1; - } - - function _includes(a, list) { - return _indexOf(list, a, 0) >= 0; - } - - function _quote(s) { - var escaped = s.replace(/\\/g, '\\\\').replace(/[\b]/g, '\\b') // \b matches word boundary; [\b] matches backspace - .replace(/\f/g, '\\f').replace(/\n/g, '\\n').replace(/\r/g, '\\r').replace(/\t/g, '\\t').replace(/\v/g, '\\v').replace(/\0/g, '\\0'); - return '"' + escaped.replace(/"/g, '\\"') + '"'; - } - - /** - * Polyfill from . - */ - var pad = function pad(n) { - return (n < 10 ? '0' : '') + n; - }; - - var _toISOString = typeof Date.prototype.toISOString === 'function' ? function _toISOString(d) { - return d.toISOString(); - } : function _toISOString(d) { - return d.getUTCFullYear() + '-' + pad(d.getUTCMonth() + 1) + '-' + pad(d.getUTCDate()) + 'T' + pad(d.getUTCHours()) + ':' + pad(d.getUTCMinutes()) + ':' + pad(d.getUTCSeconds()) + '.' + (d.getUTCMilliseconds() / 1000).toFixed(3).slice(2, 5) + 'Z'; - }; - - var _toISOString$1 = _toISOString; - - function _complement(f) { - return function () { - return !f.apply(this, arguments); - }; - } - - function _filter(fn, list) { - var idx = 0; - var len = list.length; - var result = []; - - while (idx < len) { - if (fn(list[idx])) { - result[result.length] = list[idx]; - } - - idx += 1; - } - - return result; - } - - function _isObject(x) { - return Object.prototype.toString.call(x) === '[object Object]'; - } - - var XFilter = - /*#__PURE__*/ - function () { - function XFilter(f, xf) { - this.xf = xf; - this.f = f; - } - - XFilter.prototype['@@transducer/init'] = _xfBase.init; - XFilter.prototype['@@transducer/result'] = _xfBase.result; - - XFilter.prototype['@@transducer/step'] = function (result, input) { - return this.f(input) ? this.xf['@@transducer/step'](result, input) : result; - }; - - return XFilter; - }(); - - var _xfilter = - /*#__PURE__*/ - _curry2(function _xfilter(f, xf) { - return new XFilter(f, xf); - }); - - var _xfilter$1 = _xfilter; - - /** - * Takes a predicate and a `Filterable`, and returns a new filterable of the - * same type containing the members of the given filterable which satisfy the - * given predicate. Filterable objects include plain objects or any object - * that has a filter method such as `Array`. - * - * Dispatches to the `filter` method of the second argument, if present. - * - * Acts as a transducer if a transformer is given in list position. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Filterable f => (a -> Boolean) -> f a -> f a - * @param {Function} pred - * @param {Array} filterable - * @return {Array} Filterable - * @see R.reject, R.transduce, R.addIndex - * @example - * - * const isEven = n => n % 2 === 0; - * - * R.filter(isEven, [1, 2, 3, 4]); //=> [2, 4] - * - * R.filter(isEven, {a: 1, b: 2, c: 3, d: 4}); //=> {b: 2, d: 4} - */ - - var filter = - /*#__PURE__*/ - _curry2( - /*#__PURE__*/ - _dispatchable(['filter'], _xfilter$1, function (pred, filterable) { - return _isObject(filterable) ? _reduce(function (acc, key) { - if (pred(filterable[key])) { - acc[key] = filterable[key]; - } - - return acc; - }, {}, keys$1(filterable)) : // else - _filter(pred, filterable); - })); - - var filter$1 = filter; - - /** - * The complement of [`filter`](#filter). - * - * Acts as a transducer if a transformer is given in list position. Filterable - * objects include plain objects or any object that has a filter method such - * as `Array`. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Filterable f => (a -> Boolean) -> f a -> f a - * @param {Function} pred - * @param {Array} filterable - * @return {Array} - * @see R.filter, R.transduce, R.addIndex - * @example - * - * const isOdd = (n) => n % 2 === 1; - * - * R.reject(isOdd, [1, 2, 3, 4]); //=> [2, 4] - * - * R.reject(isOdd, {a: 1, b: 2, c: 3, d: 4}); //=> {b: 2, d: 4} - */ - - var reject = - /*#__PURE__*/ - _curry2(function reject(pred, filterable) { - return filter$1(_complement(pred), filterable); - }); - - var reject$1 = reject; - - function _toString(x, seen) { - var recur = function recur(y) { - var xs = seen.concat([x]); - return _includes(y, xs) ? '' : _toString(y, xs); - }; // mapPairs :: (Object, [String]) -> [String] - - - var mapPairs = function (obj, keys) { - return _map(function (k) { - return _quote(k) + ': ' + recur(obj[k]); - }, keys.slice().sort()); - }; - - switch (Object.prototype.toString.call(x)) { - case '[object Arguments]': - return '(function() { return arguments; }(' + _map(recur, x).join(', ') + '))'; - - case '[object Array]': - return '[' + _map(recur, x).concat(mapPairs(x, reject$1(function (k) { - return /^\d+$/.test(k); - }, keys$1(x)))).join(', ') + ']'; - - case '[object Boolean]': - return typeof x === 'object' ? 'new Boolean(' + recur(x.valueOf()) + ')' : x.toString(); - - case '[object Date]': - return 'new Date(' + (isNaN(x.valueOf()) ? recur(NaN) : _quote(_toISOString$1(x))) + ')'; - - case '[object Null]': - return 'null'; - - case '[object Number]': - return typeof x === 'object' ? 'new Number(' + recur(x.valueOf()) + ')' : 1 / x === -Infinity ? '-0' : x.toString(10); - - case '[object String]': - return typeof x === 'object' ? 'new String(' + recur(x.valueOf()) + ')' : _quote(x); - - case '[object Undefined]': - return 'undefined'; - - default: - if (typeof x.toString === 'function') { - var repr = x.toString(); - - if (repr !== '[object Object]') { - return repr; - } - } - - return '{' + mapPairs(x, keys$1(x)).join(', ') + '}'; - } - } - - /** - * Returns the string representation of the given value. `eval`'ing the output - * should result in a value equivalent to the input value. Many of the built-in - * `toString` methods do not satisfy this requirement. - * - * If the given value is an `[object Object]` with a `toString` method other - * than `Object.prototype.toString`, this method is invoked with no arguments - * to produce the return value. This means user-defined constructor functions - * can provide a suitable `toString` method. For example: - * - * function Point(x, y) { - * this.x = x; - * this.y = y; - * } - * - * Point.prototype.toString = function() { - * return 'new Point(' + this.x + ', ' + this.y + ')'; - * }; - * - * R.toString(new Point(1, 2)); //=> 'new Point(1, 2)' - * - * @func - * @memberOf R - * @since v0.14.0 - * @category String - * @sig * -> String - * @param {*} val - * @return {String} - * @example - * - * R.toString(42); //=> '42' - * R.toString('abc'); //=> '"abc"' - * R.toString([1, 2, 3]); //=> '[1, 2, 3]' - * R.toString({foo: 1, bar: 2, baz: 3}); //=> '{"bar": 2, "baz": 3, "foo": 1}' - * R.toString(new Date('2001-02-03T04:05:06Z')); //=> 'new Date("2001-02-03T04:05:06.000Z")' - */ - - var toString = - /*#__PURE__*/ - _curry1(function toString(val) { - return _toString(val, []); - }); - - var toString$1 = toString; - - /** - * Accepts a converging function and a list of branching functions and returns - * a new function. The arity of the new function is the same as the arity of - * the longest branching function. When invoked, this new function is applied - * to some arguments, and each branching function is applied to those same - * arguments. The results of each branching function are passed as arguments - * to the converging function to produce the return value. - * - * @func - * @memberOf R - * @since v0.4.2 - * @category Function - * @sig ((x1, x2, ...) -> z) -> [((a, b, ...) -> x1), ((a, b, ...) -> x2), ...] -> (a -> b -> ... -> z) - * @param {Function} after A function. `after` will be invoked with the return values of - * `fn1` and `fn2` as its arguments. - * @param {Array} functions A list of functions. - * @return {Function} A new function. - * @see R.useWith - * @example - * - * const average = R.converge(R.divide, [R.sum, R.length]) - * average([1, 2, 3, 4, 5, 6, 7]) //=> 4 - * - * const strangeConcat = R.converge(R.concat, [R.toUpper, R.toLower]) - * strangeConcat("Yodel") //=> "YODELyodel" - * - * @symb R.converge(f, [g, h])(a, b) = f(g(a, b), h(a, b)) - */ - - var converge = - /*#__PURE__*/ - _curry2(function converge(after, fns) { - return curryN$1(reduce$1(max$1, 0, pluck$1('length', fns)), function () { - var args = arguments; - var context = this; - return after.apply(context, _map(function (fn) { - return fn.apply(context, args); - }, fns)); - }); - }); - - var converge$1 = converge; - - var XReduceBy = - /*#__PURE__*/ - function () { - function XReduceBy(valueFn, valueAcc, keyFn, xf) { - this.valueFn = valueFn; - this.valueAcc = valueAcc; - this.keyFn = keyFn; - this.xf = xf; - this.inputs = {}; - } - - XReduceBy.prototype['@@transducer/init'] = _xfBase.init; - - XReduceBy.prototype['@@transducer/result'] = function (result) { - var key; - - for (key in this.inputs) { - if (_has(key, this.inputs)) { - result = this.xf['@@transducer/step'](result, this.inputs[key]); - - if (result['@@transducer/reduced']) { - result = result['@@transducer/value']; - break; - } - } - } - - this.inputs = null; - return this.xf['@@transducer/result'](result); - }; - - XReduceBy.prototype['@@transducer/step'] = function (result, input) { - var key = this.keyFn(input); - this.inputs[key] = this.inputs[key] || [key, this.valueAcc]; - this.inputs[key][1] = this.valueFn(this.inputs[key][1], input); - return result; - }; - - return XReduceBy; - }(); - - var _xreduceBy = - /*#__PURE__*/ - _curryN(4, [], function _xreduceBy(valueFn, valueAcc, keyFn, xf) { - return new XReduceBy(valueFn, valueAcc, keyFn, xf); - }); - - var _xreduceBy$1 = _xreduceBy; - - /** - * Groups the elements of the list according to the result of calling - * the String-returning function `keyFn` on each element and reduces the elements - * of each group to a single value via the reducer function `valueFn`. - * - * This function is basically a more general [`groupBy`](#groupBy) function. - * - * Acts as a transducer if a transformer is given in list position. - * - * @func - * @memberOf R - * @since v0.20.0 - * @category List - * @sig ((a, b) -> a) -> a -> (b -> String) -> [b] -> {String: a} - * @param {Function} valueFn The function that reduces the elements of each group to a single - * value. Receives two values, accumulator for a particular group and the current element. - * @param {*} acc The (initial) accumulator value for each group. - * @param {Function} keyFn The function that maps the list's element into a key. - * @param {Array} list The array to group. - * @return {Object} An object with the output of `keyFn` for keys, mapped to the output of - * `valueFn` for elements which produced that key when passed to `keyFn`. - * @see R.groupBy, R.reduce - * @example - * - * const groupNames = (acc, {name}) => acc.concat(name) - * const toGrade = ({score}) => - * score < 65 ? 'F' : - * score < 70 ? 'D' : - * score < 80 ? 'C' : - * score < 90 ? 'B' : 'A' - * - * var students = [ - * {name: 'Abby', score: 83}, - * {name: 'Bart', score: 62}, - * {name: 'Curt', score: 88}, - * {name: 'Dora', score: 92}, - * ] - * - * reduceBy(groupNames, [], toGrade, students) - * //=> {"A": ["Dora"], "B": ["Abby", "Curt"], "F": ["Bart"]} - */ - - var reduceBy = - /*#__PURE__*/ - _curryN(4, [], - /*#__PURE__*/ - _dispatchable([], _xreduceBy$1, function reduceBy(valueFn, valueAcc, keyFn, list) { - return _reduce(function (acc, elt) { - var key = keyFn(elt); - acc[key] = valueFn(_has(key, acc) ? acc[key] : _clone(valueAcc, [], [], false), elt); - return acc; - }, {}, list); - })); - - var reduceBy$1 = reduceBy; - - /** - * Makes a descending comparator function out of a function that returns a value - * that can be compared with `<` and `>`. - * - * @func - * @memberOf R - * @since v0.23.0 - * @category Function - * @sig Ord b => (a -> b) -> a -> a -> Number - * @param {Function} fn A function of arity one that returns a value that can be compared - * @param {*} a The first item to be compared. - * @param {*} b The second item to be compared. - * @return {Number} `-1` if fn(a) > fn(b), `1` if fn(b) > fn(a), otherwise `0` - * @see R.ascend - * @example - * - * const byAge = R.descend(R.prop('age')); - * const people = [ - * { name: 'Emma', age: 70 }, - * { name: 'Peter', age: 78 }, - * { name: 'Mikhail', age: 62 }, - * ]; - * const peopleByOldestFirst = R.sort(byAge, people); - * //=> [{ name: 'Peter', age: 78 }, { name: 'Emma', age: 70 }, { name: 'Mikhail', age: 62 }] - */ - - var descend = - /*#__PURE__*/ - _curry3(function descend(fn, a, b) { - var aa = fn(a); - var bb = fn(b); - return aa > bb ? -1 : aa < bb ? 1 : 0; - }); - - var descend$1 = descend; - - var _Set = - /*#__PURE__*/ - function () { - function _Set() { - /* globals Set */ - this._nativeSet = typeof Set === 'function' ? new Set() : null; - this._items = {}; - } - - // until we figure out why jsdoc chokes on this - // @param item The item to add to the Set - // @returns {boolean} true if the item did not exist prior, otherwise false - // - _Set.prototype.add = function (item) { - return !hasOrAdd(item, true, this); - }; // - // @param item The item to check for existence in the Set - // @returns {boolean} true if the item exists in the Set, otherwise false - // - - - _Set.prototype.has = function (item) { - return hasOrAdd(item, false, this); - }; // - // Combines the logic for checking whether an item is a member of the set and - // for adding a new item to the set. - // - // @param item The item to check or add to the Set instance. - // @param shouldAdd If true, the item will be added to the set if it doesn't - // already exist. - // @param set The set instance to check or add to. - // @return {boolean} true if the item already existed, otherwise false. - // - - - return _Set; - }(); - - function hasOrAdd(item, shouldAdd, set) { - var type = typeof item; - var prevSize, newSize; - - switch (type) { - case 'string': - case 'number': - // distinguish between +0 and -0 - if (item === 0 && 1 / item === -Infinity) { - if (set._items['-0']) { - return true; - } else { - if (shouldAdd) { - set._items['-0'] = true; - } - - return false; - } - } // these types can all utilise the native Set - - - if (set._nativeSet !== null) { - if (shouldAdd) { - prevSize = set._nativeSet.size; - - set._nativeSet.add(item); - - newSize = set._nativeSet.size; - return newSize === prevSize; - } else { - return set._nativeSet.has(item); - } - } else { - if (!(type in set._items)) { - if (shouldAdd) { - set._items[type] = {}; - set._items[type][item] = true; - } - - return false; - } else if (item in set._items[type]) { - return true; - } else { - if (shouldAdd) { - set._items[type][item] = true; - } - - return false; - } - } - - case 'boolean': - // set._items['boolean'] holds a two element array - // representing [ falseExists, trueExists ] - if (type in set._items) { - var bIdx = item ? 1 : 0; - - if (set._items[type][bIdx]) { - return true; - } else { - if (shouldAdd) { - set._items[type][bIdx] = true; - } - - return false; - } - } else { - if (shouldAdd) { - set._items[type] = item ? [false, true] : [true, false]; - } - - return false; - } - - case 'function': - // compare functions for reference equality - if (set._nativeSet !== null) { - if (shouldAdd) { - prevSize = set._nativeSet.size; - - set._nativeSet.add(item); - - newSize = set._nativeSet.size; - return newSize === prevSize; - } else { - return set._nativeSet.has(item); - } - } else { - if (!(type in set._items)) { - if (shouldAdd) { - set._items[type] = [item]; - } - - return false; - } - - if (!_includes(item, set._items[type])) { - if (shouldAdd) { - set._items[type].push(item); - } - - return false; - } - - return true; - } - - case 'undefined': - if (set._items[type]) { - return true; - } else { - if (shouldAdd) { - set._items[type] = true; - } - - return false; - } - - case 'object': - if (item === null) { - if (!set._items['null']) { - if (shouldAdd) { - set._items['null'] = true; - } - - return false; - } - - return true; - } - - /* falls through */ - - default: - // reduce the search size of heterogeneous sets by creating buckets - // for each type. - type = Object.prototype.toString.call(item); - - if (!(type in set._items)) { - if (shouldAdd) { - set._items[type] = [item]; - } - - return false; - } // scan through all previously applied items - - - if (!_includes(item, set._items[type])) { - if (shouldAdd) { - set._items[type].push(item); - } - - return false; - } - - return true; - } - } // A simple Set type that honours R.equals semantics - - - var _Set$1 = _Set; - - var XDrop = - /*#__PURE__*/ - function () { - function XDrop(n, xf) { - this.xf = xf; - this.n = n; - } - - XDrop.prototype['@@transducer/init'] = _xfBase.init; - XDrop.prototype['@@transducer/result'] = _xfBase.result; - - XDrop.prototype['@@transducer/step'] = function (result, input) { - if (this.n > 0) { - this.n -= 1; - return result; - } - - return this.xf['@@transducer/step'](result, input); - }; - - return XDrop; - }(); - - var _xdrop = - /*#__PURE__*/ - _curry2(function _xdrop(n, xf) { - return new XDrop(n, xf); - }); - - var _xdrop$1 = _xdrop; - - /** - * Returns all but the first `n` elements of the given list, string, or - * transducer/transformer (or object with a `drop` method). - * - * Dispatches to the `drop` method of the second argument, if present. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig Number -> [a] -> [a] - * @sig Number -> String -> String - * @param {Number} n - * @param {*} list - * @return {*} A copy of list without the first `n` elements - * @see R.take, R.transduce, R.dropLast, R.dropWhile - * @example - * - * R.drop(1, ['foo', 'bar', 'baz']); //=> ['bar', 'baz'] - * R.drop(2, ['foo', 'bar', 'baz']); //=> ['baz'] - * R.drop(3, ['foo', 'bar', 'baz']); //=> [] - * R.drop(4, ['foo', 'bar', 'baz']); //=> [] - * R.drop(3, 'ramda'); //=> 'da' - */ - - var drop = - /*#__PURE__*/ - _curry2( - /*#__PURE__*/ - _dispatchable(['drop'], _xdrop$1, function drop(n, xs) { - return slice$1(Math.max(0, n), Infinity, xs); - })); - - var drop$1 = drop; - - /** - * Returns a new list containing the last `n` elements of the given list. - * If `n > list.length`, returns a list of `list.length` elements. - * - * @func - * @memberOf R - * @since v0.16.0 - * @category List - * @sig Number -> [a] -> [a] - * @sig Number -> String -> String - * @param {Number} n The number of elements to return. - * @param {Array} xs The collection to consider. - * @return {Array} - * @see R.dropLast - * @example - * - * R.takeLast(1, ['foo', 'bar', 'baz']); //=> ['baz'] - * R.takeLast(2, ['foo', 'bar', 'baz']); //=> ['bar', 'baz'] - * R.takeLast(3, ['foo', 'bar', 'baz']); //=> ['foo', 'bar', 'baz'] - * R.takeLast(4, ['foo', 'bar', 'baz']); //=> ['foo', 'bar', 'baz'] - * R.takeLast(3, 'ramda'); //=> 'mda' - */ - - var takeLast = - /*#__PURE__*/ - _curry2(function takeLast(n, xs) { - return drop$1(n >= 0 ? xs.length - n : 0, xs); - }); - - var takeLast$1 = takeLast; - - /** - * Returns a new list by pulling every item out of it (and all its sub-arrays) - * and putting them in a new array, depth-first. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig [a] -> [b] - * @param {Array} list The array to consider. - * @return {Array} The flattened list. - * @see R.unnest - * @example - * - * R.flatten([1, 2, [3, 4], 5, [6, [7, 8, [9, [10, 11], 12]]]]); - * //=> [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12] - */ - - var flatten = - /*#__PURE__*/ - _curry1( - /*#__PURE__*/ - _makeFlat(true)); - - var flatten$1 = flatten; - - /** - * Splits a list into sub-lists stored in an object, based on the result of - * calling a String-returning function on each element, and grouping the - * results according to values returned. - * - * Dispatches to the `groupBy` method of the second argument, if present. - * - * Acts as a transducer if a transformer is given in list position. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig (a -> String) -> [a] -> {String: [a]} - * @param {Function} fn Function :: a -> String - * @param {Array} list The array to group - * @return {Object} An object with the output of `fn` for keys, mapped to arrays of elements - * that produced that key when passed to `fn`. - * @see R.reduceBy, R.transduce - * @example - * - * const byGrade = R.groupBy(function(student) { - * const score = student.score; - * return score < 65 ? 'F' : - * score < 70 ? 'D' : - * score < 80 ? 'C' : - * score < 90 ? 'B' : 'A'; - * }); - * const students = [{name: 'Abby', score: 84}, - * {name: 'Eddy', score: 58}, - * // ... - * {name: 'Jack', score: 69}]; - * byGrade(students); - * // { - * // 'A': [{name: 'Dianne', score: 99}], - * // 'B': [{name: 'Abby', score: 84}] - * // // ..., - * // 'F': [{name: 'Eddy', score: 58}] - * // } - */ - - var groupBy = - /*#__PURE__*/ - _curry2( - /*#__PURE__*/ - _checkForMethod('groupBy', - /*#__PURE__*/ - reduceBy$1(function (acc, item) { - if (acc == null) { - acc = []; - } - - acc.push(item); - return acc; - }, null))); - - var groupBy$1 = groupBy; - - /** - * Returns `true` if the first argument is greater than the second; `false` - * otherwise. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Relation - * @sig Ord a => a -> a -> Boolean - * @param {*} a - * @param {*} b - * @return {Boolean} - * @see R.lt - * @example - * - * R.gt(2, 1); //=> true - * R.gt(2, 2); //=> false - * R.gt(2, 3); //=> false - * R.gt('a', 'z'); //=> false - * R.gt('z', 'a'); //=> true - */ - - var gt = - /*#__PURE__*/ - _curry2(function gt(a, b) { - return a > b; - }); - - var gt$1 = gt; - - /** - * Returns a new list containing only one copy of each element in the original - * list, based upon the value returned by applying the supplied function to - * each list element. Prefers the first item if the supplied function produces - * the same value on two items. [`R.equals`](#equals) is used for comparison. - * - * @func - * @memberOf R - * @since v0.16.0 - * @category List - * @sig (a -> b) -> [a] -> [a] - * @param {Function} fn A function used to produce a value to use during comparisons. - * @param {Array} list The array to consider. - * @return {Array} The list of unique items. - * @example - * - * R.uniqBy(Math.abs, [-1, -5, 2, 10, 1, 2]); //=> [-1, -5, 2, 10] - */ - - var uniqBy = - /*#__PURE__*/ - _curry2(function uniqBy(fn, list) { - var set = new _Set$1(); - var result = []; - var idx = 0; - var appliedItem, item; - - while (idx < list.length) { - item = list[idx]; - appliedItem = fn(item); - - if (set.add(appliedItem)) { - result.push(item); - } - - idx += 1; - } - - return result; - }); - - var uniqBy$1 = uniqBy; - - /** - * Returns a new list containing only one copy of each element in the original - * list. [`R.equals`](#equals) is used to determine equality. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig [a] -> [a] - * @param {Array} list The array to consider. - * @return {Array} The list of unique items. - * @example - * - * R.uniq([1, 1, 2, 1]); //=> [1, 2] - * R.uniq([1, '1']); //=> [1, '1'] - * R.uniq([[42], [42]]); //=> [[42]] - */ - - var uniq = - /*#__PURE__*/ - uniqBy$1(identity$1); - var uniq$1 = uniq; - - function _objectAssign(target) { - if (target == null) { - throw new TypeError('Cannot convert undefined or null to object'); - } - - var output = Object(target); - var idx = 1; - var length = arguments.length; - - while (idx < length) { - var source = arguments[idx]; - - if (source != null) { - for (var nextKey in source) { - if (_has(nextKey, source)) { - output[nextKey] = source[nextKey]; - } - } - } - - idx += 1; - } - - return output; - } - - var _objectAssign$1 = typeof Object.assign === 'function' ? Object.assign : _objectAssign; - - /** - * Turns a named method with a specified arity into a function that can be - * called directly supplied with arguments and a target object. - * - * The returned function is curried and accepts `arity + 1` parameters where - * the final parameter is the target object. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Function - * @sig Number -> String -> (a -> b -> ... -> n -> Object -> *) - * @param {Number} arity Number of arguments the returned function should take - * before the target object. - * @param {String} method Name of any of the target object's methods to call. - * @return {Function} A new curried function. - * @see R.construct - * @example - * - * const sliceFrom = R.invoker(1, 'slice'); - * sliceFrom(6, 'abcdefghijklm'); //=> 'ghijklm' - * const sliceFrom6 = R.invoker(2, 'slice')(6); - * sliceFrom6(8, 'abcdefghijklm'); //=> 'gh' - * - * const dog = { - * speak: async () => 'Woof!' - * }; - * const speak = R.invoker(0, 'speak'); - * speak(dog).then(console.log) //~> 'Woof!' - * - * @symb R.invoker(0, 'method')(o) = o['method']() - * @symb R.invoker(1, 'method')(a, o) = o['method'](a) - * @symb R.invoker(2, 'method')(a, b, o) = o['method'](a, b) - */ - - var invoker = - /*#__PURE__*/ - _curry2(function invoker(arity, method) { - return curryN$1(arity + 1, function () { - var target = arguments[arity]; - - if (target != null && _isFunction(target[method])) { - return target[method].apply(target, Array.prototype.slice.call(arguments, 0, arity)); - } - - throw new TypeError(toString$1(target) + ' does not have a method named "' + method + '"'); - }); - }); - - var invoker$1 = invoker; - - /** - * Returns a string made by inserting the `separator` between each element and - * concatenating all the elements into a single string. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig String -> [a] -> String - * @param {Number|String} separator The string used to separate the elements. - * @param {Array} xs The elements to join into a string. - * @return {String} str The string made by concatenating `xs` with `separator`. - * @see R.split - * @example - * - * const spacer = R.join(' '); - * spacer(['a', 2, 3.4]); //=> 'a 2 3.4' - * R.join('|', [1, 2, 3]); //=> '1|2|3' - */ - - var join = - /*#__PURE__*/ - invoker$1(1, 'join'); - var join$1 = join; - - /** - * Merges a list of objects together into one object. - * - * @func - * @memberOf R - * @since v0.10.0 - * @category List - * @sig [{k: v}] -> {k: v} - * @param {Array} list An array of objects - * @return {Object} A merged object. - * @see R.reduce - * @example - * - * R.mergeAll([{foo:1},{bar:2},{baz:3}]); //=> {foo:1,bar:2,baz:3} - * R.mergeAll([{foo:1},{foo:2},{bar:2}]); //=> {foo:2,bar:2} - * @symb R.mergeAll([{ x: 1 }, { y: 2 }, { z: 3 }]) = { x: 1, y: 2, z: 3 } - */ - - var mergeAll = - /*#__PURE__*/ - _curry1(function mergeAll(list) { - return _objectAssign$1.apply(null, [{}].concat(list)); - }); - - var mergeAll$1 = mergeAll; - - /** - * Returns a new list with the given element at the front, followed by the - * contents of the list. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig a -> [a] -> [a] - * @param {*} el The item to add to the head of the output list. - * @param {Array} list The array to add to the tail of the output list. - * @return {Array} A new array. - * @see R.append - * @example - * - * R.prepend('fee', ['fi', 'fo', 'fum']); //=> ['fee', 'fi', 'fo', 'fum'] - */ - - var prepend = - /*#__PURE__*/ - _curry2(function prepend(el, list) { - return _concat([el], list); - }); - - var prepend$1 = prepend; - - /** - * Returns `true` if the specified object property satisfies the given - * predicate; `false` otherwise. You can test multiple properties with - * [`R.where`](#where). - * - * @func - * @memberOf R - * @since v0.16.0 - * @category Logic - * @sig (a -> Boolean) -> String -> {String: a} -> Boolean - * @param {Function} pred - * @param {String} name - * @param {*} obj - * @return {Boolean} - * @see R.where, R.propEq, R.propIs - * @example - * - * R.propSatisfies(x => x > 0, 'x', {x: 1, y: 2}); //=> true - */ - - var propSatisfies = - /*#__PURE__*/ - _curry3(function propSatisfies(pred, name, obj) { - return pred(obj[name]); - }); - - var propSatisfies$1 = propSatisfies; - - /** - * Acts as multiple `prop`: array of keys in, array of values out. Preserves - * order. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category Object - * @sig [k] -> {k: v} -> [v] - * @param {Array} ps The property names to fetch - * @param {Object} obj The object to query - * @return {Array} The corresponding values or partially applied function. - * @example - * - * R.props(['x', 'y'], {x: 1, y: 2}); //=> [1, 2] - * R.props(['c', 'a', 'b'], {b: 2, a: 1}); //=> [undefined, 1, 2] - * - * const fullName = R.compose(R.join(' '), R.props(['first', 'last'])); - * fullName({last: 'Bullet-Tooth', age: 33, first: 'Tony'}); //=> 'Tony Bullet-Tooth' - */ - - var props = - /*#__PURE__*/ - _curry2(function props(ps, obj) { - return ps.map(function (p) { - return path$1([p], obj); - }); - }); - - var props$1 = props; - - /** - * Returns a copy of the list, sorted according to the comparator function, - * which should accept two values at a time and return a negative number if the - * first value is smaller, a positive number if it's larger, and zero if they - * are equal. Please note that this is a **copy** of the list. It does not - * modify the original. - * - * @func - * @memberOf R - * @since v0.1.0 - * @category List - * @sig ((a, a) -> Number) -> [a] -> [a] - * @param {Function} comparator A sorting function :: a -> b -> Int - * @param {Array} list The list to sort - * @return {Array} a new array with its elements sorted by the comparator function. - * @example - * - * const diff = function(a, b) { return a - b; }; - * R.sort(diff, [4,2,7,5]); //=> [2, 4, 5, 7] - */ - - var sort = - /*#__PURE__*/ - _curry2(function sort(comparator, list) { - return Array.prototype.slice.call(list, 0).sort(comparator); - }); - - var sort$1 = sort; - - /** - * Tests the final argument by passing it to the given predicate function. If - * the predicate is satisfied, the function will return the result of calling - * the `whenTrueFn` function with the same argument. If the predicate is not - * satisfied, the argument is returned as is. - * - * @func - * @memberOf R - * @since v0.18.0 - * @category Logic - * @sig (a -> Boolean) -> (a -> a) -> a -> a - * @param {Function} pred A predicate function - * @param {Function} whenTrueFn A function to invoke when the `condition` - * evaluates to a truthy value. - * @param {*} x An object to test with the `pred` function and - * pass to `whenTrueFn` if necessary. - * @return {*} Either `x` or the result of applying `x` to `whenTrueFn`. - * @see R.ifElse, R.unless, R.cond - * @example - * - * // truncate :: String -> String - * const truncate = R.when( - * R.propSatisfies(R.gt(R.__, 10), 'length'), - * R.pipe(R.take(10), R.append('…'), R.join('')) - * ); - * truncate('12345'); //=> '12345' - * truncate('0123456789ABC'); //=> '0123456789…' - */ - - var when = - /*#__PURE__*/ - _curry3(function when(pred, whenTrueFn, x) { - return pred(x) ? whenTrueFn(x) : x; - }); - - var when$1 = when; - - /** - * Creates a new list out of the two supplied by applying the function to each - * equally-positioned pair in the lists. The returned list is truncated to the - * length of the shorter of the two input lists. - * - * @function - * @memberOf R - * @since v0.1.0 - * @category List - * @sig ((a, b) -> c) -> [a] -> [b] -> [c] - * @param {Function} fn The function used to combine the two elements into one value. - * @param {Array} list1 The first array to consider. - * @param {Array} list2 The second array to consider. - * @return {Array} The list made by combining same-indexed elements of `list1` and `list2` - * using `fn`. - * @example - * - * const f = (x, y) => { - * // ... - * }; - * R.zipWith(f, [1, 2, 3], ['a', 'b', 'c']); - * //=> [f(1, 'a'), f(2, 'b'), f(3, 'c')] - * @symb R.zipWith(fn, [a, b, c], [d, e, f]) = [fn(a, d), fn(b, e), fn(c, f)] - */ - - var zipWith = - /*#__PURE__*/ - _curry3(function zipWith(fn, a, b) { - var rv = []; - var idx = 0; - var len = Math.min(a.length, b.length); - - while (idx < len) { - rv[idx] = fn(a[idx], b[idx]); - idx += 1; - } - - return rv; - }); - - var zipWith$1 = zipWith; - - const truncate = (len) => - when$1( - propSatisfies$1(gt$1(__, len), "length"), - pipe(takeLast$1(len), prepend$1("…"), join$1("")) - ); - - function isValidEmail(value) { - if (!value) return true; - const pattern = - /^[a-zA-Z0-9.!#$%&’*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0-9-]+)*$/; - return value && pattern.test(value); - } - - const newGuid = () => { - const S4 = () => - (((1 + Math.random()) * 0x10000) | 0).toString(16).substring(1); - return ( - S4() + - S4() + - "-" + - S4() + - "-4" + - S4().substr(0, 3) + - "-" + - S4() + - "-" + - S4() + - S4() + - S4() - ).toLowerCase(); - }; - - const CONSTS = { - USERS: "users", - API: {"env":{"isProd":false,"API":"http://localhost:5001/sswlinkauditor-c1131/asia-east2","API2":"http://localhost:5001/sswlinkauditor-c1131/asia-northeast1/api2"}}.env.API, - API2: {"env":{"isProd":false,"API":"http://localhost:5001/sswlinkauditor-c1131/asia-east2","API2":"http://localhost:5001/sswlinkauditor-c1131/asia-northeast1/api2"}}.env.API2, - BlobURL: "https://codeauditorstorage.blob.core.windows.net", - URLChecker: "https://urlchecker.blob.core.windows.net", - }; - - const printTimeDiff = (took) => - Math.floor((took || 0) / 60) - .toString() - .padStart(0, "0") + - "m " + - Math.floor((took || 0) % 60) - .toString() - .padStart(2, "0") + - "s"; - - const updateQuery = (q) => { - if (history.pushState) { - var newurl = - window.location.protocol + - "//" + - window.location.host + - window.location.pathname + - "?" + - q; - window.history.pushState( - { - path: newurl, - }, - "", - newurl - ); - } - }; - - const getPerfScore = (value) => ({ - performanceScore: Math.round(value.performanceScore * 100), - pwaScore: Math.round(value.pwaScore * 100), - seoScore: Math.round(value.seoScore * 100), - accessibilityScore: Math.round(value.accessibilityScore * 100), - bestPracticesScore: Math.round(value.bestPracticesScore * 100), - average: Math.round( - ((value.performanceScore + - value.seoScore + - value.bestPracticesScore + - value.accessibilityScore + - value.pwaScore) / - 5) * - 100 - ), - }); - - const getArtilleryResult = (value) => ({ - timestamp: value.timestamp, - scenariosCreated: value.scenariosCreated, - scenariosCompleted: value.scenariosCompleted, - requestsCompleted: value.requestsCompleted, - latencyMedian: value.latencyMedian, - rpsCount: value.rpsCount, - }); - - const getLoadThresholdResult = (value) => ({ - latencyMedian: value.latencyMedian, - latencyP95: value.latencyP95, - latencyP99: value.latencyP99, - errors: value.errors, - }); - - const isInIgnored = (url, list) => { - function glob(pattern, input) { - var re = new RegExp( - pattern.replace(/([.?+^$[\]\\(){}|\/-])/g, "\\$1").replace(/\*/g, ".*") - ); - return re.test(input); - } - const date = new Date(); - for (let index = 0; index < list.length; index++) { - const item = list[index]; - const pattern = item.urlToIgnore; - if (glob(pattern, url)) { - const effectiveFrom = new Date(item.effectiveFrom); - const timelapsed = (date - effectiveFrom) / 86400000; - if ( - (item.ignoreDuration > 0 && timelapsed < item.ignoreDuration) || - item.ignoreDuration === -1 - ) { - console.log("Remaing days", item.ignoreDuration - timelapsed); - return true; - } - } - } - return null; - }; - - const getHtmlIssuesDescriptions = pipe( - JSON.parse, - converge$1( - zipWith$1((x, y) => ({ - error: x, - count: y, - })), - [keys$1, values$1] - ), - map$1((x) => `"${x.error}" : ${x.count}`), - join$1("\n") - ); - - const getCodeIssuesDescriptions = pipe( - converge$1( - zipWith$1((x, y) => ({ - error: x, - count: y, - })), - [keys$1, values$1] - ), - map$1((x) => `"${x.error}" : ${x.count}`), - join$1("\n") - ); - - const getHtmlErrorsByReason = pipe( - map$1((x) => { - return Object.keys(x.errors).reduce((pre, curr) => { - pre = [ - ...pre, - { - error: curr, - url: x.url, - locations: x.errors[curr], - }, - ]; - return pre; - }, []); - }), - map$1(values$1), - flatten$1, - groupBy$1(prop$1("error")), - converge$1( - zipWith$1((k, v) => ({ - error: k, - pages: v, - })), - [keys$1, values$1] - ) - ); - - const getCodeSummary = (value) => { - let summary = {}; - if (value.codeIssues) { - const data = value.codeIssues ? JSON.parse(value.codeIssues) : null; - summary = { - ...summary, - code: true, - codeErrors: Object.keys(data).filter((x) => x.startsWith("Error - ")) - .length, - codeWarnings: Object.keys(data).filter((x) => x.startsWith("Warn - ")) - .length, - codeIssueList: "Code Issues:\n" + getCodeIssuesDescriptions(data), - }; - } - - if (value.cloc) { - const cloc = JSON.parse(value.cloc); - summary = { - ...summary, - cloc: true, - totalFiles: cloc.header.n_files, - totalLines: cloc.header.n_lines, - }; - } - - if (value.htmlIssuesList) { - summary = { - ...summary, - html: true, - htmlErrors: value.htmlErrors || 0, - htmlWarnings: value.htmlWarnings || 0, - htmlIssueList: - "HTML Issues:\n" + getHtmlIssuesDescriptions(value.htmlIssuesList), - }; - } - return summary; - }; - const HTMLERRORS = [ - "attr-no-duplication", - "attr-lowercase", - "attr-value-double-quotes", - "doctype-first", - "id-unique", - "src-not-empty", - "tag-pair", - "tagname-lowercase", - "title-require", - ]; - - const getCodeErrorsByFile = pipe( - groupBy$1(prop$1("file")), - converge$1( - zipWith$1((x, y) => ({ - url: x, - errors: pipe( - groupBy$1(prop$1("ruleFile")), - converge$1( - zipWith$1((x, y) => ({ - [x.replace(".md", "")]: pipe(map$1(prop$1("line")))(y), - })), - [keys$1, values$1] - ), - mergeAll$1 - )(y), - })), - [keys$1, values$1] - ) - ); - - const getCodeErrorsByRule = pipe( - groupBy$1(prop$1("ruleFile")), - converge$1( - zipWith$1((x, y) => ({ - error: x.replace(".md", ""), - pages: pipe( - groupBy$1(prop$1("file")), - converge$1( - zipWith$1((x, y) => ({ - error: x.replace(".md", ""), - url: x, - locations: y.map((l) => l.line), - })), - [keys$1, values$1] - ) - )(y), - })), - [keys$1, values$1] - ) - ); - - const getCodeErrorRules = pipe( - groupBy$1(prop$1("error")), - converge$1( - zipWith$1((x, y) => ({ - type: x === "true" ? "Error" : "Warn", - errors: pipe(groupBy$1(prop$1("ruleFile")), keys$1)(y), - })), - [keys$1, values$1] - ), - filter$1((x) => x.type === "Error"), - head$1, - prop$1("errors") - ); - - const getHtmlHintIssues = pipe( - map$1(prop$1("errors")), - map$1(keys$1), - flatten$1, - uniq$1 - ); - - const getRuleLink = (errorKey) => { - if (customHtmlHintRules.some((rule) => rule.rule === errorKey)) { - var custom = customHtmlHintRules.find((item) => item.rule == errorKey); - return custom.ruleLink; - } else { - return `https://htmlhint.com/docs/user-guide/rules/${errorKey}`; - } - }; - - const getDisplayText = (errorKey) => { - if (customHtmlHintRules.some((item) => item.rule === errorKey)) { - var customRule = customHtmlHintRules.find((item) => item.rule == errorKey); - return customRule.displayName != "" - ? customRule.displayName - : customRule.rule; - } else if (htmlHintRules.some((item) => item.rule == errorKey)) { - var htmlHint = htmlHintRules.find((item) => item.rule == errorKey); - return htmlHint.displayName != "" ? htmlHint.displayName : htmlHint.rule; - } else { - return errorKey; - } - }; - - const validateEmail = (email) => { - return String(email) - .toLowerCase() - .match( - /^(([^<>()[\]\\.,;:\s@"]+(\.[^<>()[\]\\.,;:\s@"]+)*)|.(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/ - ); - }; - - const convertSpecialCharUrl = (url) => { - // Replace special characters in URL string - const specialChars = { - ':': '%3A', - '/': '%2F' - }; - return url.replace(/[:/]/g, m => specialChars[m]); - }; - - const RuleType = { - Warning: "Warning", - Error: "Error", - }; - - const historyChartType = { - BadLinks: "BAD LINKS", - WarningCode: "CODE WARNINGS", - ErrorCode: "CODE ERRORS", - }; - - const unscannableLinks = [ - {url: "https://learn.microsoft.com/en-us/"}, - {url: "https://support.google.com/"}, - {url: "https://twitter.com/"}, - {url: "https://marketplace.visualstudio.com/"}, - {url: "https://www.nuget.org/"}, - ]; - - const htmlHintRules = [ - { - rule: "tagname-lowercase", - displayName: "Tags - Tag names must be lowercase", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/tagname-lowercase", - type: RuleType.Error - }, - { - rule: "tag-pair", - displayName: "Tags - Tags must be paired", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/tag-pair", - type: RuleType.Error - }, - { - rule: "empty-tag-not-self-closed", - displayName: "Tags - Empty tags should not be closed by itself", - ruleLink: - "https://htmlhint.com/docs/user-guide/rules/empty-tag-not-self-closed", - type: RuleType.Warning - }, - { - rule: "id-class-ad-disabled", - displayName: "Tags - Id and class must not use the 'ad' keyword", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/id-class-ad-disabled", - type: RuleType.Warning - }, - { - rule: "id-unique", - displayName: "Tags - Id attributes must be unique", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/id-unique", - type: RuleType.Error - }, - { - rule: "attr-lowercase", - displayName: "Attributes - Attribute names must be lowercase", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/attr-lowercase", - type: RuleType.Error - }, - { - rule: "attr-value-double-quotes", - displayName: "Attributes - Attribute values must be in double quotes", - ruleLink: - "https://htmlhint.com/docs/user-guide/rules/attr-value-double-quotes", - type: RuleType.Error - }, - { - rule: "attr-value-not-empty", - displayName: "Attributes - All attributes must have values", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/attr-value-not-empty", - type: RuleType.Warning - }, - { - rule: "attr-no-duplication", - displayName: "Attributes - Element cannot contain duplicate attributes", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/attr-no-duplication", - type: RuleType.Error - }, - { - rule: "attr-unsafe-chars", - displayName: "Attributes - Attributes cannot contain unsafe characters", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/attr-unsafe-chars", - type: RuleType.Warning - }, - { - rule: "doctype-first", - displayName: "Header - DOCTYPE must be declared first", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/doctype-first", - type: RuleType.Error - }, - { - rule: "title-require", - displayName: "Header - Missing title tag", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/title-require", - type: RuleType.Error - }, - { - rule: "doctype-html5", - displayName: "Header - DOCTYPE must be HTML5", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/doctype-html5", - type: RuleType.Warning - }, - { - rule: "head-script-disabled", - displayName: "Syntax - Script tags cannot be used inside another tag", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/head-script-disabled", - type: RuleType.Warning - }, - { - rule: "spec-char-escape", - displayName: "Syntax - Special characters must be escaped", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/spec-char-escape", - type: RuleType.Error - }, - { - rule: "style-disabled", - displayName: "Syntax - Style tags should not be used outside of header", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/style-disabled", - type: RuleType.Warning - }, - { - rule: "inline-style-disabled", - displayName: "Syntax - Inline styling should not be used", - ruleLink: - "https://htmlhint.com/docs/user-guide/rules/inline-style-disabled", - type: RuleType.Warning - }, - { - rule: "inline-script-disabled", - displayName: "Syntax - Inline scripts should not be used", - ruleLink: - "https://htmlhint.com/docs/user-guide/rules/inline-script-disabled", - type: RuleType.Warning - }, - { - rule: "alt-require", - displayName: "Images - Missing alt attribute", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/alt-require", - type: RuleType.Warning - }, - { - rule: "href-abs-or-rel", - displayName: "Links - Href attribute must be either absolute or relative", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/href-abs-or-rel", - type: RuleType.Warning - }, - { - rule: "src-not-empty", - displayName: "Content - The image src attribute must have a value", - ruleLink: "https://htmlhint.com/docs/user-guide/rules/src-not-empty", - type: RuleType.Error - }, - ]; - - const customHtmlHintRules = [ - { - rule: "code-block-missing-language", - displayName: "Syntax - Code blocks must have a language", - ruleLink: "https://www.ssw.com.au/rules/set-language-on-code-blocks", - type: RuleType.Warning - }, - // { - // rule: "youtube-url-must-be-used-correctly", - // displayName: "Syntax - YouTube videos must not be under an embed URL", - // ruleLink: "https://ssw.com.au/rules/optimize-videos-for-youtube/", - // type: RuleType.Warning - // }, - { - rule: "figure-must-use-the-right-code", - displayName: "Syntax - Use the right HTML/CSS figure markup", - ruleLink: "https://www.ssw.com.au/rules/use-the-right-html-figure-caption", - type: RuleType.Warning - }, - { - rule: "font-tag-must-not-be-used", - displayName: "Tags - Font tags must not be used", - ruleLink: - "https://www.ssw.com.au/rules/do-you-know-font-tags-are-no-longer-used", - type: RuleType.Warning - }, - { - rule: "url-must-not-have-click-here", - displayName: "Content - Do not use the words ‘click here’", - ruleLink: "https://www.ssw.com.au/rules/relevant-words-on-links", - type: RuleType.Warning - }, - { - rule: "grammar-scrum-terms", - displayName: "Content - Use the correct Scrum terms", - ruleLink: "https://www.ssw.com.au/rules/scrum-should-be-capitalized", - type: RuleType.Warning - }, - { - rule: "page-must-not-show-email-addresses", - displayName: "Content - Text must not display any email addresses", - ruleLink:"https://www.ssw.com.au/rules/avoid-clear-text-email-addresses-in-web-pages", - type: RuleType.Warning - }, - { - rule: "use-unicode-hex-code-for-special-html-characters", - displayName: "Content - Use Unicode Hex code for special HTML characters", - ruleLink: "https://ssw.com.au/rules/html-unicode-hex-codes/", - type: RuleType.Error - }, - { - rule: "anchor-names-must-be-valid", - displayName: "Links - Anchor links’ names must be valid", - ruleLink: "https://www.ssw.com.au/rules/chose-efficient-anchor-names", - type: RuleType.Warning - }, - { - rule: "url-must-be-formatted-correctly", - displayName: "Links - URLs should not include full stop or slash at the end", - ruleLink: "https://ssw.com.au/rules/no-full-stop-or-slash-at-the-end-of-urls/", - type: RuleType.Warning - }, - { - rule: "detect-absolute-references-url-path-correctly", - displayName: "Links - Avoid absolute internal URLs", - ruleLink: "https://ssw.com.au/rules/avoid-absolute-internal-links/", - type: RuleType.Warning - }, - { - rule: "url-must-not-have-space", - displayName: "Links - URLs must not have space", - ruleLink: "https://www.ssw.com.au/rules/use-dashes-in-urls", - type: RuleType.Warning - }, - { - rule: "link-must-not-show-unc", - displayName: "Links - URLs must not have UNC paths", - ruleLink: "https://www.ssw.com.au/rules/urls-must-not-have-unc-paths/", - type: RuleType.Warning - }, - { - rule: "meta-tag-must-not-redirect", - displayName: "Header - Must not refresh or redirect", - ruleLink: "https://rules.sonarsource.com/html/RSPEC-1094", - type: RuleType.Warning - }, - // Add new rule id below - ]; - - const createUserSession = () => { - const { subscribe, set } = writable$1(null); - - return { - subscribe, - login: (n) => { - performingLogin.set(false); - set(n); - }, - logout: () => { - firebase.auth().signOut(); - set(null); - src_3('/login'); - }, - }; - }; - const performingLogin = writable$1(true); - const userSession = createUserSession(); - const userSession$ = derived( - [userSession, performingLogin], - ([session, performing]) => (performing ? null : session) - ); - - const oauthLoginError = writable$1(null); - - const isLoggedIn = derived(userSession$, (session) => { - return !!session; - }); - - const ignoredUrls$ = writable$1([]); - const loadingIgnored$ = writable$1(false); - const activeRun$ = writable$1(null); - - derived(ignoredUrls$, (list) => { - return list ? list.map((x) => x.urlToIgnore) : []; - }); - - const userName = derived(userSession$, (session) => { - return session ? session._delegate.displayName || session._delegate.email : '' - } - ); - - const userApi = derived(userSession$, (session) => - session ? session.apiKey : '' - ); - - const loginCompleted = async (user) => { - try { - if (!user) { - userSession.login(null); - return; - } - - const docSnap = await af( - gh(_h(Ph(), CONSTS.USERS), user.uid) - ); - - if (docSnap.exists()) { - userSession.login({ ...user, ...docSnap.data() }); - } else { - // create - const apiKey = newGuid(); - await firebase - .firestore() - .collection(CONSTS.USERS) - .doc(user.uid) - .set({ - apiKey, - }); - userSession.login({ ...user, apiKey }); - } - - // navigate to home - if (window.location.href.match(/(\/login|\/signup)$/)) { - src_3('/home'); - } - } catch (error) { - oauthLoginError.set(error); - } - }; - - const getIgnoreList = async (user) => { - loadingIgnored$.set(true); - try { - const res = await fetch( - `${CONSTS.API}/api/config/${user.apiKey}/ignore` - ); - const result = await res.json(); - if (res.ok) { - ignoredUrls$.set(result); - } else { - throw new Error('Failed to load'); - } - } catch (error) { - } finally { - loadingIgnored$.set(false); - } - }; - - const deleteIgnoreUrl = async (url, user) => { - try { - await fetch( - `${CONSTS.API}/api/config/${user.apiKey}/ignore/${ - slug(url.urlToIgnore) + '_' + slug(url.ignoreOn) - }`, - { - method: 'DELETE', - } - ); - await getIgnoreList(user); - } catch (error) { - throw new Error(error); - } - }; - - const getBuildDetails = async (runId) => { - if (activeRun && activeRun.summary.runId === runId) { - return activeRun; - } - - const res = await fetch(`${CONSTS.API}/api/run/${runId}`); - const result = await res.json(); - - if (res.ok) { - const d = { - summary: { - ...result.summary, - whiteListed: result.summary.whiteListed - ? JSON.parse(result.summary.whiteListed) - : [], - }, - brokenLinks: result.brokenLinks, - }; - activeRun$.set(d); - return d; - } else { - throw new Error('Failed to load'); - } - }; - - const getLatestBuildDetails = async (api, url) => { - const fullUrl = `https%3A%2F%2Fwww.${url}%2F`; - const res = await fetch(`${CONSTS.API2}/latest/${api}/${fullUrl}`); - const result = await res.json(); - - if (res.ok) { - const d = { - summary: { - ...result.summary[0], - whiteListed: result.summary[0].whiteListed - ? JSON.parse(result.summary[0].whiteListed) - : [], - }, - brokenLinks: result.brokenLinks, - }; - activeRun$.set(d); - return d; - } else { - throw new Error('Failed to load'); - } - }; - - const getAllScanSummaryFromUrl = async (api, url) => { - const fullUrl = `https%3A%2F%2Fwww.${url}`; - const res = await fetch(`${CONSTS.API}/api/scanSummaryFromUrl/${api}/${fullUrl}`); - const result = await res.json(); - - if (res.ok) { - return result; - } else { - throw new Error('Failed to load'); - } - }; - - let activeRun; - activeRun$.subscribe((x) => (activeRun = x)); - - /* src/containers/Login.svelte generated by Svelte v3.59.1 */ - const file$Q = "src/containers/Login.svelte"; - - // (68:4) {#if serverError} - function create_if_block_2$l(ctx) { - let div; - let p; - let t; - - const block = { - c: function create() { - div = element("div"); - p = element("p"); - t = text(/*serverError*/ ctx[3]); - attr_dev(p, "class", "py-4 text-red-500 text-base"); - add_location(p, file$Q, 69, 8, 2030); - attr_dev(div, "class", "mb-6"); - add_location(div, file$Q, 68, 6, 2003); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, p); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*serverError*/ 8) set_data_dev(t, /*serverError*/ ctx[3]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$l.name, - type: "if", - source: "(68:4) {#if serverError}", - ctx - }); - - return block; - } - - // (73:4) {#if $oauthLoginError} - function create_if_block_1$r(ctx) { - let div; - let p; - let t_value = /*$oauthLoginError*/ ctx[5].message + ""; - let t; - - const block = { - c: function create() { - div = element("div"); - p = element("p"); - t = text(t_value); - attr_dev(p, "class", "py-4 text-red-500 text-base"); - add_location(p, file$Q, 74, 8, 2170); - attr_dev(div, "class", "mb-6"); - add_location(div, file$Q, 73, 6, 2143); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, p); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*$oauthLoginError*/ 32 && t_value !== (t_value = /*$oauthLoginError*/ ctx[5].message + "")) set_data_dev(t, t_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$r.name, - type: "if", - source: "(73:4) {#if $oauthLoginError}", - ctx - }); - - return block; - } - - // (87:8) {#if loading} - function create_if_block$E(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$E.name, - type: "if", - source: "(87:8) {#if loading}", - ctx - }); - - return block; - } - - function create_fragment$Q(ctx) { - let form; - let div5; - let div0; - let span; - let img; - let img_src_value; - let t0; - let sociallogin; - let updating_serverError; - let t1; - let hr; - let t2; - let div1; - let textfield0; - let updating_value; - let t3; - let div2; - let textfield1; - let updating_value_1; - let t4; - let t5; - let t6; - let div3; - let button; - let t7; - let button_disabled_value; - let t8; - let a0; - let t10; - let div4; - let a1; - let current; - let mounted; - let dispose; - - function sociallogin_serverError_binding(value) { - /*sociallogin_serverError_binding*/ ctx[8](value); - } - - let sociallogin_props = {}; - - if (/*serverError*/ ctx[3] !== void 0) { - sociallogin_props.serverError = /*serverError*/ ctx[3]; - } - - sociallogin = new SocialLogin({ props: sociallogin_props, $$inline: true }); - binding_callbacks.push(() => bind$2(sociallogin, 'serverError', sociallogin_serverError_binding)); - - function textfield0_value_binding(value) { - /*textfield0_value_binding*/ ctx[9](value); - } - - let textfield0_props = { label: "Username", type: "email" }; - - if (/*username*/ ctx[0] !== void 0) { - textfield0_props.value = /*username*/ ctx[0]; - } - - textfield0 = new TextField({ props: textfield0_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield0, 'value', textfield0_value_binding)); - textfield0.$on("enterKey", /*loginEmailPassword*/ ctx[6]); - - function textfield1_value_binding(value) { - /*textfield1_value_binding*/ ctx[10](value); - } - - let textfield1_props = { - placeholder: "", - label: "Password", - type: "password" - }; - - if (/*password*/ ctx[1] !== void 0) { - textfield1_props.value = /*password*/ ctx[1]; - } - - textfield1 = new TextField({ props: textfield1_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield1, 'value', textfield1_value_binding)); - textfield1.$on("enterKey", /*loginEmailPassword*/ ctx[6]); - let if_block0 = /*serverError*/ ctx[3] && create_if_block_2$l(ctx); - let if_block1 = /*$oauthLoginError*/ ctx[5] && create_if_block_1$r(ctx); - let if_block2 = /*loading*/ ctx[2] && create_if_block$E(ctx); - - const block = { - c: function create() { - form = element("form"); - div5 = element("div"); - div0 = element("div"); - span = element("span"); - img = element("img"); - t0 = space(); - create_component(sociallogin.$$.fragment); - t1 = space(); - hr = element("hr"); - t2 = space(); - div1 = element("div"); - create_component(textfield0.$$.fragment); - t3 = space(); - div2 = element("div"); - create_component(textfield1.$$.fragment); - t4 = space(); - if (if_block0) if_block0.c(); - t5 = space(); - if (if_block1) if_block1.c(); - t6 = space(); - div3 = element("div"); - button = element("button"); - t7 = text("Login\n "); - if (if_block2) if_block2.c(); - t8 = space(); - a0 = element("a"); - a0.textContent = "Sign Up"; - t10 = space(); - div4 = element("div"); - a1 = element("a"); - a1.textContent = "Forgot Password?"; - attr_dev(img, "class", "h-7 object-cover"); - if (!src_url_equal(img.src, img_src_value = "https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/6c8b11a5-35cf-469e-a945-57186d0270ef")) attr_dev(img, "src", img_src_value); - attr_dev(img, "alt", "CodeAuditor"); - add_location(img, file$Q, 44, 8, 1332); - attr_dev(span, "class", "align-middle ml-2"); - add_location(span, file$Q, 43, 6, 1258); - attr_dev(div0, "class", "mb-6 mx-auto"); - add_location(div0, file$Q, 42, 4, 1225); - attr_dev(hr, "class", "mb-4"); - add_location(hr, file$Q, 51, 4, 1587); - attr_dev(div1, "class", "mb-4"); - add_location(div1, file$Q, 52, 4, 1611); - attr_dev(div2, "class", "mb-6"); - add_location(div2, file$Q, 59, 4, 1782); - attr_dev(button, "type", "button"); - button.disabled = button_disabled_value = !/*valid*/ ctx[4] || /*loading*/ ctx[2]; - attr_dev(button, "style", "color: white"); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$Q, 78, 6, 2321); - attr_dev(a0, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - attr_dev(a0, "href", "/signup"); - add_location(a0, file$Q, 90, 6, 2694); - attr_dev(div3, "class", "flex items-center justify-between"); - add_location(div3, file$Q, 77, 4, 2267); - attr_dev(a1, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - attr_dev(a1, "href", "/forgetPassword"); - add_location(a1, file$Q, 98, 6, 2878); - add_location(div4, file$Q, 97, 4, 2866); - attr_dev(div5, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div5, file$Q, 41, 2, 1146); - attr_dev(form, "class", "container mx-auto max-w-sm py-12"); - add_location(form, file$Q, 40, 0, 1096); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, form, anchor); - append_dev(form, div5); - append_dev(div5, div0); - append_dev(div0, span); - append_dev(span, img); - append_dev(div5, t0); - mount_component(sociallogin, div5, null); - append_dev(div5, t1); - append_dev(div5, hr); - append_dev(div5, t2); - append_dev(div5, div1); - mount_component(textfield0, div1, null); - append_dev(div5, t3); - append_dev(div5, div2); - mount_component(textfield1, div2, null); - append_dev(div5, t4); - if (if_block0) if_block0.m(div5, null); - append_dev(div5, t5); - if (if_block1) if_block1.m(div5, null); - append_dev(div5, t6); - append_dev(div5, div3); - append_dev(div3, button); - append_dev(button, t7); - if (if_block2) if_block2.m(button, null); - append_dev(div3, t8); - append_dev(div3, a0); - append_dev(div5, t10); - append_dev(div5, div4); - append_dev(div4, a1); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(span, "click", /*click_handler*/ ctx[7], false, false, false, false), - listen_dev(button, "click", prevent_default(/*loginEmailPassword*/ ctx[6]), false, true, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - const sociallogin_changes = {}; - - if (!updating_serverError && dirty & /*serverError*/ 8) { - updating_serverError = true; - sociallogin_changes.serverError = /*serverError*/ ctx[3]; - add_flush_callback(() => updating_serverError = false); - } - - sociallogin.$set(sociallogin_changes); - const textfield0_changes = {}; - - if (!updating_value && dirty & /*username*/ 1) { - updating_value = true; - textfield0_changes.value = /*username*/ ctx[0]; - add_flush_callback(() => updating_value = false); - } - - textfield0.$set(textfield0_changes); - const textfield1_changes = {}; - - if (!updating_value_1 && dirty & /*password*/ 2) { - updating_value_1 = true; - textfield1_changes.value = /*password*/ ctx[1]; - add_flush_callback(() => updating_value_1 = false); - } - - textfield1.$set(textfield1_changes); - - if (/*serverError*/ ctx[3]) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_2$l(ctx); - if_block0.c(); - if_block0.m(div5, t5); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (/*$oauthLoginError*/ ctx[5]) { - if (if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1 = create_if_block_1$r(ctx); - if_block1.c(); - if_block1.m(div5, t6); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - if (/*loading*/ ctx[2]) { - if (if_block2) { - if (dirty & /*loading*/ 4) { - transition_in(if_block2, 1); - } - } else { - if_block2 = create_if_block$E(ctx); - if_block2.c(); - transition_in(if_block2, 1); - if_block2.m(button, null); - } - } else if (if_block2) { - group_outros(); - - transition_out(if_block2, 1, 1, () => { - if_block2 = null; - }); - - check_outros(); - } - - if (!current || dirty & /*valid, loading*/ 20 && button_disabled_value !== (button_disabled_value = !/*valid*/ ctx[4] || /*loading*/ ctx[2])) { - prop_dev(button, "disabled", button_disabled_value); - } - }, - i: function intro(local) { - if (current) return; - transition_in(sociallogin.$$.fragment, local); - transition_in(textfield0.$$.fragment, local); - transition_in(textfield1.$$.fragment, local); - transition_in(if_block2); - current = true; - }, - o: function outro(local) { - transition_out(sociallogin.$$.fragment, local); - transition_out(textfield0.$$.fragment, local); - transition_out(textfield1.$$.fragment, local); - transition_out(if_block2); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(form); - destroy_component(sociallogin); - destroy_component(textfield0); - destroy_component(textfield1); - if (if_block0) if_block0.d(); - if (if_block1) if_block1.d(); - if (if_block2) if_block2.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$Q.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$Q($$self, $$props, $$invalidate) { - let valid; - let $oauthLoginError; - validate_store(oauthLoginError, 'oauthLoginError'); - component_subscribe($$self, oauthLoginError, $$value => $$invalidate(5, $oauthLoginError = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Login', slots, []); - let loading; - - const loginEmailPassword = () => { - $$invalidate(3, serverError = ""); - $$invalidate(2, loading = true); - return firebase.auth().signInWithEmailAndPassword(username, password).catch(err => $$invalidate(3, serverError = err.message)).finally(() => $$invalidate(2, loading = false)); - }; - - let serverError; - let username = ""; - let password = ""; - const perf = firebase.performance(); - let screenTrace; - - onMount(() => { - screenTrace = perf.trace('loginScreen'); - screenTrace.start(); - }); - - onDestroy(() => { - screenTrace.stop(); - }); - - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3('/'); - - function sociallogin_serverError_binding(value) { - serverError = value; - $$invalidate(3, serverError); - } - - function textfield0_value_binding(value) { - username = value; - $$invalidate(0, username); - } - - function textfield1_value_binding(value) { - password = value; - $$invalidate(1, password); - } - - $$self.$capture_state = () => ({ - firebase, - LoadingCirle: LoadingCircle, - navigateTo: src_3, - TextField, - SocialLogin, - oauthLoginError, - onDestroy, - onMount, - loading, - loginEmailPassword, - serverError, - username, - password, - perf, - screenTrace, - valid, - $oauthLoginError - }); - - $$self.$inject_state = $$props => { - if ('loading' in $$props) $$invalidate(2, loading = $$props.loading); - if ('serverError' in $$props) $$invalidate(3, serverError = $$props.serverError); - if ('username' in $$props) $$invalidate(0, username = $$props.username); - if ('password' in $$props) $$invalidate(1, password = $$props.password); - if ('screenTrace' in $$props) screenTrace = $$props.screenTrace; - if ('valid' in $$props) $$invalidate(4, valid = $$props.valid); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*username, password*/ 3) { - $$invalidate(4, valid = !!username && !!password); - } - }; - - return [ - username, - password, - loading, - serverError, - valid, - $oauthLoginError, - loginEmailPassword, - click_handler, - sociallogin_serverError_binding, - textfield0_value_binding, - textfield1_value_binding - ]; - } - - class Login extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$Q, create_fragment$Q, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Login", - options, - id: create_fragment$Q.name - }); - } - } - - /* src/containers/Signup.svelte generated by Svelte v3.59.1 */ - const file$P = "src/containers/Signup.svelte"; - - // (82:4) {#if serverError} - function create_if_block_1$q(ctx) { - let div; - let p; - let t; - - const block = { - c: function create() { - div = element("div"); - p = element("p"); - t = text(/*serverError*/ ctx[4]); - attr_dev(p, "class", "py-4 text-red-500 text-base"); - add_location(p, file$P, 83, 8, 2281); - attr_dev(div, "class", "mb-6"); - add_location(div, file$P, 82, 6, 2254); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, p); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*serverError*/ 16) set_data_dev(t, /*serverError*/ ctx[4]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$q.name, - type: "if", - source: "(82:4) {#if serverError}", - ctx - }); - - return block; - } - - // (94:8) {#if loading} - function create_if_block$D(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$D.name, - type: "if", - source: "(94:8) {#if loading}", - ctx - }); - - return block; - } - - function create_fragment$P(ctx) { - let form; - let div5; - let div0; - let span; - let img; - let img_src_value; - let t0; - let sociallogin; - let updating_serverError; - let t1; - let hr; - let t2; - let div1; - let textfield0; - let updating_value; - let t3; - let div2; - let textfield1; - let updating_value_1; - let t4; - let div3; - let textfield2; - let updating_value_2; - let t5; - let t6; - let div4; - let button; - let t7; - let button_disabled_value; - let t8; - let a; - let current; - let mounted; - let dispose; - - function sociallogin_serverError_binding(value) { - /*sociallogin_serverError_binding*/ ctx[11](value); - } - - let sociallogin_props = {}; - - if (/*serverError*/ ctx[4] !== void 0) { - sociallogin_props.serverError = /*serverError*/ ctx[4]; - } - - sociallogin = new SocialLogin({ props: sociallogin_props, $$inline: true }); - binding_callbacks.push(() => bind$2(sociallogin, 'serverError', sociallogin_serverError_binding)); - - function textfield0_value_binding(value) { - /*textfield0_value_binding*/ ctx[12](value); - } - - let textfield0_props = { - label: "Email Address", - type: "email", - errorMsg: /*emailError*/ ctx[8] - }; - - if (/*username*/ ctx[0] !== void 0) { - textfield0_props.value = /*username*/ ctx[0]; - } - - textfield0 = new TextField({ props: textfield0_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield0, 'value', textfield0_value_binding)); - - function textfield1_value_binding(value) { - /*textfield1_value_binding*/ ctx[13](value); - } - - let textfield1_props = { - placeholder: "", - label: "Password", - errorMsg: /*passError*/ ctx[6], - type: "password" - }; - - if (/*password*/ ctx[1] !== void 0) { - textfield1_props.value = /*password*/ ctx[1]; - } - - textfield1 = new TextField({ props: textfield1_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield1, 'value', textfield1_value_binding)); - - function textfield2_value_binding(value) { - /*textfield2_value_binding*/ ctx[14](value); - } - - let textfield2_props = { - placeholder: "", - type: "password", - errorMsg: /*confirmpwdError*/ ctx[7], - label: "Confirm Password" - }; - - if (/*confirmpwd*/ ctx[2] !== void 0) { - textfield2_props.value = /*confirmpwd*/ ctx[2]; - } - - textfield2 = new TextField({ props: textfield2_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield2, 'value', textfield2_value_binding)); - let if_block0 = /*serverError*/ ctx[4] && create_if_block_1$q(ctx); - let if_block1 = /*loading*/ ctx[3] && create_if_block$D(ctx); - - const block = { - c: function create() { - form = element("form"); - div5 = element("div"); - div0 = element("div"); - span = element("span"); - img = element("img"); - t0 = space(); - create_component(sociallogin.$$.fragment); - t1 = space(); - hr = element("hr"); - t2 = space(); - div1 = element("div"); - create_component(textfield0.$$.fragment); - t3 = space(); - div2 = element("div"); - create_component(textfield1.$$.fragment); - t4 = space(); - div3 = element("div"); - create_component(textfield2.$$.fragment); - t5 = space(); - if (if_block0) if_block0.c(); - t6 = space(); - div4 = element("div"); - button = element("button"); - if (if_block1) if_block1.c(); - t7 = text("\n Sign up"); - t8 = space(); - a = element("a"); - a.textContent = "Already have an account?"; - attr_dev(img, "class", "h-7 object-cover"); - if (!src_url_equal(img.src, img_src_value = "https://i.ibb.co/8mfYrX2/Code-Auditor-footer.png")) attr_dev(img, "src", img_src_value); - attr_dev(img, "alt", "CodeAuditor"); - add_location(img, file$P, 50, 8, 1453); - attr_dev(span, "class", "align-middle ml-2"); - add_location(span, file$P, 49, 6, 1379); - attr_dev(div0, "class", "mb-8 mx-auto"); - add_location(div0, file$P, 48, 4, 1346); - attr_dev(hr, "class", "mb-4"); - add_location(hr, file$P, 57, 4, 1655); - attr_dev(div1, "class", "mb-4"); - add_location(div1, file$P, 58, 4, 1679); - attr_dev(div2, "class", "mb-4"); - add_location(div2, file$P, 65, 4, 1844); - attr_dev(div3, "class", "mb-6"); - add_location(div3, file$P, 73, 4, 2029); - button.disabled = button_disabled_value = !/*valid*/ ctx[5]; - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$P, 87, 6, 2419); - attr_dev(a, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - attr_dev(a, "href", "/login"); - add_location(a, file$P, 98, 6, 2740); - attr_dev(div4, "class", "flex items-center justify-between"); - add_location(div4, file$P, 86, 4, 2365); - attr_dev(div5, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div5, file$P, 47, 2, 1267); - attr_dev(form, "class", "container mx-auto max-w-sm py-12"); - add_location(form, file$P, 46, 0, 1217); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, form, anchor); - append_dev(form, div5); - append_dev(div5, div0); - append_dev(div0, span); - append_dev(span, img); - append_dev(div5, t0); - mount_component(sociallogin, div5, null); - append_dev(div5, t1); - append_dev(div5, hr); - append_dev(div5, t2); - append_dev(div5, div1); - mount_component(textfield0, div1, null); - append_dev(div5, t3); - append_dev(div5, div2); - mount_component(textfield1, div2, null); - append_dev(div5, t4); - append_dev(div5, div3); - mount_component(textfield2, div3, null); - append_dev(div5, t5); - if (if_block0) if_block0.m(div5, null); - append_dev(div5, t6); - append_dev(div5, div4); - append_dev(div4, button); - if (if_block1) if_block1.m(button, null); - append_dev(button, t7); - append_dev(div4, t8); - append_dev(div4, a); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(span, "click", /*click_handler*/ ctx[10], false, false, false, false), - listen_dev(button, "click", prevent_default(/*signup*/ ctx[9]), false, true, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - const sociallogin_changes = {}; - - if (!updating_serverError && dirty & /*serverError*/ 16) { - updating_serverError = true; - sociallogin_changes.serverError = /*serverError*/ ctx[4]; - add_flush_callback(() => updating_serverError = false); - } - - sociallogin.$set(sociallogin_changes); - const textfield0_changes = {}; - if (dirty & /*emailError*/ 256) textfield0_changes.errorMsg = /*emailError*/ ctx[8]; - - if (!updating_value && dirty & /*username*/ 1) { - updating_value = true; - textfield0_changes.value = /*username*/ ctx[0]; - add_flush_callback(() => updating_value = false); - } - - textfield0.$set(textfield0_changes); - const textfield1_changes = {}; - if (dirty & /*passError*/ 64) textfield1_changes.errorMsg = /*passError*/ ctx[6]; - - if (!updating_value_1 && dirty & /*password*/ 2) { - updating_value_1 = true; - textfield1_changes.value = /*password*/ ctx[1]; - add_flush_callback(() => updating_value_1 = false); - } - - textfield1.$set(textfield1_changes); - const textfield2_changes = {}; - if (dirty & /*confirmpwdError*/ 128) textfield2_changes.errorMsg = /*confirmpwdError*/ ctx[7]; - - if (!updating_value_2 && dirty & /*confirmpwd*/ 4) { - updating_value_2 = true; - textfield2_changes.value = /*confirmpwd*/ ctx[2]; - add_flush_callback(() => updating_value_2 = false); - } - - textfield2.$set(textfield2_changes); - - if (/*serverError*/ ctx[4]) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_1$q(ctx); - if_block0.c(); - if_block0.m(div5, t6); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (/*loading*/ ctx[3]) { - if (if_block1) { - if (dirty & /*loading*/ 8) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block$D(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(button, t7); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - - if (!current || dirty & /*valid*/ 32 && button_disabled_value !== (button_disabled_value = !/*valid*/ ctx[5])) { - prop_dev(button, "disabled", button_disabled_value); - } - }, - i: function intro(local) { - if (current) return; - transition_in(sociallogin.$$.fragment, local); - transition_in(textfield0.$$.fragment, local); - transition_in(textfield1.$$.fragment, local); - transition_in(textfield2.$$.fragment, local); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(sociallogin.$$.fragment, local); - transition_out(textfield0.$$.fragment, local); - transition_out(textfield1.$$.fragment, local); - transition_out(textfield2.$$.fragment, local); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(form); - destroy_component(sociallogin); - destroy_component(textfield0); - destroy_component(textfield1); - destroy_component(textfield2); - if (if_block0) if_block0.d(); - if (if_block1) if_block1.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$P.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$P($$self, $$props, $$invalidate) { - let emailError; - let confirmpwdError; - let passError; - let valid; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Signup', slots, []); - let loading; - - const signup = () => { - $$invalidate(3, loading = true); - $$invalidate(4, serverError = ""); - firebase.auth().createUserWithEmailAndPassword(username, password).catch(err => $$invalidate(4, serverError = err.message)).finally(() => $$invalidate(3, loading = false)); - }; - - let username = ""; - let serverError; - let password; - let confirmpwd; - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3('/'); - - function sociallogin_serverError_binding(value) { - serverError = value; - $$invalidate(4, serverError); - } - - function textfield0_value_binding(value) { - username = value; - $$invalidate(0, username); - } - - function textfield1_value_binding(value) { - password = value; - $$invalidate(1, password); - } - - function textfield2_value_binding(value) { - confirmpwd = value; - $$invalidate(2, confirmpwd); - } - - $$self.$capture_state = () => ({ - firebase, - navigateTo: src_3, - TextField, - isValidEmail, - SocialLogin, - LoadingCirle: LoadingCircle, - loading, - signup, - username, - serverError, - password, - confirmpwd, - valid, - passError, - confirmpwdError, - emailError - }); - - $$self.$inject_state = $$props => { - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('username' in $$props) $$invalidate(0, username = $$props.username); - if ('serverError' in $$props) $$invalidate(4, serverError = $$props.serverError); - if ('password' in $$props) $$invalidate(1, password = $$props.password); - if ('confirmpwd' in $$props) $$invalidate(2, confirmpwd = $$props.confirmpwd); - if ('valid' in $$props) $$invalidate(5, valid = $$props.valid); - if ('passError' in $$props) $$invalidate(6, passError = $$props.passError); - if ('confirmpwdError' in $$props) $$invalidate(7, confirmpwdError = $$props.confirmpwdError); - if ('emailError' in $$props) $$invalidate(8, emailError = $$props.emailError); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*username*/ 1) { - $$invalidate(8, emailError = username && !isValidEmail(username) - ? "Invalid Email address" - : ""); - } - - if ($$self.$$.dirty & /*password, confirmpwd*/ 6) { - $$invalidate(7, confirmpwdError = !!password && !!confirmpwd && confirmpwd !== password - ? "Password does not match" - : ""); - } - - if ($$self.$$.dirty & /*password*/ 2) { - $$invalidate(6, passError = !!password && password.length < 6 - ? "Password must be at least 6 characters" - : ""); - } - - if ($$self.$$.dirty & /*username, password, confirmpwd*/ 7) { - $$invalidate(5, valid = !!username && !!password && !!confirmpwd && confirmpwd === password && isValidEmail(username)); - } - }; - - return [ - username, - password, - confirmpwd, - loading, - serverError, - valid, - passError, - confirmpwdError, - emailError, - signup, - click_handler, - sociallogin_serverError_binding, - textfield0_value_binding, - textfield1_value_binding, - textfield2_value_binding - ]; - } - - class Signup extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$P, create_fragment$P, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Signup", - options, - id: create_fragment$P.name - }); - } - } - - /* src/containers/ForgetPassword.svelte generated by Svelte v3.59.1 */ - const file$O = "src/containers/ForgetPassword.svelte"; - - // (56:4) {#if serverError} - function create_if_block_1$p(ctx) { - let div; - let p; - let t; - - const block = { - c: function create() { - div = element("div"); - p = element("p"); - t = text(/*serverError*/ ctx[2]); - attr_dev(p, "class", "py-4 text-red-500 text-base"); - add_location(p, file$O, 57, 8, 1584); - attr_dev(div, "class", "mb-6"); - add_location(div, file$O, 56, 6, 1557); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, p); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*serverError*/ 4) set_data_dev(t, /*serverError*/ ctx[2]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$p.name, - type: "if", - source: "(56:4) {#if serverError}", - ctx - }); - - return block; - } - - // (68:8) {#if loading} - function create_if_block$C(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$C.name, - type: "if", - source: "(68:8) {#if loading}", - ctx - }); - - return block; - } - - function create_fragment$O(ctx) { - let form; - let div3; - let div0; - let span; - let img; - let img_src_value; - let t0; - let hr; - let t1; - let div1; - let textfield; - let updating_value; - let t2; - let t3; - let div2; - let button; - let t4; - let button_disabled_value; - let current; - let mounted; - let dispose; - - function textfield_value_binding(value) { - /*textfield_value_binding*/ ctx[7](value); - } - - let textfield_props = { - label: "Email Address", - type: "email", - errorMsg: /*emailError*/ ctx[4] - }; - - if (/*email*/ ctx[0] !== void 0) { - textfield_props.value = /*email*/ ctx[0]; - } - - textfield = new TextField({ props: textfield_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield, 'value', textfield_value_binding)); - let if_block0 = /*serverError*/ ctx[2] && create_if_block_1$p(ctx); - let if_block1 = /*loading*/ ctx[1] && create_if_block$C(ctx); - - const block = { - c: function create() { - form = element("form"); - div3 = element("div"); - div0 = element("div"); - span = element("span"); - img = element("img"); - t0 = space(); - hr = element("hr"); - t1 = space(); - div1 = element("div"); - create_component(textfield.$$.fragment); - t2 = space(); - if (if_block0) if_block0.c(); - t3 = space(); - div2 = element("div"); - button = element("button"); - if (if_block1) if_block1.c(); - t4 = text("\n Send Password Reset"); - attr_dev(img, "class", "h-7 object-cover"); - if (!src_url_equal(img.src, img_src_value = "https://i.ibb.co/8mfYrX2/Code-Auditor-footer.png")) attr_dev(img, "src", img_src_value); - attr_dev(img, "alt", "CodeAuditor"); - add_location(img, file$O, 41, 8, 1182); - attr_dev(span, "class", "align-middle ml-2"); - add_location(span, file$O, 40, 6, 1108); - attr_dev(div0, "class", "mb-8 mx-auto"); - add_location(div0, file$O, 39, 4, 1075); - attr_dev(hr, "class", "mb-4"); - add_location(hr, file$O, 47, 4, 1347); - attr_dev(div1, "class", "mb-4"); - add_location(div1, file$O, 48, 4, 1371); - button.disabled = button_disabled_value = !/*valid*/ ctx[3]; - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$O, 61, 6, 1722); - attr_dev(div2, "class", "flex items-center justify-between"); - add_location(div2, file$O, 60, 4, 1668); - attr_dev(div3, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div3, file$O, 38, 2, 996); - attr_dev(form, "class", "container mx-auto max-w-sm py-12"); - add_location(form, file$O, 37, 0, 946); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, form, anchor); - append_dev(form, div3); - append_dev(div3, div0); - append_dev(div0, span); - append_dev(span, img); - append_dev(div3, t0); - append_dev(div3, hr); - append_dev(div3, t1); - append_dev(div3, div1); - mount_component(textfield, div1, null); - append_dev(div3, t2); - if (if_block0) if_block0.m(div3, null); - append_dev(div3, t3); - append_dev(div3, div2); - append_dev(div2, button); - if (if_block1) if_block1.m(button, null); - append_dev(button, t4); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(span, "click", /*click_handler*/ ctx[6], false, false, false, false), - listen_dev(button, "click", prevent_default(/*sendResetEmail*/ ctx[5]), false, true, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - const textfield_changes = {}; - if (dirty & /*emailError*/ 16) textfield_changes.errorMsg = /*emailError*/ ctx[4]; - - if (!updating_value && dirty & /*email*/ 1) { - updating_value = true; - textfield_changes.value = /*email*/ ctx[0]; - add_flush_callback(() => updating_value = false); - } - - textfield.$set(textfield_changes); - - if (/*serverError*/ ctx[2]) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_1$p(ctx); - if_block0.c(); - if_block0.m(div3, t3); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (/*loading*/ ctx[1]) { - if (if_block1) { - if (dirty & /*loading*/ 2) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block$C(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(button, t4); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - - if (!current || dirty & /*valid*/ 8 && button_disabled_value !== (button_disabled_value = !/*valid*/ ctx[3])) { - prop_dev(button, "disabled", button_disabled_value); - } - }, - i: function intro(local) { - if (current) return; - transition_in(textfield.$$.fragment, local); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(textfield.$$.fragment, local); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(form); - destroy_component(textfield); - if (if_block0) if_block0.d(); - if (if_block1) if_block1.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$O.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$O($$self, $$props, $$invalidate) { - let emailError; - let valid; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('ForgetPassword', slots, []); - let loading; - - const sendResetEmail = () => { - $$invalidate(1, loading = true); - $$invalidate(2, serverError = ""); - - firebase.auth().sendPasswordResetEmail(email).then(() => { - alert(`Password Reset Sent to ${email}`); - src_3('/'); - }).catch(err => $$invalidate(2, serverError = err.message)).finally(() => $$invalidate(1, loading = false)); - }; - - let email = ""; - let serverError; - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3('/'); - - function textfield_value_binding(value) { - email = value; - $$invalidate(0, email); - } - - $$self.$capture_state = () => ({ - firebase, - navigateTo: src_3, - TextField, - isValidEmail, - SocialLogin, - LoadingCirle: LoadingCircle, - loading, - sendResetEmail, - email, - serverError, - valid, - emailError - }); - - $$self.$inject_state = $$props => { - if ('loading' in $$props) $$invalidate(1, loading = $$props.loading); - if ('email' in $$props) $$invalidate(0, email = $$props.email); - if ('serverError' in $$props) $$invalidate(2, serverError = $$props.serverError); - if ('valid' in $$props) $$invalidate(3, valid = $$props.valid); - if ('emailError' in $$props) $$invalidate(4, emailError = $$props.emailError); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*email*/ 1) { - $$invalidate(4, emailError = email && !isValidEmail(email) - ? "Invalid Email address" - : ""); - } - - if ($$self.$$.dirty & /*email*/ 1) { - $$invalidate(3, valid = !!email && isValidEmail(email)); - } - }; - - return [ - email, - loading, - serverError, - valid, - emailError, - sendResetEmail, - click_handler, - textfield_value_binding - ]; - } - - class ForgetPassword extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$O, create_fragment$O, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "ForgetPassword", - options, - id: create_fragment$O.name - }); - } - } - - var marked_umd = createCommonjsModule(function (module, exports) { - /** - * marked v4.3.0 - a markdown parser - * Copyright (c) 2011-2023, Christopher Jeffrey. (MIT Licensed) - * https://github.com/markedjs/marked - */ - - /** - * DO NOT EDIT THIS FILE - * The code in this file is generated from files in ./src/ - */ - - (function (global, factory) { - factory(exports) ; - })(commonjsGlobal$1, (function (exports) { - function _defineProperties(target, props) { - for (var i = 0; i < props.length; i++) { - var descriptor = props[i]; - descriptor.enumerable = descriptor.enumerable || false; - descriptor.configurable = true; - if ("value" in descriptor) descriptor.writable = true; - Object.defineProperty(target, _toPropertyKey(descriptor.key), descriptor); - } - } - function _createClass(Constructor, protoProps, staticProps) { - if (protoProps) _defineProperties(Constructor.prototype, protoProps); - if (staticProps) _defineProperties(Constructor, staticProps); - Object.defineProperty(Constructor, "prototype", { - writable: false - }); - return Constructor; - } - function _extends() { - _extends = Object.assign ? Object.assign.bind() : function (target) { - for (var i = 1; i < arguments.length; i++) { - var source = arguments[i]; - for (var key in source) { - if (Object.prototype.hasOwnProperty.call(source, key)) { - target[key] = source[key]; - } - } - } - return target; - }; - return _extends.apply(this, arguments); - } - function _unsupportedIterableToArray(o, minLen) { - if (!o) return; - if (typeof o === "string") return _arrayLikeToArray(o, minLen); - var n = Object.prototype.toString.call(o).slice(8, -1); - if (n === "Object" && o.constructor) n = o.constructor.name; - if (n === "Map" || n === "Set") return Array.from(o); - if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); - } - function _arrayLikeToArray(arr, len) { - if (len == null || len > arr.length) len = arr.length; - for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; - return arr2; - } - function _createForOfIteratorHelperLoose(o, allowArrayLike) { - var it = typeof Symbol !== "undefined" && o[Symbol.iterator] || o["@@iterator"]; - if (it) return (it = it.call(o)).next.bind(it); - if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { - if (it) o = it; - var i = 0; - return function () { - if (i >= o.length) return { - done: true - }; - return { - done: false, - value: o[i++] - }; - }; - } - throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); - } - function _toPrimitive(input, hint) { - if (typeof input !== "object" || input === null) return input; - var prim = input[Symbol.toPrimitive]; - if (prim !== undefined) { - var res = prim.call(input, hint || "default"); - if (typeof res !== "object") return res; - throw new TypeError("@@toPrimitive must return a primitive value."); - } - return (hint === "string" ? String : Number)(input); - } - function _toPropertyKey(arg) { - var key = _toPrimitive(arg, "string"); - return typeof key === "symbol" ? key : String(key); - } - - function getDefaults() { - return { - async: false, - baseUrl: null, - breaks: false, - extensions: null, - gfm: true, - headerIds: true, - headerPrefix: '', - highlight: null, - hooks: null, - langPrefix: 'language-', - mangle: true, - pedantic: false, - renderer: null, - sanitize: false, - sanitizer: null, - silent: false, - smartypants: false, - tokenizer: null, - walkTokens: null, - xhtml: false - }; - } - exports.defaults = getDefaults(); - function changeDefaults(newDefaults) { - exports.defaults = newDefaults; - } - - /** - * Helpers - */ - var escapeTest = /[&<>"']/; - var escapeReplace = new RegExp(escapeTest.source, 'g'); - var escapeTestNoEncode = /[<>"']|&(?!(#\d{1,7}|#[Xx][a-fA-F0-9]{1,6}|\w+);)/; - var escapeReplaceNoEncode = new RegExp(escapeTestNoEncode.source, 'g'); - var escapeReplacements = { - '&': '&', - '<': '<', - '>': '>', - '"': '"', - "'": ''' - }; - var getEscapeReplacement = function getEscapeReplacement(ch) { - return escapeReplacements[ch]; - }; - function escape(html, encode) { - if (encode) { - if (escapeTest.test(html)) { - return html.replace(escapeReplace, getEscapeReplacement); - } - } else { - if (escapeTestNoEncode.test(html)) { - return html.replace(escapeReplaceNoEncode, getEscapeReplacement); - } - } - return html; - } - var unescapeTest = /&(#(?:\d+)|(?:#x[0-9A-Fa-f]+)|(?:\w+));?/ig; - - /** - * @param {string} html - */ - function unescape(html) { - // explicitly match decimal, hex, and named HTML entities - return html.replace(unescapeTest, function (_, n) { - n = n.toLowerCase(); - if (n === 'colon') return ':'; - if (n.charAt(0) === '#') { - return n.charAt(1) === 'x' ? String.fromCharCode(parseInt(n.substring(2), 16)) : String.fromCharCode(+n.substring(1)); - } - return ''; - }); - } - var caret = /(^|[^\[])\^/g; - - /** - * @param {string | RegExp} regex - * @param {string} opt - */ - function edit(regex, opt) { - regex = typeof regex === 'string' ? regex : regex.source; - opt = opt || ''; - var obj = { - replace: function replace(name, val) { - val = val.source || val; - val = val.replace(caret, '$1'); - regex = regex.replace(name, val); - return obj; - }, - getRegex: function getRegex() { - return new RegExp(regex, opt); - } - }; - return obj; - } - var nonWordAndColonTest = /[^\w:]/g; - var originIndependentUrl = /^$|^[a-z][a-z0-9+.-]*:|^[?#]/i; - - /** - * @param {boolean} sanitize - * @param {string} base - * @param {string} href - */ - function cleanUrl(sanitize, base, href) { - if (sanitize) { - var prot; - try { - prot = decodeURIComponent(unescape(href)).replace(nonWordAndColonTest, '').toLowerCase(); - } catch (e) { - return null; - } - if (prot.indexOf('javascript:') === 0 || prot.indexOf('vbscript:') === 0 || prot.indexOf('data:') === 0) { - return null; - } - } - if (base && !originIndependentUrl.test(href)) { - href = resolveUrl(base, href); - } - try { - href = encodeURI(href).replace(/%25/g, '%'); - } catch (e) { - return null; - } - return href; - } - var baseUrls = {}; - var justDomain = /^[^:]+:\/*[^/]*$/; - var protocol = /^([^:]+:)[\s\S]*$/; - var domain = /^([^:]+:\/*[^/]*)[\s\S]*$/; - - /** - * @param {string} base - * @param {string} href - */ - function resolveUrl(base, href) { - if (!baseUrls[' ' + base]) { - // we can ignore everything in base after the last slash of its path component, - // but we might need to add _that_ - // https://tools.ietf.org/html/rfc3986#section-3 - if (justDomain.test(base)) { - baseUrls[' ' + base] = base + '/'; - } else { - baseUrls[' ' + base] = rtrim(base, '/', true); - } - } - base = baseUrls[' ' + base]; - var relativeBase = base.indexOf(':') === -1; - if (href.substring(0, 2) === '//') { - if (relativeBase) { - return href; - } - return base.replace(protocol, '$1') + href; - } else if (href.charAt(0) === '/') { - if (relativeBase) { - return href; - } - return base.replace(domain, '$1') + href; - } else { - return base + href; - } - } - var noopTest = { - exec: function noopTest() {} - }; - function splitCells(tableRow, count) { - // ensure that every cell-delimiting pipe has a space - // before it to distinguish it from an escaped pipe - var row = tableRow.replace(/\|/g, function (match, offset, str) { - var escaped = false, - curr = offset; - while (--curr >= 0 && str[curr] === '\\') { - escaped = !escaped; - } - if (escaped) { - // odd number of slashes means | is escaped - // so we leave it alone - return '|'; - } else { - // add space before unescaped | - return ' |'; - } - }), - cells = row.split(/ \|/); - var i = 0; - - // First/last cell in a row cannot be empty if it has no leading/trailing pipe - if (!cells[0].trim()) { - cells.shift(); - } - if (cells.length > 0 && !cells[cells.length - 1].trim()) { - cells.pop(); - } - if (cells.length > count) { - cells.splice(count); - } else { - while (cells.length < count) { - cells.push(''); - } - } - for (; i < cells.length; i++) { - // leading or trailing whitespace is ignored per the gfm spec - cells[i] = cells[i].trim().replace(/\\\|/g, '|'); - } - return cells; - } - - /** - * Remove trailing 'c's. Equivalent to str.replace(/c*$/, ''). - * /c*$/ is vulnerable to REDOS. - * - * @param {string} str - * @param {string} c - * @param {boolean} invert Remove suffix of non-c chars instead. Default falsey. - */ - function rtrim(str, c, invert) { - var l = str.length; - if (l === 0) { - return ''; - } - - // Length of suffix matching the invert condition. - var suffLen = 0; - - // Step left until we fail to match the invert condition. - while (suffLen < l) { - var currChar = str.charAt(l - suffLen - 1); - if (currChar === c && !invert) { - suffLen++; - } else if (currChar !== c && invert) { - suffLen++; - } else { - break; - } - } - return str.slice(0, l - suffLen); - } - function findClosingBracket(str, b) { - if (str.indexOf(b[1]) === -1) { - return -1; - } - var l = str.length; - var level = 0, - i = 0; - for (; i < l; i++) { - if (str[i] === '\\') { - i++; - } else if (str[i] === b[0]) { - level++; - } else if (str[i] === b[1]) { - level--; - if (level < 0) { - return i; - } - } - } - return -1; - } - function checkSanitizeDeprecation(opt) { - if (opt && opt.sanitize && !opt.silent) { - console.warn('marked(): sanitize and sanitizer parameters are deprecated since version 0.7.0, should not be used and will be removed in the future. Read more here: https://marked.js.org/#/USING_ADVANCED.md#options'); - } - } - - // copied from https://stackoverflow.com/a/5450113/806777 - /** - * @param {string} pattern - * @param {number} count - */ - function repeatString(pattern, count) { - if (count < 1) { - return ''; - } - var result = ''; - while (count > 1) { - if (count & 1) { - result += pattern; - } - count >>= 1; - pattern += pattern; - } - return result + pattern; - } - - function outputLink(cap, link, raw, lexer) { - var href = link.href; - var title = link.title ? escape(link.title) : null; - var text = cap[1].replace(/\\([\[\]])/g, '$1'); - if (cap[0].charAt(0) !== '!') { - lexer.state.inLink = true; - var token = { - type: 'link', - raw: raw, - href: href, - title: title, - text: text, - tokens: lexer.inlineTokens(text) - }; - lexer.state.inLink = false; - return token; - } - return { - type: 'image', - raw: raw, - href: href, - title: title, - text: escape(text) - }; - } - function indentCodeCompensation(raw, text) { - var matchIndentToCode = raw.match(/^(\s+)(?:```)/); - if (matchIndentToCode === null) { - return text; - } - var indentToCode = matchIndentToCode[1]; - return text.split('\n').map(function (node) { - var matchIndentInNode = node.match(/^\s+/); - if (matchIndentInNode === null) { - return node; - } - var indentInNode = matchIndentInNode[0]; - if (indentInNode.length >= indentToCode.length) { - return node.slice(indentToCode.length); - } - return node; - }).join('\n'); - } - - /** - * Tokenizer - */ - var Tokenizer = /*#__PURE__*/function () { - function Tokenizer(options) { - this.options = options || exports.defaults; - } - var _proto = Tokenizer.prototype; - _proto.space = function space(src) { - var cap = this.rules.block.newline.exec(src); - if (cap && cap[0].length > 0) { - return { - type: 'space', - raw: cap[0] - }; - } - }; - _proto.code = function code(src) { - var cap = this.rules.block.code.exec(src); - if (cap) { - var text = cap[0].replace(/^ {1,4}/gm, ''); - return { - type: 'code', - raw: cap[0], - codeBlockStyle: 'indented', - text: !this.options.pedantic ? rtrim(text, '\n') : text - }; - } - }; - _proto.fences = function fences(src) { - var cap = this.rules.block.fences.exec(src); - if (cap) { - var raw = cap[0]; - var text = indentCodeCompensation(raw, cap[3] || ''); - return { - type: 'code', - raw: raw, - lang: cap[2] ? cap[2].trim().replace(this.rules.inline._escapes, '$1') : cap[2], - text: text - }; - } - }; - _proto.heading = function heading(src) { - var cap = this.rules.block.heading.exec(src); - if (cap) { - var text = cap[2].trim(); - - // remove trailing #s - if (/#$/.test(text)) { - var trimmed = rtrim(text, '#'); - if (this.options.pedantic) { - text = trimmed.trim(); - } else if (!trimmed || / $/.test(trimmed)) { - // CommonMark requires space before trailing #s - text = trimmed.trim(); - } - } - return { - type: 'heading', - raw: cap[0], - depth: cap[1].length, - text: text, - tokens: this.lexer.inline(text) - }; - } - }; - _proto.hr = function hr(src) { - var cap = this.rules.block.hr.exec(src); - if (cap) { - return { - type: 'hr', - raw: cap[0] - }; - } - }; - _proto.blockquote = function blockquote(src) { - var cap = this.rules.block.blockquote.exec(src); - if (cap) { - var text = cap[0].replace(/^ *>[ \t]?/gm, ''); - var top = this.lexer.state.top; - this.lexer.state.top = true; - var tokens = this.lexer.blockTokens(text); - this.lexer.state.top = top; - return { - type: 'blockquote', - raw: cap[0], - tokens: tokens, - text: text - }; - } - }; - _proto.list = function list(src) { - var cap = this.rules.block.list.exec(src); - if (cap) { - var raw, istask, ischecked, indent, i, blankLine, endsWithBlankLine, line, nextLine, rawLine, itemContents, endEarly; - var bull = cap[1].trim(); - var isordered = bull.length > 1; - var list = { - type: 'list', - raw: '', - ordered: isordered, - start: isordered ? +bull.slice(0, -1) : '', - loose: false, - items: [] - }; - bull = isordered ? "\\d{1,9}\\" + bull.slice(-1) : "\\" + bull; - if (this.options.pedantic) { - bull = isordered ? bull : '[*+-]'; - } - - // Get next list item - var itemRegex = new RegExp("^( {0,3}" + bull + ")((?:[\t ][^\\n]*)?(?:\\n|$))"); - - // Check if current bullet point can start a new List Item - while (src) { - endEarly = false; - if (!(cap = itemRegex.exec(src))) { - break; - } - if (this.rules.block.hr.test(src)) { - // End list if bullet was actually HR (possibly move into itemRegex?) - break; - } - raw = cap[0]; - src = src.substring(raw.length); - line = cap[2].split('\n', 1)[0].replace(/^\t+/, function (t) { - return ' '.repeat(3 * t.length); - }); - nextLine = src.split('\n', 1)[0]; - if (this.options.pedantic) { - indent = 2; - itemContents = line.trimLeft(); - } else { - indent = cap[2].search(/[^ ]/); // Find first non-space char - indent = indent > 4 ? 1 : indent; // Treat indented code blocks (> 4 spaces) as having only 1 indent - itemContents = line.slice(indent); - indent += cap[1].length; - } - blankLine = false; - if (!line && /^ *$/.test(nextLine)) { - // Items begin with at most one blank line - raw += nextLine + '\n'; - src = src.substring(nextLine.length + 1); - endEarly = true; - } - if (!endEarly) { - var nextBulletRegex = new RegExp("^ {0," + Math.min(3, indent - 1) + "}(?:[*+-]|\\d{1,9}[.)])((?:[ \t][^\\n]*)?(?:\\n|$))"); - var hrRegex = new RegExp("^ {0," + Math.min(3, indent - 1) + "}((?:- *){3,}|(?:_ *){3,}|(?:\\* *){3,})(?:\\n+|$)"); - var fencesBeginRegex = new RegExp("^ {0," + Math.min(3, indent - 1) + "}(?:```|~~~)"); - var headingBeginRegex = new RegExp("^ {0," + Math.min(3, indent - 1) + "}#"); - - // Check if following lines should be included in List Item - while (src) { - rawLine = src.split('\n', 1)[0]; - nextLine = rawLine; - - // Re-align to follow commonmark nesting rules - if (this.options.pedantic) { - nextLine = nextLine.replace(/^ {1,4}(?=( {4})*[^ ])/g, ' '); - } - - // End list item if found code fences - if (fencesBeginRegex.test(nextLine)) { - break; - } - - // End list item if found start of new heading - if (headingBeginRegex.test(nextLine)) { - break; - } - - // End list item if found start of new bullet - if (nextBulletRegex.test(nextLine)) { - break; - } - - // Horizontal rule found - if (hrRegex.test(src)) { - break; - } - if (nextLine.search(/[^ ]/) >= indent || !nextLine.trim()) { - // Dedent if possible - itemContents += '\n' + nextLine.slice(indent); - } else { - // not enough indentation - if (blankLine) { - break; - } - - // paragraph continuation unless last line was a different block level element - if (line.search(/[^ ]/) >= 4) { - // indented code block - break; - } - if (fencesBeginRegex.test(line)) { - break; - } - if (headingBeginRegex.test(line)) { - break; - } - if (hrRegex.test(line)) { - break; - } - itemContents += '\n' + nextLine; - } - if (!blankLine && !nextLine.trim()) { - // Check if current line is blank - blankLine = true; - } - raw += rawLine + '\n'; - src = src.substring(rawLine.length + 1); - line = nextLine.slice(indent); - } - } - if (!list.loose) { - // If the previous item ended with a blank line, the list is loose - if (endsWithBlankLine) { - list.loose = true; - } else if (/\n *\n *$/.test(raw)) { - endsWithBlankLine = true; - } - } - - // Check for task list items - if (this.options.gfm) { - istask = /^\[[ xX]\] /.exec(itemContents); - if (istask) { - ischecked = istask[0] !== '[ ] '; - itemContents = itemContents.replace(/^\[[ xX]\] +/, ''); - } - } - list.items.push({ - type: 'list_item', - raw: raw, - task: !!istask, - checked: ischecked, - loose: false, - text: itemContents - }); - list.raw += raw; - } - - // Do not consume newlines at end of final item. Alternatively, make itemRegex *start* with any newlines to simplify/speed up endsWithBlankLine logic - list.items[list.items.length - 1].raw = raw.trimRight(); - list.items[list.items.length - 1].text = itemContents.trimRight(); - list.raw = list.raw.trimRight(); - var l = list.items.length; - - // Item child tokens handled here at end because we needed to have the final item to trim it first - for (i = 0; i < l; i++) { - this.lexer.state.top = false; - list.items[i].tokens = this.lexer.blockTokens(list.items[i].text, []); - if (!list.loose) { - // Check if list should be loose - var spacers = list.items[i].tokens.filter(function (t) { - return t.type === 'space'; - }); - var hasMultipleLineBreaks = spacers.length > 0 && spacers.some(function (t) { - return /\n.*\n/.test(t.raw); - }); - list.loose = hasMultipleLineBreaks; - } - } - - // Set all items to loose if list is loose - if (list.loose) { - for (i = 0; i < l; i++) { - list.items[i].loose = true; - } - } - return list; - } - }; - _proto.html = function html(src) { - var cap = this.rules.block.html.exec(src); - if (cap) { - var token = { - type: 'html', - raw: cap[0], - pre: !this.options.sanitizer && (cap[1] === 'pre' || cap[1] === 'script' || cap[1] === 'style'), - text: cap[0] - }; - if (this.options.sanitize) { - var text = this.options.sanitizer ? this.options.sanitizer(cap[0]) : escape(cap[0]); - token.type = 'paragraph'; - token.text = text; - token.tokens = this.lexer.inline(text); - } - return token; - } - }; - _proto.def = function def(src) { - var cap = this.rules.block.def.exec(src); - if (cap) { - var tag = cap[1].toLowerCase().replace(/\s+/g, ' '); - var href = cap[2] ? cap[2].replace(/^<(.*)>$/, '$1').replace(this.rules.inline._escapes, '$1') : ''; - var title = cap[3] ? cap[3].substring(1, cap[3].length - 1).replace(this.rules.inline._escapes, '$1') : cap[3]; - return { - type: 'def', - tag: tag, - raw: cap[0], - href: href, - title: title - }; - } - }; - _proto.table = function table(src) { - var cap = this.rules.block.table.exec(src); - if (cap) { - var item = { - type: 'table', - header: splitCells(cap[1]).map(function (c) { - return { - text: c - }; - }), - align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */), - rows: cap[3] && cap[3].trim() ? cap[3].replace(/\n[ \t]*$/, '').split('\n') : [] - }; - if (item.header.length === item.align.length) { - item.raw = cap[0]; - var l = item.align.length; - var i, j, k, row; - for (i = 0; i < l; i++) { - if (/^ *-+: *$/.test(item.align[i])) { - item.align[i] = 'right'; - } else if (/^ *:-+: *$/.test(item.align[i])) { - item.align[i] = 'center'; - } else if (/^ *:-+ *$/.test(item.align[i])) { - item.align[i] = 'left'; - } else { - item.align[i] = null; - } - } - l = item.rows.length; - for (i = 0; i < l; i++) { - item.rows[i] = splitCells(item.rows[i], item.header.length).map(function (c) { - return { - text: c - }; - }); - } - - // parse child tokens inside headers and cells - - // header child tokens - l = item.header.length; - for (j = 0; j < l; j++) { - item.header[j].tokens = this.lexer.inline(item.header[j].text); - } - - // cell child tokens - l = item.rows.length; - for (j = 0; j < l; j++) { - row = item.rows[j]; - for (k = 0; k < row.length; k++) { - row[k].tokens = this.lexer.inline(row[k].text); - } - } - return item; - } - } - }; - _proto.lheading = function lheading(src) { - var cap = this.rules.block.lheading.exec(src); - if (cap) { - return { - type: 'heading', - raw: cap[0], - depth: cap[2].charAt(0) === '=' ? 1 : 2, - text: cap[1], - tokens: this.lexer.inline(cap[1]) - }; - } - }; - _proto.paragraph = function paragraph(src) { - var cap = this.rules.block.paragraph.exec(src); - if (cap) { - var text = cap[1].charAt(cap[1].length - 1) === '\n' ? cap[1].slice(0, -1) : cap[1]; - return { - type: 'paragraph', - raw: cap[0], - text: text, - tokens: this.lexer.inline(text) - }; - } - }; - _proto.text = function text(src) { - var cap = this.rules.block.text.exec(src); - if (cap) { - return { - type: 'text', - raw: cap[0], - text: cap[0], - tokens: this.lexer.inline(cap[0]) - }; - } - }; - _proto.escape = function escape$1(src) { - var cap = this.rules.inline.escape.exec(src); - if (cap) { - return { - type: 'escape', - raw: cap[0], - text: escape(cap[1]) - }; - } - }; - _proto.tag = function tag(src) { - var cap = this.rules.inline.tag.exec(src); - if (cap) { - if (!this.lexer.state.inLink && /^/i.test(cap[0])) { - this.lexer.state.inLink = false; - } - if (!this.lexer.state.inRawBlock && /^<(pre|code|kbd|script)(\s|>)/i.test(cap[0])) { - this.lexer.state.inRawBlock = true; - } else if (this.lexer.state.inRawBlock && /^<\/(pre|code|kbd|script)(\s|>)/i.test(cap[0])) { - this.lexer.state.inRawBlock = false; - } - return { - type: this.options.sanitize ? 'text' : 'html', - raw: cap[0], - inLink: this.lexer.state.inLink, - inRawBlock: this.lexer.state.inRawBlock, - text: this.options.sanitize ? this.options.sanitizer ? this.options.sanitizer(cap[0]) : escape(cap[0]) : cap[0] - }; - } - }; - _proto.link = function link(src) { - var cap = this.rules.inline.link.exec(src); - if (cap) { - var trimmedUrl = cap[2].trim(); - if (!this.options.pedantic && /^$/.test(trimmedUrl)) { - return; - } - - // ending angle bracket cannot be escaped - var rtrimSlash = rtrim(trimmedUrl.slice(0, -1), '\\'); - if ((trimmedUrl.length - rtrimSlash.length) % 2 === 0) { - return; - } - } else { - // find closing parenthesis - var lastParenIndex = findClosingBracket(cap[2], '()'); - if (lastParenIndex > -1) { - var start = cap[0].indexOf('!') === 0 ? 5 : 4; - var linkLen = start + cap[1].length + lastParenIndex; - cap[2] = cap[2].substring(0, lastParenIndex); - cap[0] = cap[0].substring(0, linkLen).trim(); - cap[3] = ''; - } - } - var href = cap[2]; - var title = ''; - if (this.options.pedantic) { - // split pedantic href and title - var link = /^([^'"]*[^\s])\s+(['"])(.*)\2/.exec(href); - if (link) { - href = link[1]; - title = link[3]; - } - } else { - title = cap[3] ? cap[3].slice(1, -1) : ''; - } - href = href.trim(); - if (/^$/.test(trimmedUrl)) { - // pedantic allows starting angle bracket without ending angle bracket - href = href.slice(1); - } else { - href = href.slice(1, -1); - } - } - return outputLink(cap, { - href: href ? href.replace(this.rules.inline._escapes, '$1') : href, - title: title ? title.replace(this.rules.inline._escapes, '$1') : title - }, cap[0], this.lexer); - } - }; - _proto.reflink = function reflink(src, links) { - var cap; - if ((cap = this.rules.inline.reflink.exec(src)) || (cap = this.rules.inline.nolink.exec(src))) { - var link = (cap[2] || cap[1]).replace(/\s+/g, ' '); - link = links[link.toLowerCase()]; - if (!link) { - var text = cap[0].charAt(0); - return { - type: 'text', - raw: text, - text: text - }; - } - return outputLink(cap, link, cap[0], this.lexer); - } - }; - _proto.emStrong = function emStrong(src, maskedSrc, prevChar) { - if (prevChar === void 0) { - prevChar = ''; - } - var match = this.rules.inline.emStrong.lDelim.exec(src); - if (!match) return; - - // _ can't be between two alphanumerics. \p{L}\p{N} includes non-english alphabet/numbers as well - if (match[3] && prevChar.match(/(?:[0-9A-Za-z\xAA\xB2\xB3\xB5\xB9\xBA\xBC-\xBE\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0560-\u0588\u05D0-\u05EA\u05EF-\u05F2\u0620-\u064A\u0660-\u0669\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07C0-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u0860-\u086A\u0870-\u0887\u0889-\u088E\u08A0-\u08C9\u0904-\u0939\u093D\u0950\u0958-\u0961\u0966-\u096F\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09E6-\u09F1\u09F4-\u09F9\u09FC\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A66-\u0A6F\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AE6-\u0AEF\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B66-\u0B6F\u0B71-\u0B77\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0BE6-\u0BF2\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C5D\u0C60\u0C61\u0C66-\u0C6F\u0C78-\u0C7E\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDD\u0CDE\u0CE0\u0CE1\u0CE6-\u0CEF\u0CF1\u0CF2\u0D04-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D58-\u0D61\u0D66-\u0D78\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DE6-\u0DEF\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E86-\u0E8A\u0E8C-\u0EA3\u0EA5\u0EA7-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F20-\u0F33\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F-\u1049\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u1090-\u1099\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1369-\u137C\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u1711\u171F-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u17E0-\u17E9\u17F0-\u17F9\u1810-\u1819\u1820-\u1878\u1880-\u1884\u1887-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19DA\u1A00-\u1A16\u1A20-\u1A54\u1A80-\u1A89\u1A90-\u1A99\u1AA7\u1B05-\u1B33\u1B45-\u1B4C\u1B50-\u1B59\u1B83-\u1BA0\u1BAE-\u1BE5\u1C00-\u1C23\u1C40-\u1C49\u1C4D-\u1C7D\u1C80-\u1C88\u1C90-\u1CBA\u1CBD-\u1CBF\u1CE9-\u1CEC\u1CEE-\u1CF3\u1CF5\u1CF6\u1CFA\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2070\u2071\u2074-\u2079\u207F-\u2089\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2150-\u2189\u2460-\u249B\u24EA-\u24FF\u2776-\u2793\u2C00-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2CFD\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2E2F\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312F\u3131-\u318E\u3192-\u3195\u31A0-\u31BF\u31F0-\u31FF\u3220-\u3229\u3248-\u324F\u3251-\u325F\u3280-\u3289\u32B1-\u32BF\u3400-\u4DBF\u4E00-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7CA\uA7D0\uA7D1\uA7D3\uA7D5-\uA7D9\uA7F2-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA830-\uA835\uA840-\uA873\uA882-\uA8B3\uA8D0-\uA8D9\uA8F2-\uA8F7\uA8FB\uA8FD\uA8FE\uA900-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF-\uA9D9\uA9E0-\uA9E4\uA9E6-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA50-\uAA59\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB69\uAB70-\uABE2\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD07-\uDD33\uDD40-\uDD78\uDD8A\uDD8B\uDE80-\uDE9C\uDEA0-\uDED0\uDEE1-\uDEFB\uDF00-\uDF23\uDF2D-\uDF4A\uDF50-\uDF75\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCA0-\uDCA9\uDCB0-\uDCD3\uDCD8-\uDCFB\uDD00-\uDD27\uDD30-\uDD63\uDD70-\uDD7A\uDD7C-\uDD8A\uDD8C-\uDD92\uDD94\uDD95\uDD97-\uDDA1\uDDA3-\uDDB1\uDDB3-\uDDB9\uDDBB\uDDBC\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67\uDF80-\uDF85\uDF87-\uDFB0\uDFB2-\uDFBA]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC58-\uDC76\uDC79-\uDC9E\uDCA7-\uDCAF\uDCE0-\uDCF2\uDCF4\uDCF5\uDCFB-\uDD1B\uDD20-\uDD39\uDD80-\uDDB7\uDDBC-\uDDCF\uDDD2-\uDE00\uDE10-\uDE13\uDE15-\uDE17\uDE19-\uDE35\uDE40-\uDE48\uDE60-\uDE7E\uDE80-\uDE9F\uDEC0-\uDEC7\uDEC9-\uDEE4\uDEEB-\uDEEF\uDF00-\uDF35\uDF40-\uDF55\uDF58-\uDF72\uDF78-\uDF91\uDFA9-\uDFAF]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2\uDCFA-\uDD23\uDD30-\uDD39\uDE60-\uDE7E\uDE80-\uDEA9\uDEB0\uDEB1\uDF00-\uDF27\uDF30-\uDF45\uDF51-\uDF54\uDF70-\uDF81\uDFB0-\uDFCB\uDFE0-\uDFF6]|\uD804[\uDC03-\uDC37\uDC52-\uDC6F\uDC71\uDC72\uDC75\uDC83-\uDCAF\uDCD0-\uDCE8\uDCF0-\uDCF9\uDD03-\uDD26\uDD36-\uDD3F\uDD44\uDD47\uDD50-\uDD72\uDD76\uDD83-\uDDB2\uDDC1-\uDDC4\uDDD0-\uDDDA\uDDDC\uDDE1-\uDDF4\uDE00-\uDE11\uDE13-\uDE2B\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEDE\uDEF0-\uDEF9\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3D\uDF50\uDF5D-\uDF61]|\uD805[\uDC00-\uDC34\uDC47-\uDC4A\uDC50-\uDC59\uDC5F-\uDC61\uDC80-\uDCAF\uDCC4\uDCC5\uDCC7\uDCD0-\uDCD9\uDD80-\uDDAE\uDDD8-\uDDDB\uDE00-\uDE2F\uDE44\uDE50-\uDE59\uDE80-\uDEAA\uDEB8\uDEC0-\uDEC9\uDF00-\uDF1A\uDF30-\uDF3B\uDF40-\uDF46]|\uD806[\uDC00-\uDC2B\uDCA0-\uDCF2\uDCFF-\uDD06\uDD09\uDD0C-\uDD13\uDD15\uDD16\uDD18-\uDD2F\uDD3F\uDD41\uDD50-\uDD59\uDDA0-\uDDA7\uDDAA-\uDDD0\uDDE1\uDDE3\uDE00\uDE0B-\uDE32\uDE3A\uDE50\uDE5C-\uDE89\uDE9D\uDEB0-\uDEF8]|\uD807[\uDC00-\uDC08\uDC0A-\uDC2E\uDC40\uDC50-\uDC6C\uDC72-\uDC8F\uDD00-\uDD06\uDD08\uDD09\uDD0B-\uDD30\uDD46\uDD50-\uDD59\uDD60-\uDD65\uDD67\uDD68\uDD6A-\uDD89\uDD98\uDDA0-\uDDA9\uDEE0-\uDEF2\uDFB0\uDFC0-\uDFD4]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|\uD80B[\uDF90-\uDFF0]|[\uD80C\uD81C-\uD820\uD822\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872\uD874-\uD879\uD880-\uD883][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDE60-\uDE69\uDE70-\uDEBE\uDEC0-\uDEC9\uDED0-\uDEED\uDF00-\uDF2F\uDF40-\uDF43\uDF50-\uDF59\uDF5B-\uDF61\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDE40-\uDE96\uDF00-\uDF4A\uDF50\uDF93-\uDF9F\uDFE0\uDFE1\uDFE3]|\uD821[\uDC00-\uDFF7]|\uD823[\uDC00-\uDCD5\uDD00-\uDD08]|\uD82B[\uDFF0-\uDFF3\uDFF5-\uDFFB\uDFFD\uDFFE]|\uD82C[\uDC00-\uDD22\uDD50-\uDD52\uDD64-\uDD67\uDD70-\uDEFB]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99]|\uD834[\uDEE0-\uDEF3\uDF60-\uDF78]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB\uDFCE-\uDFFF]|\uD837[\uDF00-\uDF1E]|\uD838[\uDD00-\uDD2C\uDD37-\uDD3D\uDD40-\uDD49\uDD4E\uDE90-\uDEAD\uDEC0-\uDEEB\uDEF0-\uDEF9]|\uD839[\uDFE0-\uDFE6\uDFE8-\uDFEB\uDFED\uDFEE\uDFF0-\uDFFE]|\uD83A[\uDC00-\uDCC4\uDCC7-\uDCCF\uDD00-\uDD43\uDD4B\uDD50-\uDD59]|\uD83B[\uDC71-\uDCAB\uDCAD-\uDCAF\uDCB1-\uDCB4\uDD01-\uDD2D\uDD2F-\uDD3D\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD83C[\uDD00-\uDD0C]|\uD83E[\uDFF0-\uDFF9]|\uD869[\uDC00-\uDEDF\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF38\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1\uDEB0-\uDFFF]|\uD87A[\uDC00-\uDFE0]|\uD87E[\uDC00-\uDE1D]|\uD884[\uDC00-\uDF4A])/)) return; - var nextChar = match[1] || match[2] || ''; - if (!nextChar || nextChar && (prevChar === '' || this.rules.inline.punctuation.exec(prevChar))) { - var lLength = match[0].length - 1; - var rDelim, - rLength, - delimTotal = lLength, - midDelimTotal = 0; - var endReg = match[0][0] === '*' ? this.rules.inline.emStrong.rDelimAst : this.rules.inline.emStrong.rDelimUnd; - endReg.lastIndex = 0; - - // Clip maskedSrc to same section of string as src (move to lexer?) - maskedSrc = maskedSrc.slice(-1 * src.length + lLength); - while ((match = endReg.exec(maskedSrc)) != null) { - rDelim = match[1] || match[2] || match[3] || match[4] || match[5] || match[6]; - if (!rDelim) continue; // skip single * in __abc*abc__ - - rLength = rDelim.length; - if (match[3] || match[4]) { - // found another Left Delim - delimTotal += rLength; - continue; - } else if (match[5] || match[6]) { - // either Left or Right Delim - if (lLength % 3 && !((lLength + rLength) % 3)) { - midDelimTotal += rLength; - continue; // CommonMark Emphasis Rules 9-10 - } - } - - delimTotal -= rLength; - if (delimTotal > 0) continue; // Haven't found enough closing delimiters - - // Remove extra characters. *a*** -> *a* - rLength = Math.min(rLength, rLength + delimTotal + midDelimTotal); - var raw = src.slice(0, lLength + match.index + (match[0].length - rDelim.length) + rLength); - - // Create `em` if smallest delimiter has odd char count. *a*** - if (Math.min(lLength, rLength) % 2) { - var _text = raw.slice(1, -1); - return { - type: 'em', - raw: raw, - text: _text, - tokens: this.lexer.inlineTokens(_text) - }; - } - - // Create 'strong' if smallest delimiter has even char count. **a*** - var text = raw.slice(2, -2); - return { - type: 'strong', - raw: raw, - text: text, - tokens: this.lexer.inlineTokens(text) - }; - } - } - }; - _proto.codespan = function codespan(src) { - var cap = this.rules.inline.code.exec(src); - if (cap) { - var text = cap[2].replace(/\n/g, ' '); - var hasNonSpaceChars = /[^ ]/.test(text); - var hasSpaceCharsOnBothEnds = /^ /.test(text) && / $/.test(text); - if (hasNonSpaceChars && hasSpaceCharsOnBothEnds) { - text = text.substring(1, text.length - 1); - } - text = escape(text, true); - return { - type: 'codespan', - raw: cap[0], - text: text - }; - } - }; - _proto.br = function br(src) { - var cap = this.rules.inline.br.exec(src); - if (cap) { - return { - type: 'br', - raw: cap[0] - }; - } - }; - _proto.del = function del(src) { - var cap = this.rules.inline.del.exec(src); - if (cap) { - return { - type: 'del', - raw: cap[0], - text: cap[2], - tokens: this.lexer.inlineTokens(cap[2]) - }; - } - }; - _proto.autolink = function autolink(src, mangle) { - var cap = this.rules.inline.autolink.exec(src); - if (cap) { - var text, href; - if (cap[2] === '@') { - text = escape(this.options.mangle ? mangle(cap[1]) : cap[1]); - href = 'mailto:' + text; - } else { - text = escape(cap[1]); - href = text; - } - return { - type: 'link', - raw: cap[0], - text: text, - href: href, - tokens: [{ - type: 'text', - raw: text, - text: text - }] - }; - } - }; - _proto.url = function url(src, mangle) { - var cap; - if (cap = this.rules.inline.url.exec(src)) { - var text, href; - if (cap[2] === '@') { - text = escape(this.options.mangle ? mangle(cap[0]) : cap[0]); - href = 'mailto:' + text; - } else { - // do extended autolink path validation - var prevCapZero; - do { - prevCapZero = cap[0]; - cap[0] = this.rules.inline._backpedal.exec(cap[0])[0]; - } while (prevCapZero !== cap[0]); - text = escape(cap[0]); - if (cap[1] === 'www.') { - href = 'http://' + cap[0]; - } else { - href = cap[0]; - } - } - return { - type: 'link', - raw: cap[0], - text: text, - href: href, - tokens: [{ - type: 'text', - raw: text, - text: text - }] - }; - } - }; - _proto.inlineText = function inlineText(src, smartypants) { - var cap = this.rules.inline.text.exec(src); - if (cap) { - var text; - if (this.lexer.state.inRawBlock) { - text = this.options.sanitize ? this.options.sanitizer ? this.options.sanitizer(cap[0]) : escape(cap[0]) : cap[0]; - } else { - text = escape(this.options.smartypants ? smartypants(cap[0]) : cap[0]); - } - return { - type: 'text', - raw: cap[0], - text: text - }; - } - }; - return Tokenizer; - }(); - - /** - * Block-Level Grammar - */ - var block = { - newline: /^(?: *(?:\n|$))+/, - code: /^( {4}[^\n]+(?:\n(?: *(?:\n|$))*)?)+/, - fences: /^ {0,3}(`{3,}(?=[^`\n]*(?:\n|$))|~{3,})([^\n]*)(?:\n|$)(?:|([\s\S]*?)(?:\n|$))(?: {0,3}\1[~`]* *(?=\n|$)|$)/, - hr: /^ {0,3}((?:-[\t ]*){3,}|(?:_[ \t]*){3,}|(?:\*[ \t]*){3,})(?:\n+|$)/, - heading: /^ {0,3}(#{1,6})(?=\s|$)(.*)(?:\n+|$)/, - blockquote: /^( {0,3}> ?(paragraph|[^\n]*)(?:\n|$))+/, - list: /^( {0,3}bull)([ \t][^\n]+?)?(?:\n|$)/, - html: '^ {0,3}(?:' // optional indentation - + '<(script|pre|style|textarea)[\\s>][\\s\\S]*?(?:[^\\n]*\\n+|$)' // (1) - + '|comment[^\\n]*(\\n+|$)' // (2) - + '|<\\?[\\s\\S]*?(?:\\?>\\n*|$)' // (3) - + '|\\n*|$)' // (4) - + '|\\n*|$)' // (5) - + '|)[\\s\\S]*?(?:(?:\\n *)+\\n|$)' // (6) - + '|<(?!script|pre|style|textarea)([a-z][\\w-]*)(?:attribute)*? */?>(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:(?:\\n *)+\\n|$)' // (7) open tag - + '|(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:(?:\\n *)+\\n|$)' // (7) closing tag - + ')', - def: /^ {0,3}\[(label)\]: *(?:\n *)?([^<\s][^\s]*|<.*?>)(?:(?: +(?:\n *)?| *\n *)(title))? *(?:\n+|$)/, - table: noopTest, - lheading: /^((?:.|\n(?!\n))+?)\n {0,3}(=+|-+) *(?:\n+|$)/, - // regex template, placeholders will be replaced according to different paragraph - // interruption rules of commonmark and the original markdown spec: - _paragraph: /^([^\n]+(?:\n(?!hr|heading|lheading|blockquote|fences|list|html|table| +\n)[^\n]+)*)/, - text: /^[^\n]+/ - }; - block._label = /(?!\s*\])(?:\\.|[^\[\]\\])+/; - block._title = /(?:"(?:\\"?|[^"\\])*"|'[^'\n]*(?:\n[^'\n]+)*\n?'|\([^()]*\))/; - block.def = edit(block.def).replace('label', block._label).replace('title', block._title).getRegex(); - block.bullet = /(?:[*+-]|\d{1,9}[.)])/; - block.listItemStart = edit(/^( *)(bull) */).replace('bull', block.bullet).getRegex(); - block.list = edit(block.list).replace(/bull/g, block.bullet).replace('hr', '\\n+(?=\\1?(?:(?:- *){3,}|(?:_ *){3,}|(?:\\* *){3,})(?:\\n+|$))').replace('def', '\\n+(?=' + block.def.source + ')').getRegex(); - block._tag = 'address|article|aside|base|basefont|blockquote|body|caption' + '|center|col|colgroup|dd|details|dialog|dir|div|dl|dt|fieldset|figcaption' + '|figure|footer|form|frame|frameset|h[1-6]|head|header|hr|html|iframe' + '|legend|li|link|main|menu|menuitem|meta|nav|noframes|ol|optgroup|option' + '|p|param|section|source|summary|table|tbody|td|tfoot|th|thead|title|tr' + '|track|ul'; - block._comment = /|$)/; - block.html = edit(block.html, 'i').replace('comment', block._comment).replace('tag', block._tag).replace('attribute', / +[a-zA-Z:_][\w.:-]*(?: *= *"[^"\n]*"| *= *'[^'\n]*'| *= *[^\s"'=<>`]+)?/).getRegex(); - block.paragraph = edit(block._paragraph).replace('hr', block.hr).replace('heading', ' {0,3}#{1,6} ').replace('|lheading', '') // setex headings don't interrupt commonmark paragraphs - .replace('|table', '').replace('blockquote', ' {0,3}>').replace('fences', ' {0,3}(?:`{3,}(?=[^`\\n]*\\n)|~{3,})[^\\n]*\\n').replace('list', ' {0,3}(?:[*+-]|1[.)]) ') // only lists starting from 1 can interrupt - .replace('html', ')|<(?:script|pre|style|textarea|!--)').replace('tag', block._tag) // pars can be interrupted by type (6) html blocks - .getRegex(); - block.blockquote = edit(block.blockquote).replace('paragraph', block.paragraph).getRegex(); - - /** - * Normal Block Grammar - */ - - block.normal = _extends({}, block); - - /** - * GFM Block Grammar - */ - - block.gfm = _extends({}, block.normal, { - table: '^ *([^\\n ].*\\|.*)\\n' // Header - + ' {0,3}(?:\\| *)?(:?-+:? *(?:\\| *:?-+:? *)*)(?:\\| *)?' // Align - + '(?:\\n((?:(?! *\\n|hr|heading|blockquote|code|fences|list|html).*(?:\\n|$))*)\\n*|$)' // Cells - }); - - block.gfm.table = edit(block.gfm.table).replace('hr', block.hr).replace('heading', ' {0,3}#{1,6} ').replace('blockquote', ' {0,3}>').replace('code', ' {4}[^\\n]').replace('fences', ' {0,3}(?:`{3,}(?=[^`\\n]*\\n)|~{3,})[^\\n]*\\n').replace('list', ' {0,3}(?:[*+-]|1[.)]) ') // only lists starting from 1 can interrupt - .replace('html', ')|<(?:script|pre|style|textarea|!--)').replace('tag', block._tag) // tables can be interrupted by type (6) html blocks - .getRegex(); - block.gfm.paragraph = edit(block._paragraph).replace('hr', block.hr).replace('heading', ' {0,3}#{1,6} ').replace('|lheading', '') // setex headings don't interrupt commonmark paragraphs - .replace('table', block.gfm.table) // interrupt paragraphs with table - .replace('blockquote', ' {0,3}>').replace('fences', ' {0,3}(?:`{3,}(?=[^`\\n]*\\n)|~{3,})[^\\n]*\\n').replace('list', ' {0,3}(?:[*+-]|1[.)]) ') // only lists starting from 1 can interrupt - .replace('html', ')|<(?:script|pre|style|textarea|!--)').replace('tag', block._tag) // pars can be interrupted by type (6) html blocks - .getRegex(); - /** - * Pedantic grammar (original John Gruber's loose markdown specification) - */ - - block.pedantic = _extends({}, block.normal, { - html: edit('^ *(?:comment *(?:\\n|\\s*$)' + '|<(tag)[\\s\\S]+? *(?:\\n{2,}|\\s*$)' // closed tag - + '|\\s]*)*?/?> *(?:\\n{2,}|\\s*$))').replace('comment', block._comment).replace(/tag/g, '(?!(?:' + 'a|em|strong|small|s|cite|q|dfn|abbr|data|time|code|var|samp|kbd|sub' + '|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo|span|br|wbr|ins|del|img)' + '\\b)\\w+(?!:|[^\\w\\s@]*@)\\b').getRegex(), - def: /^ *\[([^\]]+)\]: *]+)>?(?: +(["(][^\n]+[")]))? *(?:\n+|$)/, - heading: /^(#{1,6})(.*)(?:\n+|$)/, - fences: noopTest, - // fences not supported - lheading: /^(.+?)\n {0,3}(=+|-+) *(?:\n+|$)/, - paragraph: edit(block.normal._paragraph).replace('hr', block.hr).replace('heading', ' *#{1,6} *[^\n]').replace('lheading', block.lheading).replace('blockquote', ' {0,3}>').replace('|fences', '').replace('|list', '').replace('|html', '').getRegex() - }); - - /** - * Inline-Level Grammar - */ - var inline = { - escape: /^\\([!"#$%&'()*+,\-./:;<=>?@\[\]\\^_`{|}~])/, - autolink: /^<(scheme:[^\s\x00-\x1f<>]*|email)>/, - url: noopTest, - tag: '^comment' + '|^' // self-closing tag - + '|^<[a-zA-Z][\\w-]*(?:attribute)*?\\s*/?>' // open tag - + '|^<\\?[\\s\\S]*?\\?>' // processing instruction, e.g. - + '|^' // declaration, e.g. - + '|^', - // CDATA section - link: /^!?\[(label)\]\(\s*(href)(?:\s+(title))?\s*\)/, - reflink: /^!?\[(label)\]\[(ref)\]/, - nolink: /^!?\[(ref)\](?:\[\])?/, - reflinkSearch: 'reflink|nolink(?!\\()', - emStrong: { - lDelim: /^(?:\*+(?:([punct_])|[^\s*]))|^_+(?:([punct*])|([^\s_]))/, - // (1) and (2) can only be a Right Delimiter. (3) and (4) can only be Left. (5) and (6) can be either Left or Right. - // () Skip orphan inside strong () Consume to delim (1) #*** (2) a***#, a*** (3) #***a, ***a (4) ***# (5) #***# (6) a***a - rDelimAst: /^(?:[^_*\\]|\\.)*?\_\_(?:[^_*\\]|\\.)*?\*(?:[^_*\\]|\\.)*?(?=\_\_)|(?:[^*\\]|\\.)+(?=[^*])|[punct_](\*+)(?=[\s]|$)|(?:[^punct*_\s\\]|\\.)(\*+)(?=[punct_\s]|$)|[punct_\s](\*+)(?=[^punct*_\s])|[\s](\*+)(?=[punct_])|[punct_](\*+)(?=[punct_])|(?:[^punct*_\s\\]|\\.)(\*+)(?=[^punct*_\s])/, - rDelimUnd: /^(?:[^_*\\]|\\.)*?\*\*(?:[^_*\\]|\\.)*?\_(?:[^_*\\]|\\.)*?(?=\*\*)|(?:[^_\\]|\\.)+(?=[^_])|[punct*](\_+)(?=[\s]|$)|(?:[^punct*_\s\\]|\\.)(\_+)(?=[punct*\s]|$)|[punct*\s](\_+)(?=[^punct*_\s])|[\s](\_+)(?=[punct*])|[punct*](\_+)(?=[punct*])/ // ^- Not allowed for _ - }, - - code: /^(`+)([^`]|[^`][\s\S]*?[^`])\1(?!`)/, - br: /^( {2,}|\\)\n(?!\s*$)/, - del: noopTest, - text: /^(`+|[^`])(?:(?= {2,}\n)|[\s\S]*?(?:(?=[\\?@\\[\\]`^{|}~'; - inline.punctuation = edit(inline.punctuation).replace(/punctuation/g, inline._punctuation).getRegex(); - - // sequences em should skip over [title](link), `code`, - inline.blockSkip = /\[[^\]]*?\]\([^\)]*?\)|`[^`]*?`|<[^>]*?>/g; - // lookbehind is not available on Safari as of version 16 - // inline.escapedEmSt = /(?<=(?:^|[^\\)(?:\\[^])*)\\[*_]/g; - inline.escapedEmSt = /(?:^|[^\\])(?:\\\\)*\\[*_]/g; - inline._comment = edit(block._comment).replace('(?:-->|$)', '-->').getRegex(); - inline.emStrong.lDelim = edit(inline.emStrong.lDelim).replace(/punct/g, inline._punctuation).getRegex(); - inline.emStrong.rDelimAst = edit(inline.emStrong.rDelimAst, 'g').replace(/punct/g, inline._punctuation).getRegex(); - inline.emStrong.rDelimUnd = edit(inline.emStrong.rDelimUnd, 'g').replace(/punct/g, inline._punctuation).getRegex(); - inline._escapes = /\\([!"#$%&'()*+,\-./:;<=>?@\[\]\\^_`{|}~])/g; - inline._scheme = /[a-zA-Z][a-zA-Z0-9+.-]{1,31}/; - inline._email = /[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+(@)[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)+(?![-_])/; - inline.autolink = edit(inline.autolink).replace('scheme', inline._scheme).replace('email', inline._email).getRegex(); - inline._attribute = /\s+[a-zA-Z:_][\w.:-]*(?:\s*=\s*"[^"]*"|\s*=\s*'[^']*'|\s*=\s*[^\s"'=<>`]+)?/; - inline.tag = edit(inline.tag).replace('comment', inline._comment).replace('attribute', inline._attribute).getRegex(); - inline._label = /(?:\[(?:\\.|[^\[\]\\])*\]|\\.|`[^`]*`|[^\[\]\\`])*?/; - inline._href = /<(?:\\.|[^\n<>\\])+>|[^\s\x00-\x1f]*/; - inline._title = /"(?:\\"?|[^"\\])*"|'(?:\\'?|[^'\\])*'|\((?:\\\)?|[^)\\])*\)/; - inline.link = edit(inline.link).replace('label', inline._label).replace('href', inline._href).replace('title', inline._title).getRegex(); - inline.reflink = edit(inline.reflink).replace('label', inline._label).replace('ref', block._label).getRegex(); - inline.nolink = edit(inline.nolink).replace('ref', block._label).getRegex(); - inline.reflinkSearch = edit(inline.reflinkSearch, 'g').replace('reflink', inline.reflink).replace('nolink', inline.nolink).getRegex(); - - /** - * Normal Inline Grammar - */ - - inline.normal = _extends({}, inline); - - /** - * Pedantic Inline Grammar - */ - - inline.pedantic = _extends({}, inline.normal, { - strong: { - start: /^__|\*\*/, - middle: /^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/, - endAst: /\*\*(?!\*)/g, - endUnd: /__(?!_)/g - }, - em: { - start: /^_|\*/, - middle: /^()\*(?=\S)([\s\S]*?\S)\*(?!\*)|^_(?=\S)([\s\S]*?\S)_(?!_)/, - endAst: /\*(?!\*)/g, - endUnd: /_(?!_)/g - }, - link: edit(/^!?\[(label)\]\((.*?)\)/).replace('label', inline._label).getRegex(), - reflink: edit(/^!?\[(label)\]\s*\[([^\]]*)\]/).replace('label', inline._label).getRegex() - }); - - /** - * GFM Inline Grammar - */ - - inline.gfm = _extends({}, inline.normal, { - escape: edit(inline.escape).replace('])', '~|])').getRegex(), - _extended_email: /[A-Za-z0-9._+-]+(@)[a-zA-Z0-9-_]+(?:\.[a-zA-Z0-9-_]*[a-zA-Z0-9])+(?![-_])/, - url: /^((?:ftp|https?):\/\/|www\.)(?:[a-zA-Z0-9\-]+\.?)+[^\s<]*|^email/, - _backpedal: /(?:[^?!.,:;*_'"~()&]+|\([^)]*\)|&(?![a-zA-Z0-9]+;$)|[?!.,:;*_'"~)]+(?!$))+/, - del: /^(~~?)(?=[^\s~])([\s\S]*?[^\s~])\1(?=[^~]|$)/, - text: /^([`~]+|[^`~])(?:(?= {2,}\n)|(?=[a-zA-Z0-9.!#$%&'*+\/=?_`{\|}~-]+@)|[\s\S]*?(?:(?=[\\ 0.5) { - ch = 'x' + ch.toString(16); - } - out += '&#' + ch + ';'; - } - return out; - } - - /** - * Block Lexer - */ - var Lexer = /*#__PURE__*/function () { - function Lexer(options) { - this.tokens = []; - this.tokens.links = Object.create(null); - this.options = options || exports.defaults; - this.options.tokenizer = this.options.tokenizer || new Tokenizer(); - this.tokenizer = this.options.tokenizer; - this.tokenizer.options = this.options; - this.tokenizer.lexer = this; - this.inlineQueue = []; - this.state = { - inLink: false, - inRawBlock: false, - top: true - }; - var rules = { - block: block.normal, - inline: inline.normal - }; - if (this.options.pedantic) { - rules.block = block.pedantic; - rules.inline = inline.pedantic; - } else if (this.options.gfm) { - rules.block = block.gfm; - if (this.options.breaks) { - rules.inline = inline.breaks; - } else { - rules.inline = inline.gfm; - } - } - this.tokenizer.rules = rules; - } - - /** - * Expose Rules - */ - /** - * Static Lex Method - */ - Lexer.lex = function lex(src, options) { - var lexer = new Lexer(options); - return lexer.lex(src); - } - - /** - * Static Lex Inline Method - */; - Lexer.lexInline = function lexInline(src, options) { - var lexer = new Lexer(options); - return lexer.inlineTokens(src); - } - - /** - * Preprocessing - */; - var _proto = Lexer.prototype; - _proto.lex = function lex(src) { - src = src.replace(/\r\n|\r/g, '\n'); - this.blockTokens(src, this.tokens); - var next; - while (next = this.inlineQueue.shift()) { - this.inlineTokens(next.src, next.tokens); - } - return this.tokens; - } - - /** - * Lexing - */; - _proto.blockTokens = function blockTokens(src, tokens) { - var _this = this; - if (tokens === void 0) { - tokens = []; - } - if (this.options.pedantic) { - src = src.replace(/\t/g, ' ').replace(/^ +$/gm, ''); - } else { - src = src.replace(/^( *)(\t+)/gm, function (_, leading, tabs) { - return leading + ' '.repeat(tabs.length); - }); - } - var token, lastToken, cutSrc, lastParagraphClipped; - while (src) { - if (this.options.extensions && this.options.extensions.block && this.options.extensions.block.some(function (extTokenizer) { - if (token = extTokenizer.call({ - lexer: _this - }, src, tokens)) { - src = src.substring(token.raw.length); - tokens.push(token); - return true; - } - return false; - })) { - continue; - } - - // newline - if (token = this.tokenizer.space(src)) { - src = src.substring(token.raw.length); - if (token.raw.length === 1 && tokens.length > 0) { - // if there's a single \n as a spacer, it's terminating the last line, - // so move it there so that we don't get unecessary paragraph tags - tokens[tokens.length - 1].raw += '\n'; - } else { - tokens.push(token); - } - continue; - } - - // code - if (token = this.tokenizer.code(src)) { - src = src.substring(token.raw.length); - lastToken = tokens[tokens.length - 1]; - // An indented code block cannot interrupt a paragraph. - if (lastToken && (lastToken.type === 'paragraph' || lastToken.type === 'text')) { - lastToken.raw += '\n' + token.raw; - lastToken.text += '\n' + token.text; - this.inlineQueue[this.inlineQueue.length - 1].src = lastToken.text; - } else { - tokens.push(token); - } - continue; - } - - // fences - if (token = this.tokenizer.fences(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // heading - if (token = this.tokenizer.heading(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // hr - if (token = this.tokenizer.hr(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // blockquote - if (token = this.tokenizer.blockquote(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // list - if (token = this.tokenizer.list(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // html - if (token = this.tokenizer.html(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // def - if (token = this.tokenizer.def(src)) { - src = src.substring(token.raw.length); - lastToken = tokens[tokens.length - 1]; - if (lastToken && (lastToken.type === 'paragraph' || lastToken.type === 'text')) { - lastToken.raw += '\n' + token.raw; - lastToken.text += '\n' + token.raw; - this.inlineQueue[this.inlineQueue.length - 1].src = lastToken.text; - } else if (!this.tokens.links[token.tag]) { - this.tokens.links[token.tag] = { - href: token.href, - title: token.title - }; - } - continue; - } - - // table (gfm) - if (token = this.tokenizer.table(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // lheading - if (token = this.tokenizer.lheading(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // top-level paragraph - // prevent paragraph consuming extensions by clipping 'src' to extension start - cutSrc = src; - if (this.options.extensions && this.options.extensions.startBlock) { - (function () { - var startIndex = Infinity; - var tempSrc = src.slice(1); - var tempStart = void 0; - _this.options.extensions.startBlock.forEach(function (getStartIndex) { - tempStart = getStartIndex.call({ - lexer: this - }, tempSrc); - if (typeof tempStart === 'number' && tempStart >= 0) { - startIndex = Math.min(startIndex, tempStart); - } - }); - if (startIndex < Infinity && startIndex >= 0) { - cutSrc = src.substring(0, startIndex + 1); - } - })(); - } - if (this.state.top && (token = this.tokenizer.paragraph(cutSrc))) { - lastToken = tokens[tokens.length - 1]; - if (lastParagraphClipped && lastToken.type === 'paragraph') { - lastToken.raw += '\n' + token.raw; - lastToken.text += '\n' + token.text; - this.inlineQueue.pop(); - this.inlineQueue[this.inlineQueue.length - 1].src = lastToken.text; - } else { - tokens.push(token); - } - lastParagraphClipped = cutSrc.length !== src.length; - src = src.substring(token.raw.length); - continue; - } - - // text - if (token = this.tokenizer.text(src)) { - src = src.substring(token.raw.length); - lastToken = tokens[tokens.length - 1]; - if (lastToken && lastToken.type === 'text') { - lastToken.raw += '\n' + token.raw; - lastToken.text += '\n' + token.text; - this.inlineQueue.pop(); - this.inlineQueue[this.inlineQueue.length - 1].src = lastToken.text; - } else { - tokens.push(token); - } - continue; - } - if (src) { - var errMsg = 'Infinite loop on byte: ' + src.charCodeAt(0); - if (this.options.silent) { - console.error(errMsg); - break; - } else { - throw new Error(errMsg); - } - } - } - this.state.top = true; - return tokens; - }; - _proto.inline = function inline(src, tokens) { - if (tokens === void 0) { - tokens = []; - } - this.inlineQueue.push({ - src: src, - tokens: tokens - }); - return tokens; - } - - /** - * Lexing/Compiling - */; - _proto.inlineTokens = function inlineTokens(src, tokens) { - var _this2 = this; - if (tokens === void 0) { - tokens = []; - } - var token, lastToken, cutSrc; - - // String with links masked to avoid interference with em and strong - var maskedSrc = src; - var match; - var keepPrevChar, prevChar; - - // Mask out reflinks - if (this.tokens.links) { - var links = Object.keys(this.tokens.links); - if (links.length > 0) { - while ((match = this.tokenizer.rules.inline.reflinkSearch.exec(maskedSrc)) != null) { - if (links.includes(match[0].slice(match[0].lastIndexOf('[') + 1, -1))) { - maskedSrc = maskedSrc.slice(0, match.index) + '[' + repeatString('a', match[0].length - 2) + ']' + maskedSrc.slice(this.tokenizer.rules.inline.reflinkSearch.lastIndex); - } - } - } - } - // Mask out other blocks - while ((match = this.tokenizer.rules.inline.blockSkip.exec(maskedSrc)) != null) { - maskedSrc = maskedSrc.slice(0, match.index) + '[' + repeatString('a', match[0].length - 2) + ']' + maskedSrc.slice(this.tokenizer.rules.inline.blockSkip.lastIndex); - } - - // Mask out escaped em & strong delimiters - while ((match = this.tokenizer.rules.inline.escapedEmSt.exec(maskedSrc)) != null) { - maskedSrc = maskedSrc.slice(0, match.index + match[0].length - 2) + '++' + maskedSrc.slice(this.tokenizer.rules.inline.escapedEmSt.lastIndex); - this.tokenizer.rules.inline.escapedEmSt.lastIndex--; - } - while (src) { - if (!keepPrevChar) { - prevChar = ''; - } - keepPrevChar = false; - - // extensions - if (this.options.extensions && this.options.extensions.inline && this.options.extensions.inline.some(function (extTokenizer) { - if (token = extTokenizer.call({ - lexer: _this2 - }, src, tokens)) { - src = src.substring(token.raw.length); - tokens.push(token); - return true; - } - return false; - })) { - continue; - } - - // escape - if (token = this.tokenizer.escape(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // tag - if (token = this.tokenizer.tag(src)) { - src = src.substring(token.raw.length); - lastToken = tokens[tokens.length - 1]; - if (lastToken && token.type === 'text' && lastToken.type === 'text') { - lastToken.raw += token.raw; - lastToken.text += token.text; - } else { - tokens.push(token); - } - continue; - } - - // link - if (token = this.tokenizer.link(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // reflink, nolink - if (token = this.tokenizer.reflink(src, this.tokens.links)) { - src = src.substring(token.raw.length); - lastToken = tokens[tokens.length - 1]; - if (lastToken && token.type === 'text' && lastToken.type === 'text') { - lastToken.raw += token.raw; - lastToken.text += token.text; - } else { - tokens.push(token); - } - continue; - } - - // em & strong - if (token = this.tokenizer.emStrong(src, maskedSrc, prevChar)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // code - if (token = this.tokenizer.codespan(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // br - if (token = this.tokenizer.br(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // del (gfm) - if (token = this.tokenizer.del(src)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // autolink - if (token = this.tokenizer.autolink(src, mangle)) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // url (gfm) - if (!this.state.inLink && (token = this.tokenizer.url(src, mangle))) { - src = src.substring(token.raw.length); - tokens.push(token); - continue; - } - - // text - // prevent inlineText consuming extensions by clipping 'src' to extension start - cutSrc = src; - if (this.options.extensions && this.options.extensions.startInline) { - (function () { - var startIndex = Infinity; - var tempSrc = src.slice(1); - var tempStart = void 0; - _this2.options.extensions.startInline.forEach(function (getStartIndex) { - tempStart = getStartIndex.call({ - lexer: this - }, tempSrc); - if (typeof tempStart === 'number' && tempStart >= 0) { - startIndex = Math.min(startIndex, tempStart); - } - }); - if (startIndex < Infinity && startIndex >= 0) { - cutSrc = src.substring(0, startIndex + 1); - } - })(); - } - if (token = this.tokenizer.inlineText(cutSrc, smartypants)) { - src = src.substring(token.raw.length); - if (token.raw.slice(-1) !== '_') { - // Track prevChar before string of ____ started - prevChar = token.raw.slice(-1); - } - keepPrevChar = true; - lastToken = tokens[tokens.length - 1]; - if (lastToken && lastToken.type === 'text') { - lastToken.raw += token.raw; - lastToken.text += token.text; - } else { - tokens.push(token); - } - continue; - } - if (src) { - var errMsg = 'Infinite loop on byte: ' + src.charCodeAt(0); - if (this.options.silent) { - console.error(errMsg); - break; - } else { - throw new Error(errMsg); - } - } - } - return tokens; - }; - _createClass(Lexer, null, [{ - key: "rules", - get: function get() { - return { - block: block, - inline: inline - }; - } - }]); - return Lexer; - }(); - - /** - * Renderer - */ - var Renderer = /*#__PURE__*/function () { - function Renderer(options) { - this.options = options || exports.defaults; - } - var _proto = Renderer.prototype; - _proto.code = function code(_code, infostring, escaped) { - var lang = (infostring || '').match(/\S*/)[0]; - if (this.options.highlight) { - var out = this.options.highlight(_code, lang); - if (out != null && out !== _code) { - escaped = true; - _code = out; - } - } - _code = _code.replace(/\n$/, '') + '\n'; - if (!lang) { - return '

' + (escaped ? _code : escape(_code, true)) + '
\n'; - } - return '
' + (escaped ? _code : escape(_code, true)) + '
\n'; - } - - /** - * @param {string} quote - */; - _proto.blockquote = function blockquote(quote) { - return "
\n" + quote + "
\n"; - }; - _proto.html = function html(_html) { - return _html; - } - - /** - * @param {string} text - * @param {string} level - * @param {string} raw - * @param {any} slugger - */; - _proto.heading = function heading(text, level, raw, slugger) { - if (this.options.headerIds) { - var id = this.options.headerPrefix + slugger.slug(raw); - return "" + text + "\n"; - } - - // ignore IDs - return "" + text + "\n"; - }; - _proto.hr = function hr() { - return this.options.xhtml ? '
\n' : '
\n'; - }; - _proto.list = function list(body, ordered, start) { - var type = ordered ? 'ol' : 'ul', - startatt = ordered && start !== 1 ? ' start="' + start + '"' : ''; - return '<' + type + startatt + '>\n' + body + '\n'; - } - - /** - * @param {string} text - */; - _proto.listitem = function listitem(text) { - return "
  • " + text + "
  • \n"; - }; - _proto.checkbox = function checkbox(checked) { - return ' '; - } - - /** - * @param {string} text - */; - _proto.paragraph = function paragraph(text) { - return "

    " + text + "

    \n"; - } - - /** - * @param {string} header - * @param {string} body - */; - _proto.table = function table(header, body) { - if (body) body = "" + body + ""; - return '\n' + '\n' + header + '\n' + body + '
    \n'; - } - - /** - * @param {string} content - */; - _proto.tablerow = function tablerow(content) { - return "\n" + content + "\n"; - }; - _proto.tablecell = function tablecell(content, flags) { - var type = flags.header ? 'th' : 'td'; - var tag = flags.align ? "<" + type + " align=\"" + flags.align + "\">" : "<" + type + ">"; - return tag + content + ("\n"); - } - - /** - * span level renderer - * @param {string} text - */; - _proto.strong = function strong(text) { - return "" + text + ""; - } - - /** - * @param {string} text - */; - _proto.em = function em(text) { - return "" + text + ""; - } - - /** - * @param {string} text - */; - _proto.codespan = function codespan(text) { - return "" + text + ""; - }; - _proto.br = function br() { - return this.options.xhtml ? '
    ' : '
    '; - } - - /** - * @param {string} text - */; - _proto.del = function del(text) { - return "" + text + ""; - } - - /** - * @param {string} href - * @param {string} title - * @param {string} text - */; - _proto.link = function link(href, title, text) { - href = cleanUrl(this.options.sanitize, this.options.baseUrl, href); - if (href === null) { - return text; - } - var out = '
    '; - return out; - } - - /** - * @param {string} href - * @param {string} title - * @param {string} text - */; - _proto.image = function image(href, title, text) { - href = cleanUrl(this.options.sanitize, this.options.baseUrl, href); - if (href === null) { - return text; - } - var out = "\""' : '>'; - return out; - }; - _proto.text = function text(_text) { - return _text; - }; - return Renderer; - }(); - - /** - * TextRenderer - * returns only the textual part of the token - */ - var TextRenderer = /*#__PURE__*/function () { - function TextRenderer() {} - var _proto = TextRenderer.prototype; - // no need for block level renderers - _proto.strong = function strong(text) { - return text; - }; - _proto.em = function em(text) { - return text; - }; - _proto.codespan = function codespan(text) { - return text; - }; - _proto.del = function del(text) { - return text; - }; - _proto.html = function html(text) { - return text; - }; - _proto.text = function text(_text) { - return _text; - }; - _proto.link = function link(href, title, text) { - return '' + text; - }; - _proto.image = function image(href, title, text) { - return '' + text; - }; - _proto.br = function br() { - return ''; - }; - return TextRenderer; - }(); - - /** - * Slugger generates header id - */ - var Slugger = /*#__PURE__*/function () { - function Slugger() { - this.seen = {}; - } - - /** - * @param {string} value - */ - var _proto = Slugger.prototype; - _proto.serialize = function serialize(value) { - return value.toLowerCase().trim() - // remove html tags - .replace(/<[!\/a-z].*?>/ig, '') - // remove unwanted chars - .replace(/[\u2000-\u206F\u2E00-\u2E7F\\'!"#$%&()*+,./:;<=>?@[\]^`{|}~]/g, '').replace(/\s/g, '-'); - } - - /** - * Finds the next safe (unique) slug to use - * @param {string} originalSlug - * @param {boolean} isDryRun - */; - _proto.getNextSafeSlug = function getNextSafeSlug(originalSlug, isDryRun) { - var slug = originalSlug; - var occurenceAccumulator = 0; - if (this.seen.hasOwnProperty(slug)) { - occurenceAccumulator = this.seen[originalSlug]; - do { - occurenceAccumulator++; - slug = originalSlug + '-' + occurenceAccumulator; - } while (this.seen.hasOwnProperty(slug)); - } - if (!isDryRun) { - this.seen[originalSlug] = occurenceAccumulator; - this.seen[slug] = 0; - } - return slug; - } - - /** - * Convert string to unique id - * @param {object} [options] - * @param {boolean} [options.dryrun] Generates the next unique slug without - * updating the internal accumulator. - */; - _proto.slug = function slug(value, options) { - if (options === void 0) { - options = {}; - } - var slug = this.serialize(value); - return this.getNextSafeSlug(slug, options.dryrun); - }; - return Slugger; - }(); - - /** - * Parsing & Compiling - */ - var Parser = /*#__PURE__*/function () { - function Parser(options) { - this.options = options || exports.defaults; - this.options.renderer = this.options.renderer || new Renderer(); - this.renderer = this.options.renderer; - this.renderer.options = this.options; - this.textRenderer = new TextRenderer(); - this.slugger = new Slugger(); - } - - /** - * Static Parse Method - */ - Parser.parse = function parse(tokens, options) { - var parser = new Parser(options); - return parser.parse(tokens); - } - - /** - * Static Parse Inline Method - */; - Parser.parseInline = function parseInline(tokens, options) { - var parser = new Parser(options); - return parser.parseInline(tokens); - } - - /** - * Parse Loop - */; - var _proto = Parser.prototype; - _proto.parse = function parse(tokens, top) { - if (top === void 0) { - top = true; - } - var out = '', - i, - j, - k, - l2, - l3, - row, - cell, - header, - body, - token, - ordered, - start, - loose, - itemBody, - item, - checked, - task, - checkbox, - ret; - var l = tokens.length; - for (i = 0; i < l; i++) { - token = tokens[i]; - - // Run any renderer extensions - if (this.options.extensions && this.options.extensions.renderers && this.options.extensions.renderers[token.type]) { - ret = this.options.extensions.renderers[token.type].call({ - parser: this - }, token); - if (ret !== false || !['space', 'hr', 'heading', 'code', 'table', 'blockquote', 'list', 'html', 'paragraph', 'text'].includes(token.type)) { - out += ret || ''; - continue; - } - } - switch (token.type) { - case 'space': - { - continue; - } - case 'hr': - { - out += this.renderer.hr(); - continue; - } - case 'heading': - { - out += this.renderer.heading(this.parseInline(token.tokens), token.depth, unescape(this.parseInline(token.tokens, this.textRenderer)), this.slugger); - continue; - } - case 'code': - { - out += this.renderer.code(token.text, token.lang, token.escaped); - continue; - } - case 'table': - { - header = ''; - - // header - cell = ''; - l2 = token.header.length; - for (j = 0; j < l2; j++) { - cell += this.renderer.tablecell(this.parseInline(token.header[j].tokens), { - header: true, - align: token.align[j] - }); - } - header += this.renderer.tablerow(cell); - body = ''; - l2 = token.rows.length; - for (j = 0; j < l2; j++) { - row = token.rows[j]; - cell = ''; - l3 = row.length; - for (k = 0; k < l3; k++) { - cell += this.renderer.tablecell(this.parseInline(row[k].tokens), { - header: false, - align: token.align[k] - }); - } - body += this.renderer.tablerow(cell); - } - out += this.renderer.table(header, body); - continue; - } - case 'blockquote': - { - body = this.parse(token.tokens); - out += this.renderer.blockquote(body); - continue; - } - case 'list': - { - ordered = token.ordered; - start = token.start; - loose = token.loose; - l2 = token.items.length; - body = ''; - for (j = 0; j < l2; j++) { - item = token.items[j]; - checked = item.checked; - task = item.task; - itemBody = ''; - if (item.task) { - checkbox = this.renderer.checkbox(checked); - if (loose) { - if (item.tokens.length > 0 && item.tokens[0].type === 'paragraph') { - item.tokens[0].text = checkbox + ' ' + item.tokens[0].text; - if (item.tokens[0].tokens && item.tokens[0].tokens.length > 0 && item.tokens[0].tokens[0].type === 'text') { - item.tokens[0].tokens[0].text = checkbox + ' ' + item.tokens[0].tokens[0].text; - } - } else { - item.tokens.unshift({ - type: 'text', - text: checkbox - }); - } - } else { - itemBody += checkbox; - } - } - itemBody += this.parse(item.tokens, loose); - body += this.renderer.listitem(itemBody, task, checked); - } - out += this.renderer.list(body, ordered, start); - continue; - } - case 'html': - { - // TODO parse inline content if parameter markdown=1 - out += this.renderer.html(token.text); - continue; - } - case 'paragraph': - { - out += this.renderer.paragraph(this.parseInline(token.tokens)); - continue; - } - case 'text': - { - body = token.tokens ? this.parseInline(token.tokens) : token.text; - while (i + 1 < l && tokens[i + 1].type === 'text') { - token = tokens[++i]; - body += '\n' + (token.tokens ? this.parseInline(token.tokens) : token.text); - } - out += top ? this.renderer.paragraph(body) : body; - continue; - } - default: - { - var errMsg = 'Token with "' + token.type + '" type was not found.'; - if (this.options.silent) { - console.error(errMsg); - return; - } else { - throw new Error(errMsg); - } - } - } - } - return out; - } - - /** - * Parse Inline Tokens - */; - _proto.parseInline = function parseInline(tokens, renderer) { - renderer = renderer || this.renderer; - var out = '', - i, - token, - ret; - var l = tokens.length; - for (i = 0; i < l; i++) { - token = tokens[i]; - - // Run any renderer extensions - if (this.options.extensions && this.options.extensions.renderers && this.options.extensions.renderers[token.type]) { - ret = this.options.extensions.renderers[token.type].call({ - parser: this - }, token); - if (ret !== false || !['escape', 'html', 'link', 'image', 'strong', 'em', 'codespan', 'br', 'del', 'text'].includes(token.type)) { - out += ret || ''; - continue; - } - } - switch (token.type) { - case 'escape': - { - out += renderer.text(token.text); - break; - } - case 'html': - { - out += renderer.html(token.text); - break; - } - case 'link': - { - out += renderer.link(token.href, token.title, this.parseInline(token.tokens, renderer)); - break; - } - case 'image': - { - out += renderer.image(token.href, token.title, token.text); - break; - } - case 'strong': - { - out += renderer.strong(this.parseInline(token.tokens, renderer)); - break; - } - case 'em': - { - out += renderer.em(this.parseInline(token.tokens, renderer)); - break; - } - case 'codespan': - { - out += renderer.codespan(token.text); - break; - } - case 'br': - { - out += renderer.br(); - break; - } - case 'del': - { - out += renderer.del(this.parseInline(token.tokens, renderer)); - break; - } - case 'text': - { - out += renderer.text(token.text); - break; - } - default: - { - var errMsg = 'Token with "' + token.type + '" type was not found.'; - if (this.options.silent) { - console.error(errMsg); - return; - } else { - throw new Error(errMsg); - } - } - } - } - return out; - }; - return Parser; - }(); - - var Hooks = /*#__PURE__*/function () { - function Hooks(options) { - this.options = options || exports.defaults; - } - var _proto = Hooks.prototype; - /** - * Process markdown before marked - */ - _proto.preprocess = function preprocess(markdown) { - return markdown; - } - - /** - * Process HTML after marked is finished - */; - _proto.postprocess = function postprocess(html) { - return html; - }; - return Hooks; - }(); - Hooks.passThroughHooks = new Set(['preprocess', 'postprocess']); - - function onError(silent, async, callback) { - return function (e) { - e.message += '\nPlease report this to https://github.com/markedjs/marked.'; - if (silent) { - var msg = '

    An error occurred:

    ' + escape(e.message + '', true) + '
    '; - if (async) { - return Promise.resolve(msg); - } - if (callback) { - callback(null, msg); - return; - } - return msg; - } - if (async) { - return Promise.reject(e); - } - if (callback) { - callback(e); - return; - } - throw e; - }; - } - function parseMarkdown(lexer, parser) { - return function (src, opt, callback) { - if (typeof opt === 'function') { - callback = opt; - opt = null; - } - var origOpt = _extends({}, opt); - opt = _extends({}, marked.defaults, origOpt); - var throwError = onError(opt.silent, opt.async, callback); - - // throw error in case of non string input - if (typeof src === 'undefined' || src === null) { - return throwError(new Error('marked(): input parameter is undefined or null')); - } - if (typeof src !== 'string') { - return throwError(new Error('marked(): input parameter is of type ' + Object.prototype.toString.call(src) + ', string expected')); - } - checkSanitizeDeprecation(opt); - if (opt.hooks) { - opt.hooks.options = opt; - } - if (callback) { - var highlight = opt.highlight; - var tokens; - try { - if (opt.hooks) { - src = opt.hooks.preprocess(src); - } - tokens = lexer(src, opt); - } catch (e) { - return throwError(e); - } - var done = function done(err) { - var out; - if (!err) { - try { - if (opt.walkTokens) { - marked.walkTokens(tokens, opt.walkTokens); - } - out = parser(tokens, opt); - if (opt.hooks) { - out = opt.hooks.postprocess(out); - } - } catch (e) { - err = e; - } - } - opt.highlight = highlight; - return err ? throwError(err) : callback(null, out); - }; - if (!highlight || highlight.length < 3) { - return done(); - } - delete opt.highlight; - if (!tokens.length) return done(); - var pending = 0; - marked.walkTokens(tokens, function (token) { - if (token.type === 'code') { - pending++; - setTimeout(function () { - highlight(token.text, token.lang, function (err, code) { - if (err) { - return done(err); - } - if (code != null && code !== token.text) { - token.text = code; - token.escaped = true; - } - pending--; - if (pending === 0) { - done(); - } - }); - }, 0); - } - }); - if (pending === 0) { - done(); - } - return; - } - if (opt.async) { - return Promise.resolve(opt.hooks ? opt.hooks.preprocess(src) : src).then(function (src) { - return lexer(src, opt); - }).then(function (tokens) { - return opt.walkTokens ? Promise.all(marked.walkTokens(tokens, opt.walkTokens)).then(function () { - return tokens; - }) : tokens; - }).then(function (tokens) { - return parser(tokens, opt); - }).then(function (html) { - return opt.hooks ? opt.hooks.postprocess(html) : html; - })["catch"](throwError); - } - try { - if (opt.hooks) { - src = opt.hooks.preprocess(src); - } - var _tokens = lexer(src, opt); - if (opt.walkTokens) { - marked.walkTokens(_tokens, opt.walkTokens); - } - var html = parser(_tokens, opt); - if (opt.hooks) { - html = opt.hooks.postprocess(html); - } - return html; - } catch (e) { - return throwError(e); - } - }; - } - - /** - * Marked - */ - function marked(src, opt, callback) { - return parseMarkdown(Lexer.lex, Parser.parse)(src, opt, callback); - } - - /** - * Options - */ - - marked.options = marked.setOptions = function (opt) { - marked.defaults = _extends({}, marked.defaults, opt); - changeDefaults(marked.defaults); - return marked; - }; - marked.getDefaults = getDefaults; - marked.defaults = exports.defaults; - - /** - * Use Extension - */ - - marked.use = function () { - var extensions = marked.defaults.extensions || { - renderers: {}, - childTokens: {} - }; - for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } - args.forEach(function (pack) { - // copy options to new object - var opts = _extends({}, pack); - - // set async to true if it was set to true before - opts.async = marked.defaults.async || opts.async || false; - - // ==-- Parse "addon" extensions --== // - if (pack.extensions) { - pack.extensions.forEach(function (ext) { - if (!ext.name) { - throw new Error('extension name required'); - } - if (ext.renderer) { - // Renderer extensions - var prevRenderer = extensions.renderers[ext.name]; - if (prevRenderer) { - // Replace extension with func to run new extension but fall back if false - extensions.renderers[ext.name] = function () { - for (var _len2 = arguments.length, args = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) { - args[_key2] = arguments[_key2]; - } - var ret = ext.renderer.apply(this, args); - if (ret === false) { - ret = prevRenderer.apply(this, args); - } - return ret; - }; - } else { - extensions.renderers[ext.name] = ext.renderer; - } - } - if (ext.tokenizer) { - // Tokenizer Extensions - if (!ext.level || ext.level !== 'block' && ext.level !== 'inline') { - throw new Error("extension level must be 'block' or 'inline'"); - } - if (extensions[ext.level]) { - extensions[ext.level].unshift(ext.tokenizer); - } else { - extensions[ext.level] = [ext.tokenizer]; - } - if (ext.start) { - // Function to check for start of token - if (ext.level === 'block') { - if (extensions.startBlock) { - extensions.startBlock.push(ext.start); - } else { - extensions.startBlock = [ext.start]; - } - } else if (ext.level === 'inline') { - if (extensions.startInline) { - extensions.startInline.push(ext.start); - } else { - extensions.startInline = [ext.start]; - } - } - } - } - if (ext.childTokens) { - // Child tokens to be visited by walkTokens - extensions.childTokens[ext.name] = ext.childTokens; - } - }); - opts.extensions = extensions; - } - - // ==-- Parse "overwrite" extensions --== // - if (pack.renderer) { - (function () { - var renderer = marked.defaults.renderer || new Renderer(); - var _loop = function _loop(prop) { - var prevRenderer = renderer[prop]; - // Replace renderer with func to run extension, but fall back if false - renderer[prop] = function () { - for (var _len3 = arguments.length, args = new Array(_len3), _key3 = 0; _key3 < _len3; _key3++) { - args[_key3] = arguments[_key3]; - } - var ret = pack.renderer[prop].apply(renderer, args); - if (ret === false) { - ret = prevRenderer.apply(renderer, args); - } - return ret; - }; - }; - for (var prop in pack.renderer) { - _loop(prop); - } - opts.renderer = renderer; - })(); - } - if (pack.tokenizer) { - (function () { - var tokenizer = marked.defaults.tokenizer || new Tokenizer(); - var _loop2 = function _loop2(prop) { - var prevTokenizer = tokenizer[prop]; - // Replace tokenizer with func to run extension, but fall back if false - tokenizer[prop] = function () { - for (var _len4 = arguments.length, args = new Array(_len4), _key4 = 0; _key4 < _len4; _key4++) { - args[_key4] = arguments[_key4]; - } - var ret = pack.tokenizer[prop].apply(tokenizer, args); - if (ret === false) { - ret = prevTokenizer.apply(tokenizer, args); - } - return ret; - }; - }; - for (var prop in pack.tokenizer) { - _loop2(prop); - } - opts.tokenizer = tokenizer; - })(); - } - - // ==-- Parse Hooks extensions --== // - if (pack.hooks) { - (function () { - var hooks = marked.defaults.hooks || new Hooks(); - var _loop3 = function _loop3(prop) { - var prevHook = hooks[prop]; - if (Hooks.passThroughHooks.has(prop)) { - hooks[prop] = function (arg) { - if (marked.defaults.async) { - return Promise.resolve(pack.hooks[prop].call(hooks, arg)).then(function (ret) { - return prevHook.call(hooks, ret); - }); - } - var ret = pack.hooks[prop].call(hooks, arg); - return prevHook.call(hooks, ret); - }; - } else { - hooks[prop] = function () { - for (var _len5 = arguments.length, args = new Array(_len5), _key5 = 0; _key5 < _len5; _key5++) { - args[_key5] = arguments[_key5]; - } - var ret = pack.hooks[prop].apply(hooks, args); - if (ret === false) { - ret = prevHook.apply(hooks, args); - } - return ret; - }; - } - }; - for (var prop in pack.hooks) { - _loop3(prop); - } - opts.hooks = hooks; - })(); - } - - // ==-- Parse WalkTokens extensions --== // - if (pack.walkTokens) { - var _walkTokens = marked.defaults.walkTokens; - opts.walkTokens = function (token) { - var values = []; - values.push(pack.walkTokens.call(this, token)); - if (_walkTokens) { - values = values.concat(_walkTokens.call(this, token)); - } - return values; - }; - } - marked.setOptions(opts); - }); - }; - - /** - * Run callback for every token - */ - - marked.walkTokens = function (tokens, callback) { - var values = []; - var _loop4 = function _loop4() { - var token = _step.value; - values = values.concat(callback.call(marked, token)); - switch (token.type) { - case 'table': - { - for (var _iterator2 = _createForOfIteratorHelperLoose(token.header), _step2; !(_step2 = _iterator2()).done;) { - var cell = _step2.value; - values = values.concat(marked.walkTokens(cell.tokens, callback)); - } - for (var _iterator3 = _createForOfIteratorHelperLoose(token.rows), _step3; !(_step3 = _iterator3()).done;) { - var row = _step3.value; - for (var _iterator4 = _createForOfIteratorHelperLoose(row), _step4; !(_step4 = _iterator4()).done;) { - var _cell = _step4.value; - values = values.concat(marked.walkTokens(_cell.tokens, callback)); - } - } - break; - } - case 'list': - { - values = values.concat(marked.walkTokens(token.items, callback)); - break; - } - default: - { - if (marked.defaults.extensions && marked.defaults.extensions.childTokens && marked.defaults.extensions.childTokens[token.type]) { - // Walk any extensions - marked.defaults.extensions.childTokens[token.type].forEach(function (childTokens) { - values = values.concat(marked.walkTokens(token[childTokens], callback)); - }); - } else if (token.tokens) { - values = values.concat(marked.walkTokens(token.tokens, callback)); - } - } - } - }; - for (var _iterator = _createForOfIteratorHelperLoose(tokens), _step; !(_step = _iterator()).done;) { - _loop4(); - } - return values; - }; - - /** - * Parse Inline - * @param {string} src - */ - marked.parseInline = parseMarkdown(Lexer.lexInline, Parser.parseInline); - - /** - * Expose - */ - marked.Parser = Parser; - marked.parser = Parser.parse; - marked.Renderer = Renderer; - marked.TextRenderer = TextRenderer; - marked.Lexer = Lexer; - marked.lexer = Lexer.lex; - marked.Tokenizer = Tokenizer; - marked.Slugger = Slugger; - marked.Hooks = Hooks; - marked.parse = marked; - var options = marked.options; - var setOptions = marked.setOptions; - var use = marked.use; - var walkTokens = marked.walkTokens; - var parseInline = marked.parseInline; - var parse = marked; - var parser = Parser.parse; - var lexer = Lexer.lex; - - exports.Hooks = Hooks; - exports.Lexer = Lexer; - exports.Parser = Parser; - exports.Renderer = Renderer; - exports.Slugger = Slugger; - exports.TextRenderer = TextRenderer; - exports.Tokenizer = Tokenizer; - exports.getDefaults = getDefaults; - exports.lexer = lexer; - exports.marked = marked; - exports.options = options; - exports.parse = parse; - exports.parseInline = parseInline; - exports.parser = parser; - exports.setOptions = setOptions; - exports.use = use; - exports.walkTokens = walkTokens; - - })); - }); - - /* src/components/misccomponents/Icon.svelte generated by Svelte v3.59.1 */ - - const file$N = "src/components/misccomponents/Icon.svelte"; - - function create_fragment$N(ctx) { - let svg; - let current; - let mounted; - let dispose; - const default_slot_template = /*#slots*/ ctx[4].default; - const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[3], null); - - const block = { - c: function create() { - svg = svg_element("svg"); - if (default_slot) default_slot.c(); - attr_dev(svg, "fill", "none"); - attr_dev(svg, "width", /*width*/ ctx[1]); - attr_dev(svg, "height", /*height*/ ctx[2]); - attr_dev(svg, "class", /*cssClass*/ ctx[0]); - attr_dev(svg, "stroke-linecap", "round"); - attr_dev(svg, "stroke-linejoin", "round"); - attr_dev(svg, "stroke-width", "2"); - attr_dev(svg, "stroke", "currentColor"); - attr_dev(svg, "viewBox", "0 0 24 24"); - add_location(svg, file$N, 6, 0, 99); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, svg, anchor); - - if (default_slot) { - default_slot.m(svg, null); - } - - current = true; - - if (!mounted) { - dispose = listen_dev(svg, "click", /*click_handler*/ ctx[5], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (default_slot) { - if (default_slot.p && (!current || dirty & /*$$scope*/ 8)) { - update_slot_base( - default_slot, - default_slot_template, - ctx, - /*$$scope*/ ctx[3], - !current - ? get_all_dirty_from_scope(/*$$scope*/ ctx[3]) - : get_slot_changes(default_slot_template, /*$$scope*/ ctx[3], dirty, null), - null - ); - } - } - - if (!current || dirty & /*width*/ 2) { - attr_dev(svg, "width", /*width*/ ctx[1]); - } - - if (!current || dirty & /*height*/ 4) { - attr_dev(svg, "height", /*height*/ ctx[2]); - } - - if (!current || dirty & /*cssClass*/ 1) { - attr_dev(svg, "class", /*cssClass*/ ctx[0]); - } - }, - i: function intro(local) { - if (current) return; - transition_in(default_slot, local); - current = true; - }, - o: function outro(local) { - transition_out(default_slot, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(svg); - if (default_slot) default_slot.d(detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$N.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$N($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Icon', slots, ['default']); - let { cssClass = "" } = $$props; - let { width = 25 } = $$props; - let { height = 25 } = $$props; - const writable_props = ['cssClass', 'width', 'height']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function click_handler(event) { - bubble.call(this, $$self, event); - } - - $$self.$$set = $$props => { - if ('cssClass' in $$props) $$invalidate(0, cssClass = $$props.cssClass); - if ('width' in $$props) $$invalidate(1, width = $$props.width); - if ('height' in $$props) $$invalidate(2, height = $$props.height); - if ('$$scope' in $$props) $$invalidate(3, $$scope = $$props.$$scope); - }; - - $$self.$capture_state = () => ({ cssClass, width, height }); - - $$self.$inject_state = $$props => { - if ('cssClass' in $$props) $$invalidate(0, cssClass = $$props.cssClass); - if ('width' in $$props) $$invalidate(1, width = $$props.width); - if ('height' in $$props) $$invalidate(2, height = $$props.height); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [cssClass, width, height, $$scope, slots, click_handler]; - } - - class Icon extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$N, create_fragment$N, safe_not_equal, { cssClass: 0, width: 1, height: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Icon", - options, - id: create_fragment$N.name - }); - } - - get cssClass() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set cssClass(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get width() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set width(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get height() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set height(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var defaultOptions = {}; - function getDefaultOptions() { - return defaultOptions; - } - - function _typeof(obj) { - "@babel/helpers - typeof"; - - return _typeof = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (obj) { - return typeof obj; - } : function (obj) { - return obj && "function" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; - }, _typeof(obj); - } - - function requiredArgs(required, args) { - if (args.length < required) { - throw new TypeError(required + ' argument' + (required > 1 ? 's' : '') + ' required, but only ' + args.length + ' present'); - } - } - - /** - * @name toDate - * @category Common Helpers - * @summary Convert the given argument to an instance of Date. - * - * @description - * Convert the given argument to an instance of Date. - * - * If the argument is an instance of Date, the function returns its clone. - * - * If the argument is a number, it is treated as a timestamp. - * - * If the argument is none of the above, the function returns Invalid Date. - * - * **Note**: *all* Date arguments passed to any *date-fns* function is processed by `toDate`. - * - * @param {Date|Number} argument - the value to convert - * @returns {Date} the parsed date in the local time zone - * @throws {TypeError} 1 argument required - * - * @example - * // Clone the date: - * const result = toDate(new Date(2014, 1, 11, 11, 30, 30)) - * //=> Tue Feb 11 2014 11:30:30 - * - * @example - * // Convert the timestamp to date: - * const result = toDate(1392098430000) - * //=> Tue Feb 11 2014 11:30:30 - */ - function toDate(argument) { - requiredArgs(1, arguments); - var argStr = Object.prototype.toString.call(argument); - - // Clone the date - if (argument instanceof Date || _typeof(argument) === 'object' && argStr === '[object Date]') { - // Prevent the date to lose the milliseconds when passed to new Date() in IE10 - return new Date(argument.getTime()); - } else if (typeof argument === 'number' || argStr === '[object Number]') { - return new Date(argument); - } else { - if ((typeof argument === 'string' || argStr === '[object String]') && typeof console !== 'undefined') { - // eslint-disable-next-line no-console - console.warn("Starting with v2.0.0-beta.1 date-fns doesn't accept strings as date arguments. Please use `parseISO` to parse strings. See: https://github.com/date-fns/date-fns/blob/master/docs/upgradeGuide.md#string-arguments"); - // eslint-disable-next-line no-console - console.warn(new Error().stack); - } - return new Date(NaN); - } - } - - /** - * @name compareAsc - * @category Common Helpers - * @summary Compare the two dates and return -1, 0 or 1. - * - * @description - * Compare the two dates and return 1 if the first date is after the second, - * -1 if the first date is before the second or 0 if dates are equal. - * - * @param {Date|Number} dateLeft - the first date to compare - * @param {Date|Number} dateRight - the second date to compare - * @returns {Number} the result of the comparison - * @throws {TypeError} 2 arguments required - * - * @example - * // Compare 11 February 1987 and 10 July 1989: - * const result = compareAsc(new Date(1987, 1, 11), new Date(1989, 6, 10)) - * //=> -1 - * - * @example - * // Sort the array of dates: - * const result = [ - * new Date(1995, 6, 2), - * new Date(1987, 1, 11), - * new Date(1989, 6, 10) - * ].sort(compareAsc) - * //=> [ - * // Wed Feb 11 1987 00:00:00, - * // Mon Jul 10 1989 00:00:00, - * // Sun Jul 02 1995 00:00:00 - * // ] - */ - function compareAsc(dirtyDateLeft, dirtyDateRight) { - requiredArgs(2, arguments); - var dateLeft = toDate(dirtyDateLeft); - var dateRight = toDate(dirtyDateRight); - var diff = dateLeft.getTime() - dateRight.getTime(); - if (diff < 0) { - return -1; - } else if (diff > 0) { - return 1; - // Return 0 if diff is 0; return NaN if diff is NaN - } else { - return diff; - } - } - - /** - * @name differenceInCalendarMonths - * @category Month Helpers - * @summary Get the number of calendar months between the given dates. - * - * @description - * Get the number of calendar months between the given dates. - * - * @param {Date|Number} dateLeft - the later date - * @param {Date|Number} dateRight - the earlier date - * @returns {Number} the number of calendar months - * @throws {TypeError} 2 arguments required - * - * @example - * // How many calendar months are between 31 January 2014 and 1 September 2014? - * const result = differenceInCalendarMonths( - * new Date(2014, 8, 1), - * new Date(2014, 0, 31) - * ) - * //=> 8 - */ - function differenceInCalendarMonths(dirtyDateLeft, dirtyDateRight) { - requiredArgs(2, arguments); - var dateLeft = toDate(dirtyDateLeft); - var dateRight = toDate(dirtyDateRight); - var yearDiff = dateLeft.getFullYear() - dateRight.getFullYear(); - var monthDiff = dateLeft.getMonth() - dateRight.getMonth(); - return yearDiff * 12 + monthDiff; - } - - /** - * @name endOfDay - * @category Day Helpers - * @summary Return the end of a day for the given date. - * - * @description - * Return the end of a day for the given date. - * The result will be in the local timezone. - * - * @param {Date|Number} date - the original date - * @returns {Date} the end of a day - * @throws {TypeError} 1 argument required - * - * @example - * // The end of a day for 2 September 2014 11:55:00: - * const result = endOfDay(new Date(2014, 8, 2, 11, 55, 0)) - * //=> Tue Sep 02 2014 23:59:59.999 - */ - function endOfDay(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - date.setHours(23, 59, 59, 999); - return date; - } - - /** - * @name endOfMonth - * @category Month Helpers - * @summary Return the end of a month for the given date. - * - * @description - * Return the end of a month for the given date. - * The result will be in the local timezone. - * - * @param {Date|Number} date - the original date - * @returns {Date} the end of a month - * @throws {TypeError} 1 argument required - * - * @example - * // The end of a month for 2 September 2014 11:55:00: - * const result = endOfMonth(new Date(2014, 8, 2, 11, 55, 0)) - * //=> Tue Sep 30 2014 23:59:59.999 - */ - function endOfMonth(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var month = date.getMonth(); - date.setFullYear(date.getFullYear(), month + 1, 0); - date.setHours(23, 59, 59, 999); - return date; - } - - /** - * @name isLastDayOfMonth - * @category Month Helpers - * @summary Is the given date the last day of a month? - * - * @description - * Is the given date the last day of a month? - * - * @param {Date|Number} date - the date to check - * @returns {Boolean} the date is the last day of a month - * @throws {TypeError} 1 argument required - * - * @example - * // Is 28 February 2014 the last day of a month? - * const result = isLastDayOfMonth(new Date(2014, 1, 28)) - * //=> true - */ - function isLastDayOfMonth(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - return endOfDay(date).getTime() === endOfMonth(date).getTime(); - } - - /** - * @name differenceInMonths - * @category Month Helpers - * @summary Get the number of full months between the given dates. - * - * @description - * Get the number of full months between the given dates using trunc as a default rounding method. - * - * @param {Date|Number} dateLeft - the later date - * @param {Date|Number} dateRight - the earlier date - * @returns {Number} the number of full months - * @throws {TypeError} 2 arguments required - * - * @example - * // How many full months are between 31 January 2014 and 1 September 2014? - * const result = differenceInMonths(new Date(2014, 8, 1), new Date(2014, 0, 31)) - * //=> 7 - */ - function differenceInMonths(dirtyDateLeft, dirtyDateRight) { - requiredArgs(2, arguments); - var dateLeft = toDate(dirtyDateLeft); - var dateRight = toDate(dirtyDateRight); - var sign = compareAsc(dateLeft, dateRight); - var difference = Math.abs(differenceInCalendarMonths(dateLeft, dateRight)); - var result; - - // Check for the difference of less than month - if (difference < 1) { - result = 0; - } else { - if (dateLeft.getMonth() === 1 && dateLeft.getDate() > 27) { - // This will check if the date is end of Feb and assign a higher end of month date - // to compare it with Jan - dateLeft.setDate(30); - } - dateLeft.setMonth(dateLeft.getMonth() - sign * difference); - - // Math.abs(diff in full months - diff in calendar months) === 1 if last calendar month is not full - // If so, result must be decreased by 1 in absolute value - var isLastMonthNotFull = compareAsc(dateLeft, dateRight) === -sign; - - // Check for cases of one full calendar month - if (isLastDayOfMonth(toDate(dirtyDateLeft)) && difference === 1 && compareAsc(dirtyDateLeft, dateRight) === 1) { - isLastMonthNotFull = false; - } - result = sign * (difference - Number(isLastMonthNotFull)); - } - - // Prevent negative zero - return result === 0 ? 0 : result; - } - - /** - * @name differenceInMilliseconds - * @category Millisecond Helpers - * @summary Get the number of milliseconds between the given dates. - * - * @description - * Get the number of milliseconds between the given dates. - * - * @param {Date|Number} dateLeft - the later date - * @param {Date|Number} dateRight - the earlier date - * @returns {Number} the number of milliseconds - * @throws {TypeError} 2 arguments required - * - * @example - * // How many milliseconds are between - * // 2 July 2014 12:30:20.600 and 2 July 2014 12:30:21.700? - * const result = differenceInMilliseconds( - * new Date(2014, 6, 2, 12, 30, 21, 700), - * new Date(2014, 6, 2, 12, 30, 20, 600) - * ) - * //=> 1100 - */ - function differenceInMilliseconds(dateLeft, dateRight) { - requiredArgs(2, arguments); - return toDate(dateLeft).getTime() - toDate(dateRight).getTime(); - } - - var roundingMap = { - ceil: Math.ceil, - round: Math.round, - floor: Math.floor, - trunc: function trunc(value) { - return value < 0 ? Math.ceil(value) : Math.floor(value); - } // Math.trunc is not supported by IE - }; - - var defaultRoundingMethod = 'trunc'; - function getRoundingMethod(method) { - return method ? roundingMap[method] : roundingMap[defaultRoundingMethod]; - } - - /** - * @name differenceInSeconds - * @category Second Helpers - * @summary Get the number of seconds between the given dates. - * - * @description - * Get the number of seconds between the given dates. - * - * @param {Date|Number} dateLeft - the later date - * @param {Date|Number} dateRight - the earlier date - * @param {Object} [options] - an object with options. - * @param {String} [options.roundingMethod='trunc'] - a rounding method (`ceil`, `floor`, `round` or `trunc`) - * @returns {Number} the number of seconds - * @throws {TypeError} 2 arguments required - * - * @example - * // How many seconds are between - * // 2 July 2014 12:30:07.999 and 2 July 2014 12:30:20.000? - * const result = differenceInSeconds( - * new Date(2014, 6, 2, 12, 30, 20, 0), - * new Date(2014, 6, 2, 12, 30, 7, 999) - * ) - * //=> 12 - */ - function differenceInSeconds(dateLeft, dateRight, options) { - requiredArgs(2, arguments); - var diff = differenceInMilliseconds(dateLeft, dateRight) / 1000; - return getRoundingMethod(options === null || options === void 0 ? void 0 : options.roundingMethod)(diff); - } - - var formatDistanceLocale = { - lessThanXSeconds: { - one: 'less than a second', - other: 'less than {{count}} seconds' - }, - xSeconds: { - one: '1 second', - other: '{{count}} seconds' - }, - halfAMinute: 'half a minute', - lessThanXMinutes: { - one: 'less than a minute', - other: 'less than {{count}} minutes' - }, - xMinutes: { - one: '1 minute', - other: '{{count}} minutes' - }, - aboutXHours: { - one: 'about 1 hour', - other: 'about {{count}} hours' - }, - xHours: { - one: '1 hour', - other: '{{count}} hours' - }, - xDays: { - one: '1 day', - other: '{{count}} days' - }, - aboutXWeeks: { - one: 'about 1 week', - other: 'about {{count}} weeks' - }, - xWeeks: { - one: '1 week', - other: '{{count}} weeks' - }, - aboutXMonths: { - one: 'about 1 month', - other: 'about {{count}} months' - }, - xMonths: { - one: '1 month', - other: '{{count}} months' - }, - aboutXYears: { - one: 'about 1 year', - other: 'about {{count}} years' - }, - xYears: { - one: '1 year', - other: '{{count}} years' - }, - overXYears: { - one: 'over 1 year', - other: 'over {{count}} years' - }, - almostXYears: { - one: 'almost 1 year', - other: 'almost {{count}} years' - } - }; - var formatDistance$1 = function formatDistance(token, count, options) { - var result; - var tokenValue = formatDistanceLocale[token]; - if (typeof tokenValue === 'string') { - result = tokenValue; - } else if (count === 1) { - result = tokenValue.one; - } else { - result = tokenValue.other.replace('{{count}}', count.toString()); - } - if (options !== null && options !== void 0 && options.addSuffix) { - if (options.comparison && options.comparison > 0) { - return 'in ' + result; - } else { - return result + ' ago'; - } - } - return result; - }; - var formatDistance$2 = formatDistance$1; - - function buildFormatLongFn(args) { - return function () { - var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; - // TODO: Remove String() - var width = options.width ? String(options.width) : args.defaultWidth; - var format = args.formats[width] || args.formats[args.defaultWidth]; - return format; - }; - } - - var dateFormats = { - full: 'EEEE, MMMM do, y', - long: 'MMMM do, y', - medium: 'MMM d, y', - short: 'MM/dd/yyyy' - }; - var timeFormats = { - full: 'h:mm:ss a zzzz', - long: 'h:mm:ss a z', - medium: 'h:mm:ss a', - short: 'h:mm a' - }; - var dateTimeFormats = { - full: "{{date}} 'at' {{time}}", - long: "{{date}} 'at' {{time}}", - medium: '{{date}}, {{time}}', - short: '{{date}}, {{time}}' - }; - var formatLong = { - date: buildFormatLongFn({ - formats: dateFormats, - defaultWidth: 'full' - }), - time: buildFormatLongFn({ - formats: timeFormats, - defaultWidth: 'full' - }), - dateTime: buildFormatLongFn({ - formats: dateTimeFormats, - defaultWidth: 'full' - }) - }; - var formatLong$1 = formatLong; - - var formatRelativeLocale = { - lastWeek: "'last' eeee 'at' p", - yesterday: "'yesterday at' p", - today: "'today at' p", - tomorrow: "'tomorrow at' p", - nextWeek: "eeee 'at' p", - other: 'P' - }; - var formatRelative = function formatRelative(token, _date, _baseDate, _options) { - return formatRelativeLocale[token]; - }; - var formatRelative$1 = formatRelative; - - function buildLocalizeFn(args) { - return function (dirtyIndex, options) { - var context = options !== null && options !== void 0 && options.context ? String(options.context) : 'standalone'; - var valuesArray; - if (context === 'formatting' && args.formattingValues) { - var defaultWidth = args.defaultFormattingWidth || args.defaultWidth; - var width = options !== null && options !== void 0 && options.width ? String(options.width) : defaultWidth; - valuesArray = args.formattingValues[width] || args.formattingValues[defaultWidth]; - } else { - var _defaultWidth = args.defaultWidth; - var _width = options !== null && options !== void 0 && options.width ? String(options.width) : args.defaultWidth; - valuesArray = args.values[_width] || args.values[_defaultWidth]; - } - var index = args.argumentCallback ? args.argumentCallback(dirtyIndex) : dirtyIndex; - // @ts-ignore: For some reason TypeScript just don't want to match it, no matter how hard we try. I challenge you to try to remove it! - return valuesArray[index]; - }; - } - - var eraValues = { - narrow: ['B', 'A'], - abbreviated: ['BC', 'AD'], - wide: ['Before Christ', 'Anno Domini'] - }; - var quarterValues = { - narrow: ['1', '2', '3', '4'], - abbreviated: ['Q1', 'Q2', 'Q3', 'Q4'], - wide: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'] - }; - - // Note: in English, the names of days of the week and months are capitalized. - // If you are making a new locale based on this one, check if the same is true for the language you're working on. - // Generally, formatted dates should look like they are in the middle of a sentence, - // e.g. in Spanish language the weekdays and months should be in the lowercase. - var monthValues = { - narrow: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], - abbreviated: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], - wide: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'] - }; - var dayValues = { - narrow: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], - short: ['Su', 'Mo', 'Tu', 'We', 'Th', 'Fr', 'Sa'], - abbreviated: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], - wide: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'] - }; - var dayPeriodValues = { - narrow: { - am: 'a', - pm: 'p', - midnight: 'mi', - noon: 'n', - morning: 'morning', - afternoon: 'afternoon', - evening: 'evening', - night: 'night' - }, - abbreviated: { - am: 'AM', - pm: 'PM', - midnight: 'midnight', - noon: 'noon', - morning: 'morning', - afternoon: 'afternoon', - evening: 'evening', - night: 'night' - }, - wide: { - am: 'a.m.', - pm: 'p.m.', - midnight: 'midnight', - noon: 'noon', - morning: 'morning', - afternoon: 'afternoon', - evening: 'evening', - night: 'night' - } - }; - var formattingDayPeriodValues = { - narrow: { - am: 'a', - pm: 'p', - midnight: 'mi', - noon: 'n', - morning: 'in the morning', - afternoon: 'in the afternoon', - evening: 'in the evening', - night: 'at night' - }, - abbreviated: { - am: 'AM', - pm: 'PM', - midnight: 'midnight', - noon: 'noon', - morning: 'in the morning', - afternoon: 'in the afternoon', - evening: 'in the evening', - night: 'at night' - }, - wide: { - am: 'a.m.', - pm: 'p.m.', - midnight: 'midnight', - noon: 'noon', - morning: 'in the morning', - afternoon: 'in the afternoon', - evening: 'in the evening', - night: 'at night' - } - }; - var ordinalNumber = function ordinalNumber(dirtyNumber, _options) { - var number = Number(dirtyNumber); - - // If ordinal numbers depend on context, for example, - // if they are different for different grammatical genders, - // use `options.unit`. - // - // `unit` can be 'year', 'quarter', 'month', 'week', 'date', 'dayOfYear', - // 'day', 'hour', 'minute', 'second'. - - var rem100 = number % 100; - if (rem100 > 20 || rem100 < 10) { - switch (rem100 % 10) { - case 1: - return number + 'st'; - case 2: - return number + 'nd'; - case 3: - return number + 'rd'; - } - } - return number + 'th'; - }; - var localize = { - ordinalNumber: ordinalNumber, - era: buildLocalizeFn({ - values: eraValues, - defaultWidth: 'wide' - }), - quarter: buildLocalizeFn({ - values: quarterValues, - defaultWidth: 'wide', - argumentCallback: function argumentCallback(quarter) { - return quarter - 1; - } - }), - month: buildLocalizeFn({ - values: monthValues, - defaultWidth: 'wide' - }), - day: buildLocalizeFn({ - values: dayValues, - defaultWidth: 'wide' - }), - dayPeriod: buildLocalizeFn({ - values: dayPeriodValues, - defaultWidth: 'wide', - formattingValues: formattingDayPeriodValues, - defaultFormattingWidth: 'wide' - }) - }; - var localize$1 = localize; - - function buildMatchFn(args) { - return function (string) { - var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; - var width = options.width; - var matchPattern = width && args.matchPatterns[width] || args.matchPatterns[args.defaultMatchWidth]; - var matchResult = string.match(matchPattern); - if (!matchResult) { - return null; - } - var matchedString = matchResult[0]; - var parsePatterns = width && args.parsePatterns[width] || args.parsePatterns[args.defaultParseWidth]; - var key = Array.isArray(parsePatterns) ? findIndex(parsePatterns, function (pattern) { - return pattern.test(matchedString); - }) : findKey(parsePatterns, function (pattern) { - return pattern.test(matchedString); - }); - var value; - value = args.valueCallback ? args.valueCallback(key) : key; - value = options.valueCallback ? options.valueCallback(value) : value; - var rest = string.slice(matchedString.length); - return { - value: value, - rest: rest - }; - }; - } - function findKey(object, predicate) { - for (var key in object) { - if (object.hasOwnProperty(key) && predicate(object[key])) { - return key; - } - } - return undefined; - } - function findIndex(array, predicate) { - for (var key = 0; key < array.length; key++) { - if (predicate(array[key])) { - return key; - } - } - return undefined; - } - - function buildMatchPatternFn(args) { - return function (string) { - var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; - var matchResult = string.match(args.matchPattern); - if (!matchResult) return null; - var matchedString = matchResult[0]; - var parseResult = string.match(args.parsePattern); - if (!parseResult) return null; - var value = args.valueCallback ? args.valueCallback(parseResult[0]) : parseResult[0]; - value = options.valueCallback ? options.valueCallback(value) : value; - var rest = string.slice(matchedString.length); - return { - value: value, - rest: rest - }; - }; - } - - var matchOrdinalNumberPattern = /^(\d+)(th|st|nd|rd)?/i; - var parseOrdinalNumberPattern = /\d+/i; - var matchEraPatterns = { - narrow: /^(b|a)/i, - abbreviated: /^(b\.?\s?c\.?|b\.?\s?c\.?\s?e\.?|a\.?\s?d\.?|c\.?\s?e\.?)/i, - wide: /^(before christ|before common era|anno domini|common era)/i - }; - var parseEraPatterns = { - any: [/^b/i, /^(a|c)/i] - }; - var matchQuarterPatterns = { - narrow: /^[1234]/i, - abbreviated: /^q[1234]/i, - wide: /^[1234](th|st|nd|rd)? quarter/i - }; - var parseQuarterPatterns = { - any: [/1/i, /2/i, /3/i, /4/i] - }; - var matchMonthPatterns = { - narrow: /^[jfmasond]/i, - abbreviated: /^(jan|feb|mar|apr|may|jun|jul|aug|sep|oct|nov|dec)/i, - wide: /^(january|february|march|april|may|june|july|august|september|october|november|december)/i - }; - var parseMonthPatterns = { - narrow: [/^j/i, /^f/i, /^m/i, /^a/i, /^m/i, /^j/i, /^j/i, /^a/i, /^s/i, /^o/i, /^n/i, /^d/i], - any: [/^ja/i, /^f/i, /^mar/i, /^ap/i, /^may/i, /^jun/i, /^jul/i, /^au/i, /^s/i, /^o/i, /^n/i, /^d/i] - }; - var matchDayPatterns = { - narrow: /^[smtwf]/i, - short: /^(su|mo|tu|we|th|fr|sa)/i, - abbreviated: /^(sun|mon|tue|wed|thu|fri|sat)/i, - wide: /^(sunday|monday|tuesday|wednesday|thursday|friday|saturday)/i - }; - var parseDayPatterns = { - narrow: [/^s/i, /^m/i, /^t/i, /^w/i, /^t/i, /^f/i, /^s/i], - any: [/^su/i, /^m/i, /^tu/i, /^w/i, /^th/i, /^f/i, /^sa/i] - }; - var matchDayPeriodPatterns = { - narrow: /^(a|p|mi|n|(in the|at) (morning|afternoon|evening|night))/i, - any: /^([ap]\.?\s?m\.?|midnight|noon|(in the|at) (morning|afternoon|evening|night))/i - }; - var parseDayPeriodPatterns = { - any: { - am: /^a/i, - pm: /^p/i, - midnight: /^mi/i, - noon: /^no/i, - morning: /morning/i, - afternoon: /afternoon/i, - evening: /evening/i, - night: /night/i - } - }; - var match = { - ordinalNumber: buildMatchPatternFn({ - matchPattern: matchOrdinalNumberPattern, - parsePattern: parseOrdinalNumberPattern, - valueCallback: function valueCallback(value) { - return parseInt(value, 10); - } - }), - era: buildMatchFn({ - matchPatterns: matchEraPatterns, - defaultMatchWidth: 'wide', - parsePatterns: parseEraPatterns, - defaultParseWidth: 'any' - }), - quarter: buildMatchFn({ - matchPatterns: matchQuarterPatterns, - defaultMatchWidth: 'wide', - parsePatterns: parseQuarterPatterns, - defaultParseWidth: 'any', - valueCallback: function valueCallback(index) { - return index + 1; - } - }), - month: buildMatchFn({ - matchPatterns: matchMonthPatterns, - defaultMatchWidth: 'wide', - parsePatterns: parseMonthPatterns, - defaultParseWidth: 'any' - }), - day: buildMatchFn({ - matchPatterns: matchDayPatterns, - defaultMatchWidth: 'wide', - parsePatterns: parseDayPatterns, - defaultParseWidth: 'any' - }), - dayPeriod: buildMatchFn({ - matchPatterns: matchDayPeriodPatterns, - defaultMatchWidth: 'any', - parsePatterns: parseDayPeriodPatterns, - defaultParseWidth: 'any' - }) - }; - var match$1 = match; - - /** - * @type {Locale} - * @category Locales - * @summary English locale (United States). - * @language English - * @iso-639-2 eng - * @author Sasha Koss [@kossnocorp]{@link https://github.com/kossnocorp} - * @author Lesha Koss [@leshakoss]{@link https://github.com/leshakoss} - */ - var locale = { - code: 'en-US', - formatDistance: formatDistance$2, - formatLong: formatLong$1, - formatRelative: formatRelative$1, - localize: localize$1, - match: match$1, - options: { - weekStartsOn: 0 /* Sunday */, - firstWeekContainsDate: 1 - } - }; - var defaultLocale = locale; - - function assign(target, object) { - if (target == null) { - throw new TypeError('assign requires that input parameter not be null or undefined'); - } - for (var property in object) { - if (Object.prototype.hasOwnProperty.call(object, property)) { - target[property] = object[property]; - } - } - return target; - } - - function cloneObject(object) { - return assign({}, object); - } - - /** - * Google Chrome as of 67.0.3396.87 introduced timezones with offset that includes seconds. - * They usually appear for dates that denote time before the timezones were introduced - * (e.g. for 'Europe/Prague' timezone the offset is GMT+00:57:44 before 1 October 1891 - * and GMT+01:00:00 after that date) - * - * Date#getTimezoneOffset returns the offset in minutes and would return 57 for the example above, - * which would lead to incorrect calculations. - * - * This function returns the timezone offset in milliseconds that takes seconds in account. - */ - function getTimezoneOffsetInMilliseconds(date) { - var utcDate = new Date(Date.UTC(date.getFullYear(), date.getMonth(), date.getDate(), date.getHours(), date.getMinutes(), date.getSeconds(), date.getMilliseconds())); - utcDate.setUTCFullYear(date.getFullYear()); - return date.getTime() - utcDate.getTime(); - } - - var MINUTES_IN_DAY = 1440; - var MINUTES_IN_ALMOST_TWO_DAYS = 2520; - var MINUTES_IN_MONTH = 43200; - var MINUTES_IN_TWO_MONTHS = 86400; - - /** - * @name formatDistance - * @category Common Helpers - * @summary Return the distance between the given dates in words. - * - * @description - * Return the distance between the given dates in words. - * - * | Distance between dates | Result | - * |-------------------------------------------------------------------|---------------------| - * | 0 ... 30 secs | less than a minute | - * | 30 secs ... 1 min 30 secs | 1 minute | - * | 1 min 30 secs ... 44 mins 30 secs | [2..44] minutes | - * | 44 mins ... 30 secs ... 89 mins 30 secs | about 1 hour | - * | 89 mins 30 secs ... 23 hrs 59 mins 30 secs | about [2..24] hours | - * | 23 hrs 59 mins 30 secs ... 41 hrs 59 mins 30 secs | 1 day | - * | 41 hrs 59 mins 30 secs ... 29 days 23 hrs 59 mins 30 secs | [2..30] days | - * | 29 days 23 hrs 59 mins 30 secs ... 44 days 23 hrs 59 mins 30 secs | about 1 month | - * | 44 days 23 hrs 59 mins 30 secs ... 59 days 23 hrs 59 mins 30 secs | about 2 months | - * | 59 days 23 hrs 59 mins 30 secs ... 1 yr | [2..12] months | - * | 1 yr ... 1 yr 3 months | about 1 year | - * | 1 yr 3 months ... 1 yr 9 month s | over 1 year | - * | 1 yr 9 months ... 2 yrs | almost 2 years | - * | N yrs ... N yrs 3 months | about N years | - * | N yrs 3 months ... N yrs 9 months | over N years | - * | N yrs 9 months ... N+1 yrs | almost N+1 years | - * - * With `options.includeSeconds == true`: - * | Distance between dates | Result | - * |------------------------|----------------------| - * | 0 secs ... 5 secs | less than 5 seconds | - * | 5 secs ... 10 secs | less than 10 seconds | - * | 10 secs ... 20 secs | less than 20 seconds | - * | 20 secs ... 40 secs | half a minute | - * | 40 secs ... 60 secs | less than a minute | - * | 60 secs ... 90 secs | 1 minute | - * - * @param {Date|Number} date - the date - * @param {Date|Number} baseDate - the date to compare with - * @param {Object} [options] - an object with options. - * @param {Boolean} [options.includeSeconds=false] - distances less than a minute are more detailed - * @param {Boolean} [options.addSuffix=false] - result indicates if the second date is earlier or later than the first - * @param {Locale} [options.locale=defaultLocale] - the locale object. See [Locale]{@link https://date-fns.org/docs/Locale} - * @returns {String} the distance in words - * @throws {TypeError} 2 arguments required - * @throws {RangeError} `date` must not be Invalid Date - * @throws {RangeError} `baseDate` must not be Invalid Date - * @throws {RangeError} `options.locale` must contain `formatDistance` property - * - * @example - * // What is the distance between 2 July 2014 and 1 January 2015? - * const result = formatDistance(new Date(2014, 6, 2), new Date(2015, 0, 1)) - * //=> '6 months' - * - * @example - * // What is the distance between 1 January 2015 00:00:15 - * // and 1 January 2015 00:00:00, including seconds? - * const result = formatDistance( - * new Date(2015, 0, 1, 0, 0, 15), - * new Date(2015, 0, 1, 0, 0, 0), - * { includeSeconds: true } - * ) - * //=> 'less than 20 seconds' - * - * @example - * // What is the distance from 1 January 2016 - * // to 1 January 2015, with a suffix? - * const result = formatDistance(new Date(2015, 0, 1), new Date(2016, 0, 1), { - * addSuffix: true - * }) - * //=> 'about 1 year ago' - * - * @example - * // What is the distance between 1 August 2016 and 1 January 2015 in Esperanto? - * import { eoLocale } from 'date-fns/locale/eo' - * const result = formatDistance(new Date(2016, 7, 1), new Date(2015, 0, 1), { - * locale: eoLocale - * }) - * //=> 'pli ol 1 jaro' - */ - - function formatDistance(dirtyDate, dirtyBaseDate, options) { - var _ref, _options$locale; - requiredArgs(2, arguments); - var defaultOptions = getDefaultOptions(); - var locale = (_ref = (_options$locale = options === null || options === void 0 ? void 0 : options.locale) !== null && _options$locale !== void 0 ? _options$locale : defaultOptions.locale) !== null && _ref !== void 0 ? _ref : defaultLocale; - if (!locale.formatDistance) { - throw new RangeError('locale must contain formatDistance property'); - } - var comparison = compareAsc(dirtyDate, dirtyBaseDate); - if (isNaN(comparison)) { - throw new RangeError('Invalid time value'); - } - var localizeOptions = assign(cloneObject(options), { - addSuffix: Boolean(options === null || options === void 0 ? void 0 : options.addSuffix), - comparison: comparison - }); - var dateLeft; - var dateRight; - if (comparison > 0) { - dateLeft = toDate(dirtyBaseDate); - dateRight = toDate(dirtyDate); - } else { - dateLeft = toDate(dirtyDate); - dateRight = toDate(dirtyBaseDate); - } - var seconds = differenceInSeconds(dateRight, dateLeft); - var offsetInSeconds = (getTimezoneOffsetInMilliseconds(dateRight) - getTimezoneOffsetInMilliseconds(dateLeft)) / 1000; - var minutes = Math.round((seconds - offsetInSeconds) / 60); - var months; - - // 0 up to 2 mins - if (minutes < 2) { - if (options !== null && options !== void 0 && options.includeSeconds) { - if (seconds < 5) { - return locale.formatDistance('lessThanXSeconds', 5, localizeOptions); - } else if (seconds < 10) { - return locale.formatDistance('lessThanXSeconds', 10, localizeOptions); - } else if (seconds < 20) { - return locale.formatDistance('lessThanXSeconds', 20, localizeOptions); - } else if (seconds < 40) { - return locale.formatDistance('halfAMinute', 0, localizeOptions); - } else if (seconds < 60) { - return locale.formatDistance('lessThanXMinutes', 1, localizeOptions); - } else { - return locale.formatDistance('xMinutes', 1, localizeOptions); - } - } else { - if (minutes === 0) { - return locale.formatDistance('lessThanXMinutes', 1, localizeOptions); - } else { - return locale.formatDistance('xMinutes', minutes, localizeOptions); - } - } - - // 2 mins up to 0.75 hrs - } else if (minutes < 45) { - return locale.formatDistance('xMinutes', minutes, localizeOptions); - - // 0.75 hrs up to 1.5 hrs - } else if (minutes < 90) { - return locale.formatDistance('aboutXHours', 1, localizeOptions); - - // 1.5 hrs up to 24 hrs - } else if (minutes < MINUTES_IN_DAY) { - var hours = Math.round(minutes / 60); - return locale.formatDistance('aboutXHours', hours, localizeOptions); - - // 1 day up to 1.75 days - } else if (minutes < MINUTES_IN_ALMOST_TWO_DAYS) { - return locale.formatDistance('xDays', 1, localizeOptions); - - // 1.75 days up to 30 days - } else if (minutes < MINUTES_IN_MONTH) { - var days = Math.round(minutes / MINUTES_IN_DAY); - return locale.formatDistance('xDays', days, localizeOptions); - - // 1 month up to 2 months - } else if (minutes < MINUTES_IN_TWO_MONTHS) { - months = Math.round(minutes / MINUTES_IN_MONTH); - return locale.formatDistance('aboutXMonths', months, localizeOptions); - } - months = differenceInMonths(dateRight, dateLeft); - - // 2 months up to 12 months - if (months < 12) { - var nearestMonth = Math.round(minutes / MINUTES_IN_MONTH); - return locale.formatDistance('xMonths', nearestMonth, localizeOptions); - - // 1 year up to max Date - } else { - var monthsSinceStartOfYear = months % 12; - var years = Math.floor(months / 12); - - // N years up to 1 years 3 months - if (monthsSinceStartOfYear < 3) { - return locale.formatDistance('aboutXYears', years, localizeOptions); - - // N years 3 months up to N years 9 months - } else if (monthsSinceStartOfYear < 9) { - return locale.formatDistance('overXYears', years, localizeOptions); - - // N years 9 months up to N year 12 months - } else { - return locale.formatDistance('almostXYears', years + 1, localizeOptions); - } - } - } - - /** - * @name formatDistanceToNow - * @category Common Helpers - * @summary Return the distance between the given date and now in words. - * @pure false - * - * @description - * Return the distance between the given date and now in words. - * - * | Distance to now | Result | - * |-------------------------------------------------------------------|---------------------| - * | 0 ... 30 secs | less than a minute | - * | 30 secs ... 1 min 30 secs | 1 minute | - * | 1 min 30 secs ... 44 mins 30 secs | [2..44] minutes | - * | 44 mins ... 30 secs ... 89 mins 30 secs | about 1 hour | - * | 89 mins 30 secs ... 23 hrs 59 mins 30 secs | about [2..24] hours | - * | 23 hrs 59 mins 30 secs ... 41 hrs 59 mins 30 secs | 1 day | - * | 41 hrs 59 mins 30 secs ... 29 days 23 hrs 59 mins 30 secs | [2..30] days | - * | 29 days 23 hrs 59 mins 30 secs ... 44 days 23 hrs 59 mins 30 secs | about 1 month | - * | 44 days 23 hrs 59 mins 30 secs ... 59 days 23 hrs 59 mins 30 secs | about 2 months | - * | 59 days 23 hrs 59 mins 30 secs ... 1 yr | [2..12] months | - * | 1 yr ... 1 yr 3 months | about 1 year | - * | 1 yr 3 months ... 1 yr 9 month s | over 1 year | - * | 1 yr 9 months ... 2 yrs | almost 2 years | - * | N yrs ... N yrs 3 months | about N years | - * | N yrs 3 months ... N yrs 9 months | over N years | - * | N yrs 9 months ... N+1 yrs | almost N+1 years | - * - * With `options.includeSeconds == true`: - * | Distance to now | Result | - * |---------------------|----------------------| - * | 0 secs ... 5 secs | less than 5 seconds | - * | 5 secs ... 10 secs | less than 10 seconds | - * | 10 secs ... 20 secs | less than 20 seconds | - * | 20 secs ... 40 secs | half a minute | - * | 40 secs ... 60 secs | less than a minute | - * | 60 secs ... 90 secs | 1 minute | - * - * > ⚠️ Please note that this function is not present in the FP submodule as - * > it uses `Date.now()` internally hence impure and can't be safely curried. - * - * @param {Date|Number} date - the given date - * @param {Object} [options] - the object with options - * @param {Boolean} [options.includeSeconds=false] - distances less than a minute are more detailed - * @param {Boolean} [options.addSuffix=false] - result specifies if now is earlier or later than the passed date - * @param {Locale} [options.locale=defaultLocale] - the locale object. See [Locale]{@link https://date-fns.org/docs/Locale} - * @returns {String} the distance in words - * @throws {TypeError} 1 argument required - * @throws {RangeError} `date` must not be Invalid Date - * @throws {RangeError} `options.locale` must contain `formatDistance` property - * - * @example - * // If today is 1 January 2015, what is the distance to 2 July 2014? - * const result = formatDistanceToNow( - * new Date(2014, 6, 2) - * ) - * //=> '6 months' - * - * @example - * // If now is 1 January 2015 00:00:00, - * // what is the distance to 1 January 2015 00:00:15, including seconds? - * const result = formatDistanceToNow( - * new Date(2015, 0, 1, 0, 0, 15), - * {includeSeconds: true} - * ) - * //=> 'less than 20 seconds' - * - * @example - * // If today is 1 January 2015, - * // what is the distance to 1 January 2016, with a suffix? - * const result = formatDistanceToNow( - * new Date(2016, 0, 1), - * {addSuffix: true} - * ) - * //=> 'in about 1 year' - * - * @example - * // If today is 1 January 2015, - * // what is the distance to 1 August 2016 in Esperanto? - * const eoLocale = require('date-fns/locale/eo') - * const result = formatDistanceToNow( - * new Date(2016, 7, 1), - * {locale: eoLocale} - * ) - * //=> 'pli ol 1 jaro' - */ - function formatDistanceToNow(dirtyDate, options) { - requiredArgs(1, arguments); - return formatDistance(dirtyDate, Date.now(), options); - } - - function toInteger(dirtyNumber) { - if (dirtyNumber === null || dirtyNumber === true || dirtyNumber === false) { - return NaN; - } - var number = Number(dirtyNumber); - if (isNaN(number)) { - return number; - } - return number < 0 ? Math.ceil(number) : Math.floor(number); - } - - /** - * @name addDays - * @category Day Helpers - * @summary Add the specified number of days to the given date. - * - * @description - * Add the specified number of days to the given date. - * - * @param {Date|Number} date - the date to be changed - * @param {Number} amount - the amount of days to be added. Positive decimals will be rounded using `Math.floor`, decimals less than zero will be rounded using `Math.ceil`. - * @returns {Date} - the new date with the days added - * @throws {TypeError} - 2 arguments required - * - * @example - * // Add 10 days to 1 September 2014: - * const result = addDays(new Date(2014, 8, 1), 10) - * //=> Thu Sep 11 2014 00:00:00 - */ - function addDays(dirtyDate, dirtyAmount) { - requiredArgs(2, arguments); - var date = toDate(dirtyDate); - var amount = toInteger(dirtyAmount); - if (isNaN(amount)) { - return new Date(NaN); - } - if (!amount) { - // If 0 days, no-op to avoid changing times in the hour before end of DST - return date; - } - date.setDate(date.getDate() + amount); - return date; - } - - /* src/components/misccomponents/TooltipFromAction.svelte generated by Svelte v3.59.1 */ - - const file$M = "src/components/misccomponents/TooltipFromAction.svelte"; - - function create_fragment$M(ctx) { - let div; - let t; - - const block = { - c: function create() { - div = element("div"); - t = text(/*title*/ ctx[0]); - set_style(div, "top", /*y*/ ctx[2] + 5 + "px"); - set_style(div, "left", /*x*/ ctx[1] + 5 + "px"); - attr_dev(div, "class", "svelte-bja3dk"); - add_location(div, file$M, 5, 0, 68); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, t); - }, - p: function update(ctx, [dirty]) { - if (dirty & /*title*/ 1) set_data_dev(t, /*title*/ ctx[0]); - - if (dirty & /*y*/ 4) { - set_style(div, "top", /*y*/ ctx[2] + 5 + "px"); - } - - if (dirty & /*x*/ 2) { - set_style(div, "left", /*x*/ ctx[1] + 5 + "px"); - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$M.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$M($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('TooltipFromAction', slots, []); - let { title } = $$props; - let { x } = $$props; - let { y } = $$props; - - $$self.$$.on_mount.push(function () { - if (title === undefined && !('title' in $$props || $$self.$$.bound[$$self.$$.props['title']])) { - console.warn(" was created without expected prop 'title'"); - } - - if (x === undefined && !('x' in $$props || $$self.$$.bound[$$self.$$.props['x']])) { - console.warn(" was created without expected prop 'x'"); - } - - if (y === undefined && !('y' in $$props || $$self.$$.bound[$$self.$$.props['y']])) { - console.warn(" was created without expected prop 'y'"); - } - }); - - const writable_props = ['title', 'x', 'y']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('title' in $$props) $$invalidate(0, title = $$props.title); - if ('x' in $$props) $$invalidate(1, x = $$props.x); - if ('y' in $$props) $$invalidate(2, y = $$props.y); - }; - - $$self.$capture_state = () => ({ title, x, y }); - - $$self.$inject_state = $$props => { - if ('title' in $$props) $$invalidate(0, title = $$props.title); - if ('x' in $$props) $$invalidate(1, x = $$props.x); - if ('y' in $$props) $$invalidate(2, y = $$props.y); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [title, x, y]; - } - - class TooltipFromAction extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$M, create_fragment$M, safe_not_equal, { title: 0, x: 1, y: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "TooltipFromAction", - options, - id: create_fragment$M.name - }); - } - - get title() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set title(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get x() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set x(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get y() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set y(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - function tooltip(element) { - let title; - let tooltipComponent; - function mouseOver(event) { - // NOTE: remove the `title` attribute, to prevent showing the default browser tooltip - // remember to set it back on `mouseleave` - title = element.getAttribute('title'); - element.removeAttribute('title'); - - tooltipComponent = new TooltipFromAction({ - props: { - title: title, - x: event.pageX, - y: event.pageY, - }, - target: document.body, - }); - } - function mouseMove(event) { - tooltipComponent.$set({ - x: event.pageX, - y: event.pageY, - }); - } - function mouseLeave() { - tooltipComponent.$destroy(); - // NOTE: restore the `title` attribute - element.setAttribute('title', title); - } - - element.addEventListener('mouseover', mouseOver); - element.addEventListener('mouseleave', mouseLeave); - element.addEventListener('mousemove', mouseMove); - - return { - destroy() { - element.removeEventListener('mouseover', mouseOver); - element.removeEventListener('mouseleave', mouseLeave); - element.removeEventListener('mousemove', mouseMove); - } - } - } - - /* src/components/summaryitemcomponents/CodeSummary.svelte generated by Svelte v3.59.1 */ - const file$L = "src/components/summaryitemcomponents/CodeSummary.svelte"; - - // (16:2) {#if codeSummary.cloc} - function create_if_block_3$6(ctx) { - let div0; - let span0; - let t1; - let span1; - let t2_value = /*codeSummary*/ ctx[0].totalFiles + ""; - let t2; - let t3; - let div1; - let span2; - let t5; - let span3; - let t6_value = /*codeSummary*/ ctx[0].totalLines + ""; - let t6; - - const block = { - c: function create() { - div0 = element("div"); - span0 = element("span"); - span0.textContent = "Total Files"; - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = space(); - div1 = element("div"); - span2 = element("span"); - span2.textContent = "Total Lines"; - t5 = space(); - span3 = element("span"); - t6 = text(t6_value); - attr_dev(span0, "class", "block whitespace-no-wrap font-sans"); - add_location(span0, file$L, 17, 6, 416); - attr_dev(span1, "class", "font-sans font-bold block lg:inline-block"); - attr_dev(span1, "title", "Number of files"); - add_location(span1, file$L, 18, 6, 490); - attr_dev(div0, "class", "col-span-1 text-start"); - add_location(div0, file$L, 16, 4, 374); - attr_dev(span2, "class", "block whitespace-no-wrap font-sans"); - add_location(span2, file$L, 25, 6, 691); - attr_dev(span3, "class", "font-sans font-bold block lg:inline-block"); - attr_dev(span3, "title", "Number of lines of codes"); - add_location(span3, file$L, 26, 6, 765); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$L, 24, 4, 649); - }, - m: function mount(target, anchor) { - insert_dev(target, div0, anchor); - append_dev(div0, span0); - append_dev(div0, t1); - append_dev(div0, span1); - append_dev(span1, t2); - insert_dev(target, t3, anchor); - insert_dev(target, div1, anchor); - append_dev(div1, span2); - append_dev(div1, t5); - append_dev(div1, span3); - append_dev(span3, t6); - }, - p: function update(ctx, dirty) { - if (dirty & /*codeSummary*/ 1 && t2_value !== (t2_value = /*codeSummary*/ ctx[0].totalFiles + "")) set_data_dev(t2, t2_value); - if (dirty & /*codeSummary*/ 1 && t6_value !== (t6_value = /*codeSummary*/ ctx[0].totalLines + "")) set_data_dev(t6, t6_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div0); - if (detaching) detach_dev(t3); - if (detaching) detach_dev(div1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$6.name, - type: "if", - source: "(16:2) {#if codeSummary.cloc}", - ctx - }); - - return block; - } - - // (68:4) {:else} - function create_else_block$p(ctx) { - let div0; - let span0; - let t0; - let i0; - let t1; - let span1; - let t3; - let div1; - let span2; - let t4; - let i1; - let t5; - let span3; - let mounted; - let dispose; - - const block = { - c: function create() { - div0 = element("div"); - span0 = element("span"); - t0 = text("Warnings\n "); - i0 = element("i"); - t1 = space(); - span1 = element("span"); - span1.textContent = "N/A"; - t3 = space(); - div1 = element("div"); - span2 = element("span"); - t4 = text("Errors\n "); - i1 = element("i"); - t5 = space(); - span3 = element("span"); - span3.textContent = "N/A"; - attr_dev(i0, "class", "fas fa-info-circle"); - attr_dev(i0, "title", "😵"); - add_location(i0, file$L, 70, 8, 2472); - attr_dev(span0, "class", "block whitespace-no-wrap font-sans"); - add_location(span0, file$L, 69, 6, 2406); - attr_dev(span1, "class", "font-sans font-bold block lg:inline-block"); - add_location(span1, file$L, 72, 6, 2550); - attr_dev(div0, "class", "col-span-1 text-start"); - add_location(div0, file$L, 68, 4, 2364); - attr_dev(i1, "class", "fas fa-info-circle"); - attr_dev(i1, "title", "😡"); - add_location(i1, file$L, 79, 8, 2762); - attr_dev(span2, "class", "block whitespace-no-wrap font-sans"); - add_location(span2, file$L, 78, 6, 2698); - attr_dev(span3, "class", "font-sans font-bold block lg:inline-block"); - add_location(span3, file$L, 81, 6, 2840); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$L, 77, 4, 2656); - }, - m: function mount(target, anchor) { - insert_dev(target, div0, anchor); - append_dev(div0, span0); - append_dev(span0, t0); - append_dev(span0, i0); - append_dev(div0, t1); - append_dev(div0, span1); - insert_dev(target, t3, anchor); - insert_dev(target, div1, anchor); - append_dev(div1, span2); - append_dev(span2, t4); - append_dev(span2, i1); - append_dev(div1, t5); - append_dev(div1, span3); - - if (!mounted) { - dispose = [ - action_destroyer(tooltip.call(null, i0)), - action_destroyer(tooltip.call(null, i1)) - ]; - - mounted = true; - } - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div0); - if (detaching) detach_dev(t3); - if (detaching) detach_dev(div1); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$p.name, - type: "else", - source: "(68:4) {:else}", - ctx - }); - - return block; - } - - // (35:2) {#if codeSummary.htmlWarnings || codeSummary.htmlErrors} - function create_if_block$B(ctx) { - let div0; - let span0; - let i0; - let t0; - let t1; - let span1; - let t2_value = numberWithCommas$4((/*codeSummary*/ ctx[0].htmlWarnings || 0) + (/*codeSummary*/ ctx[0].codeWarnings || 0)) + ""; - let t2; - let t3; - let span1_title_value; - let t4; - let div1; - let span2; - let i1; - let t5; - let t6; - let span3; - let t7_value = numberWithCommas$4((/*codeSummary*/ ctx[0].htmlErrors || 0) + (/*codeSummary*/ ctx[0].codeErrors || 0)) + ""; - let t7; - let t8; - let span3_title_value; - let if_block0 = /*codeSummary*/ ctx[0].htmlWarnings == 0 && create_if_block_2$k(ctx); - let if_block1 = /*codeSummary*/ ctx[0].htmlErrors == 0 && create_if_block_1$o(ctx); - - const block = { - c: function create() { - div0 = element("div"); - span0 = element("span"); - i0 = element("i"); - t0 = text("\n Warnings"); - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = space(); - if (if_block0) if_block0.c(); - t4 = space(); - div1 = element("div"); - span2 = element("span"); - i1 = element("i"); - t5 = text("\n Errors"); - t6 = space(); - span3 = element("span"); - t7 = text(t7_value); - t8 = space(); - if (if_block1) if_block1.c(); - attr_dev(i0, "class", "fas fa-exclamation-triangle"); - set_style(i0, "color", "#d69e2e"); - add_location(i0, file$L, 37, 6, 1095); - attr_dev(span0, "class", "block whitespace-no-wrap font-sans"); - add_location(span0, file$L, 36, 4, 1039); - attr_dev(span1, "class", "font-sans font-bold block lg:inline-block"); - attr_dev(span1, "title", span1_title_value = (/*codeSummary*/ ctx[0].codeIssueList || '') + '\n\n\n' + (/*codeSummary*/ ctx[0].htmlIssueList || '')); - toggle_class(span1, "text-yellow-600", /*codeSummary*/ ctx[0].htmlWarnings > 0); - toggle_class(span1, "text-gray-600", /*codeSummary*/ ctx[0].htmlWarnings == 0); - add_location(span1, file$L, 40, 4, 1193); - attr_dev(div0, "class", "col-span-1 text-start"); - add_location(div0, file$L, 35, 2, 999); - attr_dev(i1, "class", "textred fas fa-exclamation-circle"); - add_location(i1, file$L, 53, 8, 1776); - attr_dev(span2, "class", "block whitespace-no-wrap font-sans"); - add_location(span2, file$L, 52, 6, 1718); - attr_dev(span3, "class", "font-sans font-bold block lg:inline-block"); - attr_dev(span3, "title", span3_title_value = (/*codeSummary*/ ctx[0].codeIssueList || '') + '\n\n\n' + (/*codeSummary*/ ctx[0].htmlIssueList || '')); - toggle_class(span3, "text-red-600", /*codeSummary*/ ctx[0].htmlErrors > 0); - toggle_class(span3, "text-gray-600", /*codeSummary*/ ctx[0].htmlErrors === 0); - add_location(span3, file$L, 56, 6, 1861); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$L, 51, 4, 1676); - }, - m: function mount(target, anchor) { - insert_dev(target, div0, anchor); - append_dev(div0, span0); - append_dev(span0, i0); - append_dev(span0, t0); - append_dev(div0, t1); - append_dev(div0, span1); - append_dev(span1, t2); - append_dev(span1, t3); - if (if_block0) if_block0.m(span1, null); - insert_dev(target, t4, anchor); - insert_dev(target, div1, anchor); - append_dev(div1, span2); - append_dev(span2, i1); - append_dev(span2, t5); - append_dev(div1, t6); - append_dev(div1, span3); - append_dev(span3, t7); - append_dev(span3, t8); - if (if_block1) if_block1.m(span3, null); - }, - p: function update(ctx, dirty) { - if (dirty & /*codeSummary*/ 1 && t2_value !== (t2_value = numberWithCommas$4((/*codeSummary*/ ctx[0].htmlWarnings || 0) + (/*codeSummary*/ ctx[0].codeWarnings || 0)) + "")) set_data_dev(t2, t2_value); - - if (/*codeSummary*/ ctx[0].htmlWarnings == 0) { - if (if_block0) ; else { - if_block0 = create_if_block_2$k(ctx); - if_block0.c(); - if_block0.m(span1, null); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (dirty & /*codeSummary*/ 1 && span1_title_value !== (span1_title_value = (/*codeSummary*/ ctx[0].codeIssueList || '') + '\n\n\n' + (/*codeSummary*/ ctx[0].htmlIssueList || ''))) { - attr_dev(span1, "title", span1_title_value); - } - - if (dirty & /*codeSummary*/ 1) { - toggle_class(span1, "text-yellow-600", /*codeSummary*/ ctx[0].htmlWarnings > 0); - } - - if (dirty & /*codeSummary*/ 1) { - toggle_class(span1, "text-gray-600", /*codeSummary*/ ctx[0].htmlWarnings == 0); - } - - if (dirty & /*codeSummary*/ 1 && t7_value !== (t7_value = numberWithCommas$4((/*codeSummary*/ ctx[0].htmlErrors || 0) + (/*codeSummary*/ ctx[0].codeErrors || 0)) + "")) set_data_dev(t7, t7_value); - - if (/*codeSummary*/ ctx[0].htmlErrors == 0) { - if (if_block1) ; else { - if_block1 = create_if_block_1$o(ctx); - if_block1.c(); - if_block1.m(span3, null); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - if (dirty & /*codeSummary*/ 1 && span3_title_value !== (span3_title_value = (/*codeSummary*/ ctx[0].codeIssueList || '') + '\n\n\n' + (/*codeSummary*/ ctx[0].htmlIssueList || ''))) { - attr_dev(span3, "title", span3_title_value); - } - - if (dirty & /*codeSummary*/ 1) { - toggle_class(span3, "text-red-600", /*codeSummary*/ ctx[0].htmlErrors > 0); - } - - if (dirty & /*codeSummary*/ 1) { - toggle_class(span3, "text-gray-600", /*codeSummary*/ ctx[0].htmlErrors === 0); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div0); - if (if_block0) if_block0.d(); - if (detaching) detach_dev(t4); - if (detaching) detach_dev(div1); - if (if_block1) if_block1.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$B.name, - type: "if", - source: "(35:2) {#if codeSummary.htmlWarnings || codeSummary.htmlErrors}", - ctx - }); - - return block; - } - - // (47:6) {#if codeSummary.htmlWarnings == 0} - function create_if_block_2$k(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-check"); - add_location(i, file$L, 47, 8, 1610); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$k.name, - type: "if", - source: "(47:6) {#if codeSummary.htmlWarnings == 0}", - ctx - }); - - return block; - } - - // (63:8) {#if codeSummary.htmlErrors == 0} - function create_if_block_1$o(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-check"); - add_location(i, file$L, 63, 10, 2280); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$o.name, - type: "if", - source: "(63:8) {#if codeSummary.htmlErrors == 0}", - ctx - }); - - return block; - } - - function create_fragment$L(ctx) { - let div; - let t; - let if_block0 = /*codeSummary*/ ctx[0].cloc && create_if_block_3$6(ctx); - - function select_block_type(ctx, dirty) { - if (/*codeSummary*/ ctx[0].htmlWarnings || /*codeSummary*/ ctx[0].htmlErrors) return create_if_block$B; - return create_else_block$p; - } - - let current_block_type = select_block_type(ctx); - let if_block1 = current_block_type(ctx); - - const block = { - c: function create() { - div = element("div"); - if (if_block0) if_block0.c(); - t = space(); - if_block1.c(); - attr_dev(div, "class", "grid grid-cols-2 lg:grid-cols-3 gap-x-5 text-center text-lg"); - add_location(div, file$L, 14, 0, 271); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - if (if_block0) if_block0.m(div, null); - append_dev(div, t); - if_block1.m(div, null); - }, - p: function update(ctx, [dirty]) { - if (/*codeSummary*/ ctx[0].cloc) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_3$6(ctx); - if_block0.c(); - if_block0.m(div, t); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (current_block_type === (current_block_type = select_block_type(ctx)) && if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1.d(1); - if_block1 = current_block_type(ctx); - - if (if_block1) { - if_block1.c(); - if_block1.m(div, null); - } - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - if (if_block0) if_block0.d(); - if_block1.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$L.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function numberWithCommas$4(x) { - return x.toLocaleString(); - } - - function instance$L($$self, $$props, $$invalidate) { - let codeSummary; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('CodeSummary', slots, []); - let { value = {} } = $$props; - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - }; - - $$self.$capture_state = () => ({ - getCodeSummary, - tooltip, - value, - numberWithCommas: numberWithCommas$4, - codeSummary - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('codeSummary' in $$props) $$invalidate(0, codeSummary = $$props.codeSummary); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*value*/ 2) { - $$invalidate(0, codeSummary = getCodeSummary(value)); - } - }; - - return [codeSummary, value]; - } - - class CodeSummary extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$L, create_fragment$L, safe_not_equal, { value: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "CodeSummary", - options, - id: create_fragment$L.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/summaryitemcomponents/LinkSummary.svelte generated by Svelte v3.59.1 */ - - const file$K = "src/components/summaryitemcomponents/LinkSummary.svelte"; - - // (26:6) {#if value.totalUnique404 === 0} - function create_if_block$A(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-check"); - add_location(i, file$K, 26, 8, 836); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$A.name, - type: "if", - source: "(26:6) {#if value.totalUnique404 === 0}", - ctx - }); - - return block; - } - - function create_fragment$K(ctx) { - let div2; - let div0; - let span0; - let t1; - let span1; - let t2_value = numberWithCommas$3(/*value*/ ctx[0].totalScanned) + ""; - let t2; - let t3; - let div1; - let span2; - let i; - let t4; - let t5; - let span3; - let t6; - let t7; - let if_block = /*value*/ ctx[0].totalUnique404 === 0 && create_if_block$A(ctx); - - const block = { - c: function create() { - div2 = element("div"); - div0 = element("div"); - span0 = element("span"); - span0.textContent = "Scanned"; - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = space(); - div1 = element("div"); - span2 = element("span"); - i = element("i"); - t4 = text("\n 404 Errors"); - t5 = space(); - span3 = element("span"); - t6 = text(/*brokenLinks*/ ctx[1]); - t7 = space(); - if (if_block) if_block.c(); - attr_dev(span0, "class", "block font-sans"); - add_location(span0, file$K, 11, 4, 260); - attr_dev(span1, "class", "font-sans font-bold block lg:inline-block"); - add_location(span1, file$K, 12, 4, 309); - attr_dev(div0, "class", "col-span-1 text-start"); - add_location(div0, file$K, 10, 2, 220); - attr_dev(i, "class", "textred fas fa-link-slash"); - add_location(i, file$K, 17, 6, 524); - attr_dev(span2, "class", "block whitespace-no-wrap font-sans"); - add_location(span2, file$K, 16, 4, 468); - attr_dev(span3, "class", "font-sans font-bold block lg:inline-block"); - toggle_class(span3, "text-red-600", /*value*/ ctx[0].totalUnique404 > 0); - toggle_class(span3, "text-gray-600", /*value*/ ctx[0].totalUnique404 === 0); - add_location(span3, file$K, 20, 4, 599); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$K, 15, 2, 428); - attr_dev(div2, "class", "grid grid-cols-2 lg:grid-cols-3 gap-x-5 text-center text-lg"); - add_location(div2, file$K, 9, 0, 144); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, div0); - append_dev(div0, span0); - append_dev(div0, t1); - append_dev(div0, span1); - append_dev(span1, t2); - append_dev(div2, t3); - append_dev(div2, div1); - append_dev(div1, span2); - append_dev(span2, i); - append_dev(span2, t4); - append_dev(div1, t5); - append_dev(div1, span3); - append_dev(span3, t6); - append_dev(span3, t7); - if (if_block) if_block.m(span3, null); - }, - p: function update(ctx, [dirty]) { - if (dirty & /*value*/ 1 && t2_value !== (t2_value = numberWithCommas$3(/*value*/ ctx[0].totalScanned) + "")) set_data_dev(t2, t2_value); - if (dirty & /*brokenLinks*/ 2) set_data_dev(t6, /*brokenLinks*/ ctx[1]); - - if (/*value*/ ctx[0].totalUnique404 === 0) { - if (if_block) ; else { - if_block = create_if_block$A(ctx); - if_block.c(); - if_block.m(span3, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - - if (dirty & /*value*/ 1) { - toggle_class(span3, "text-red-600", /*value*/ ctx[0].totalUnique404 > 0); - } - - if (dirty & /*value*/ 1) { - toggle_class(span3, "text-gray-600", /*value*/ ctx[0].totalUnique404 === 0); - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - if (if_block) if_block.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$K.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function numberWithCommas$3(x) { - return x.toLocaleString(); - } - - function instance$K($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LinkSummary', slots, []); - let { value = {} } = $$props; - let { brokenLinks = {} } = $$props; - const writable_props = ['value', 'brokenLinks']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('brokenLinks' in $$props) $$invalidate(1, brokenLinks = $$props.brokenLinks); - }; - - $$self.$capture_state = () => ({ value, brokenLinks, numberWithCommas: numberWithCommas$3 }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('brokenLinks' in $$props) $$invalidate(1, brokenLinks = $$props.brokenLinks); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [value, brokenLinks]; - } - - class LinkSummary extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$K, create_fragment$K, safe_not_equal, { value: 0, brokenLinks: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LinkSummary", - options, - id: create_fragment$K.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get brokenLinks() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set brokenLinks(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/summaryitemcomponents/LighthouseSummary.svelte generated by Svelte v3.59.1 */ - const file$J = "src/components/summaryitemcomponents/LighthouseSummary.svelte"; - - // (7:0) {#if perf.performanceScore} - function create_if_block$z(ctx) { - let div7; - let div6; - let div0; - let span0; - let t1; - let span1; - let t2_value = /*perf*/ ctx[0].average.toFixed(1) + ""; - let t2; - let t3; - let div1; - let span2; - let t5; - let span3; - let t6_value = /*perf*/ ctx[0].performanceScore + ""; - let t6; - let t7; - let div2; - let span4; - let t9; - let span5; - let t10_value = /*perf*/ ctx[0].accessibilityScore + ""; - let t10; - let t11; - let div3; - let span6; - let t13; - let span7; - let t14_value = /*perf*/ ctx[0].seoScore + ""; - let t14; - let t15; - let div4; - let span8; - let t17; - let span9; - let t18_value = /*perf*/ ctx[0].pwaScore + ""; - let t18; - let t19; - let div5; - let span10; - let t21; - let span11; - let t22_value = /*perf*/ ctx[0].bestPracticesScore + ""; - let t22; - - const block = { - c: function create() { - div7 = element("div"); - div6 = element("div"); - div0 = element("div"); - span0 = element("span"); - span0.textContent = "Average"; - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = space(); - div1 = element("div"); - span2 = element("span"); - span2.textContent = "Performance"; - t5 = space(); - span3 = element("span"); - t6 = text(t6_value); - t7 = space(); - div2 = element("div"); - span4 = element("span"); - span4.textContent = "Accessibility"; - t9 = space(); - span5 = element("span"); - t10 = text(t10_value); - t11 = space(); - div3 = element("div"); - span6 = element("span"); - span6.textContent = "SEO"; - t13 = space(); - span7 = element("span"); - t14 = text(t14_value); - t15 = space(); - div4 = element("div"); - span8 = element("span"); - span8.textContent = "PWA"; - t17 = space(); - span9 = element("span"); - t18 = text(t18_value); - t19 = space(); - div5 = element("div"); - span10 = element("span"); - span10.textContent = "Best Practice"; - t21 = space(); - span11 = element("span"); - t22 = text(t22_value); - attr_dev(span0, "class", "block font-sans"); - add_location(span0, file$J, 11, 8, 340); - attr_dev(span1, "class", "font-bold block lg:inline-block textgrey"); - attr_dev(span1, "title", "Average"); - toggle_class(span1, "text-red-400", /*perf*/ ctx[0].average < 50); - add_location(span1, file$J, 12, 8, 393); - attr_dev(div0, "class", "col-span-1 text-start whitespace-no-wrap"); - add_location(div0, file$J, 10, 6, 277); - attr_dev(span2, "class", "block font-sans"); - add_location(span2, file$J, 20, 8, 649); - attr_dev(span3, "title", "Performance"); - attr_dev(span3, "class", "font-bold block lg:inline-block textgrey"); - toggle_class(span3, "text-red-400", /*perf*/ ctx[0].performanceScore < 50); - add_location(span3, file$J, 21, 8, 706); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$J, 19, 6, 605); - attr_dev(span4, "class", "block font-sans"); - add_location(span4, file$J, 29, 8, 973); - attr_dev(span5, "class", "font-bold block lg:inline-block textgrey"); - attr_dev(span5, "title", "Accessibility"); - toggle_class(span5, "text-red-400", /*perf*/ ctx[0].accessibilityScore < 50); - add_location(span5, file$J, 30, 8, 1032); - attr_dev(div2, "class", "col-span-1 text-start"); - add_location(div2, file$J, 28, 6, 929); - attr_dev(span6, "class", "block font-sans"); - add_location(span6, file$J, 39, 8, 1306); - attr_dev(span7, "title", "SEO"); - attr_dev(span7, "class", "font-bold block lg:inline-block textgrey"); - toggle_class(span7, "text-red-400", /*perf*/ ctx[0].seoScore < 50); - add_location(span7, file$J, 40, 8, 1355); - attr_dev(div3, "class", "col-span-1 text-start"); - add_location(div3, file$J, 38, 6, 1262); - attr_dev(span8, "class", "block font-sans"); - add_location(span8, file$J, 48, 8, 1598); - attr_dev(span9, "class", "font-bold block lg:inline-block textgrey"); - attr_dev(span9, "title", "PWA"); - toggle_class(span9, "text-red-400", /*perf*/ ctx[0].pwaScore < 50); - add_location(span9, file$J, 49, 8, 1647); - attr_dev(div4, "class", "col-span-1 text-start"); - add_location(div4, file$J, 47, 6, 1554); - attr_dev(span10, "class", "block font-sans"); - add_location(span10, file$J, 57, 8, 1879); - attr_dev(span11, "class", "font-bold block lg:inline-block textgrey"); - attr_dev(span11, "title", "Best Practice"); - toggle_class(span11, "text-red-400", /*perf*/ ctx[0].bestPracticesScore < 50); - add_location(span11, file$J, 58, 8, 1938); - attr_dev(div5, "class", "text-start"); - add_location(div5, file$J, 56, 6, 1846); - attr_dev(div6, "class", "grid grid-cols-2 lg:grid-cols-3 gap-x-5 text-center text-lg"); - add_location(div6, file$J, 9, 4, 197); - add_location(div7, file$J, 8, 2, 187); - }, - m: function mount(target, anchor) { - insert_dev(target, div7, anchor); - append_dev(div7, div6); - append_dev(div6, div0); - append_dev(div0, span0); - append_dev(div0, t1); - append_dev(div0, span1); - append_dev(span1, t2); - append_dev(div6, t3); - append_dev(div6, div1); - append_dev(div1, span2); - append_dev(div1, t5); - append_dev(div1, span3); - append_dev(span3, t6); - append_dev(div6, t7); - append_dev(div6, div2); - append_dev(div2, span4); - append_dev(div2, t9); - append_dev(div2, span5); - append_dev(span5, t10); - append_dev(div6, t11); - append_dev(div6, div3); - append_dev(div3, span6); - append_dev(div3, t13); - append_dev(div3, span7); - append_dev(span7, t14); - append_dev(div6, t15); - append_dev(div6, div4); - append_dev(div4, span8); - append_dev(div4, t17); - append_dev(div4, span9); - append_dev(span9, t18); - append_dev(div6, t19); - append_dev(div6, div5); - append_dev(div5, span10); - append_dev(div5, t21); - append_dev(div5, span11); - append_dev(span11, t22); - }, - p: function update(ctx, dirty) { - if (dirty & /*perf*/ 1 && t2_value !== (t2_value = /*perf*/ ctx[0].average.toFixed(1) + "")) set_data_dev(t2, t2_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span1, "text-red-400", /*perf*/ ctx[0].average < 50); - } - - if (dirty & /*perf*/ 1 && t6_value !== (t6_value = /*perf*/ ctx[0].performanceScore + "")) set_data_dev(t6, t6_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span3, "text-red-400", /*perf*/ ctx[0].performanceScore < 50); - } - - if (dirty & /*perf*/ 1 && t10_value !== (t10_value = /*perf*/ ctx[0].accessibilityScore + "")) set_data_dev(t10, t10_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span5, "text-red-400", /*perf*/ ctx[0].accessibilityScore < 50); - } - - if (dirty & /*perf*/ 1 && t14_value !== (t14_value = /*perf*/ ctx[0].seoScore + "")) set_data_dev(t14, t14_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span7, "text-red-400", /*perf*/ ctx[0].seoScore < 50); - } - - if (dirty & /*perf*/ 1 && t18_value !== (t18_value = /*perf*/ ctx[0].pwaScore + "")) set_data_dev(t18, t18_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span9, "text-red-400", /*perf*/ ctx[0].pwaScore < 50); - } - - if (dirty & /*perf*/ 1 && t22_value !== (t22_value = /*perf*/ ctx[0].bestPracticesScore + "")) set_data_dev(t22, t22_value); - - if (dirty & /*perf*/ 1) { - toggle_class(span11, "text-red-400", /*perf*/ ctx[0].bestPracticesScore < 50); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div7); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$z.name, - type: "if", - source: "(7:0) {#if perf.performanceScore}", - ctx - }); - - return block; - } - - function create_fragment$J(ctx) { - let if_block_anchor; - let if_block = /*perf*/ ctx[0].performanceScore && create_if_block$z(ctx); - - const block = { - c: function create() { - if (if_block) if_block.c(); - if_block_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, [dirty]) { - if (/*perf*/ ctx[0].performanceScore) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block$z(ctx); - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$J.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$J($$self, $$props, $$invalidate) { - let perf; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LighthouseSummary', slots, []); - let { value = {} } = $$props; - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - }; - - $$self.$capture_state = () => ({ getPerfScore, value, perf }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('perf' in $$props) $$invalidate(0, perf = $$props.perf); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*value*/ 2) { - $$invalidate(0, perf = getPerfScore(value)); - } - }; - - return [perf, value]; - } - - class LighthouseSummary extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$J, create_fragment$J, safe_not_equal, { value: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LighthouseSummary", - options, - id: create_fragment$J.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/summaryitemcomponents/ArtillerySummary.svelte generated by Svelte v3.59.1 */ - - const file$I = "src/components/summaryitemcomponents/ArtillerySummary.svelte"; - - // (30:6) {#if value.errors === 0} - function create_if_block$y(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-check"); - add_location(i, file$I, 30, 8, 1041); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$y.name, - type: "if", - source: "(30:6) {#if value.errors === 0}", - ctx - }); - - return block; - } - - function create_fragment$I(ctx) { - let div3; - let div0; - let span0; - let t1; - let span1; - - let t2_value = numberWithCommas$2(/*value*/ ctx[0].latencyP95 === undefined - ? '0' - : /*value*/ ctx[0].latencyP95) + ""; - - let t2; - let t3; - let t4; - let div1; - let span2; - let t6; - let span3; - let t7_value = numberWithCommas$2(/*value*/ ctx[0].requestsCompleted) + ""; - let t7; - let t8; - let div2; - let span4; - let t10; - let span5; - let t11_value = numberWithCommas$2(/*value*/ ctx[0].errors) + ""; - let t11; - let t12; - let if_block = /*value*/ ctx[0].errors === 0 && create_if_block$y(ctx); - - const block = { - c: function create() { - div3 = element("div"); - div0 = element("div"); - span0 = element("span"); - span0.textContent = "Latency P95"; - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = text("ms"); - t4 = space(); - div1 = element("div"); - span2 = element("span"); - span2.textContent = "Requests"; - t6 = space(); - span3 = element("span"); - t7 = text(t7_value); - t8 = space(); - div2 = element("div"); - span4 = element("span"); - span4.textContent = "Errors"; - t10 = space(); - span5 = element("span"); - t11 = text(t11_value); - t12 = space(); - if (if_block) if_block.c(); - attr_dev(span0, "class", "block font-sans"); - add_location(span0, file$I, 10, 4, 241); - attr_dev(span1, "class", "font-sans font-bold block lg:inline-block"); - add_location(span1, file$I, 11, 4, 294); - attr_dev(div0, "class", "col-span-1 text-start"); - add_location(div0, file$I, 9, 2, 201); - attr_dev(span2, "class", "block whitespace-no-wrap font-sans"); - add_location(span2, file$I, 16, 4, 497); - attr_dev(span3, "class", "font-sans font-bold block lg:inline-block"); - add_location(span3, file$I, 17, 4, 566); - attr_dev(div1, "class", "col-span-1 text-start"); - add_location(div1, file$I, 15, 2, 457); - attr_dev(span4, "class", "block whitespace-no-wrap font-sans"); - add_location(span4, file$I, 22, 4, 736); - attr_dev(span5, "class", "font-sans font-bold block lg:inline-block"); - toggle_class(span5, "text-red-600", /*value*/ ctx[0].errors > 0); - toggle_class(span5, "text-gray-600", /*value*/ ctx[0].errors == 0); - add_location(span5, file$I, 23, 4, 803); - attr_dev(div2, "class", "col-span-1 text-start"); - add_location(div2, file$I, 21, 2, 696); - attr_dev(div3, "class", "grid grid-cols-2 lg:grid-cols-3 gap-x-5 text-center text-lg"); - add_location(div3, file$I, 8, 0, 125); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div3, anchor); - append_dev(div3, div0); - append_dev(div0, span0); - append_dev(div0, t1); - append_dev(div0, span1); - append_dev(span1, t2); - append_dev(span1, t3); - append_dev(div3, t4); - append_dev(div3, div1); - append_dev(div1, span2); - append_dev(div1, t6); - append_dev(div1, span3); - append_dev(span3, t7); - append_dev(div3, t8); - append_dev(div3, div2); - append_dev(div2, span4); - append_dev(div2, t10); - append_dev(div2, span5); - append_dev(span5, t11); - append_dev(span5, t12); - if (if_block) if_block.m(span5, null); - }, - p: function update(ctx, [dirty]) { - if (dirty & /*value*/ 1 && t2_value !== (t2_value = numberWithCommas$2(/*value*/ ctx[0].latencyP95 === undefined - ? '0' - : /*value*/ ctx[0].latencyP95) + "")) set_data_dev(t2, t2_value); - - if (dirty & /*value*/ 1 && t7_value !== (t7_value = numberWithCommas$2(/*value*/ ctx[0].requestsCompleted) + "")) set_data_dev(t7, t7_value); - if (dirty & /*value*/ 1 && t11_value !== (t11_value = numberWithCommas$2(/*value*/ ctx[0].errors) + "")) set_data_dev(t11, t11_value); - - if (/*value*/ ctx[0].errors === 0) { - if (if_block) ; else { - if_block = create_if_block$y(ctx); - if_block.c(); - if_block.m(span5, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - - if (dirty & /*value*/ 1) { - toggle_class(span5, "text-red-600", /*value*/ ctx[0].errors > 0); - } - - if (dirty & /*value*/ 1) { - toggle_class(span5, "text-gray-600", /*value*/ ctx[0].errors == 0); - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div3); - if (if_block) if_block.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$I.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function numberWithCommas$2(x) { - return Math.round(x).toLocaleString(); - } - - function instance$I($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('ArtillerySummary', slots, []); - let { value = {} } = $$props; - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - }; - - $$self.$capture_state = () => ({ value, numberWithCommas: numberWithCommas$2 }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [value]; - } - - class ArtillerySummary extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$I, create_fragment$I, safe_not_equal, { value: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "ArtillerySummary", - options, - id: create_fragment$I.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /** - * @name addMilliseconds - * @category Millisecond Helpers - * @summary Add the specified number of milliseconds to the given date. - * - * @description - * Add the specified number of milliseconds to the given date. - * - * @param {Date|Number} date - the date to be changed - * @param {Number} amount - the amount of milliseconds to be added. Positive decimals will be rounded using `Math.floor`, decimals less than zero will be rounded using `Math.ceil`. - * @returns {Date} the new date with the milliseconds added - * @throws {TypeError} 2 arguments required - * - * @example - * // Add 750 milliseconds to 10 July 2014 12:45:30.000: - * const result = addMilliseconds(new Date(2014, 6, 10, 12, 45, 30, 0), 750) - * //=> Thu Jul 10 2014 12:45:30.750 - */ - function addMilliseconds(dirtyDate, dirtyAmount) { - requiredArgs(2, arguments); - var timestamp = toDate(dirtyDate).getTime(); - var amount = toInteger(dirtyAmount); - return new Date(timestamp + amount); - } - - /** - * @name isDate - * @category Common Helpers - * @summary Is the given value a date? - * - * @description - * Returns true if the given value is an instance of Date. The function works for dates transferred across iframes. - * - * @param {*} value - the value to check - * @returns {boolean} true if the given value is a date - * @throws {TypeError} 1 arguments required - * - * @example - * // For a valid date: - * const result = isDate(new Date()) - * //=> true - * - * @example - * // For an invalid date: - * const result = isDate(new Date(NaN)) - * //=> true - * - * @example - * // For some value: - * const result = isDate('2014-02-31') - * //=> false - * - * @example - * // For an object: - * const result = isDate({}) - * //=> false - */ - function isDate(value) { - requiredArgs(1, arguments); - return value instanceof Date || _typeof(value) === 'object' && Object.prototype.toString.call(value) === '[object Date]'; - } - - /** - * @name isValid - * @category Common Helpers - * @summary Is the given date valid? - * - * @description - * Returns false if argument is Invalid Date and true otherwise. - * Argument is converted to Date using `toDate`. See [toDate]{@link https://date-fns.org/docs/toDate} - * Invalid Date is a Date, whose time value is NaN. - * - * Time value of Date: http://es5.github.io/#x15.9.1.1 - * - * @param {*} date - the date to check - * @returns {Boolean} the date is valid - * @throws {TypeError} 1 argument required - * - * @example - * // For the valid date: - * const result = isValid(new Date(2014, 1, 31)) - * //=> true - * - * @example - * // For the value, convertable into a date: - * const result = isValid(1393804800000) - * //=> true - * - * @example - * // For the invalid date: - * const result = isValid(new Date('')) - * //=> false - */ - function isValid(dirtyDate) { - requiredArgs(1, arguments); - if (!isDate(dirtyDate) && typeof dirtyDate !== 'number') { - return false; - } - var date = toDate(dirtyDate); - return !isNaN(Number(date)); - } - - /** - * @name subMilliseconds - * @category Millisecond Helpers - * @summary Subtract the specified number of milliseconds from the given date. - * - * @description - * Subtract the specified number of milliseconds from the given date. - * - * @param {Date|Number} date - the date to be changed - * @param {Number} amount - the amount of milliseconds to be subtracted. Positive decimals will be rounded using `Math.floor`, decimals less than zero will be rounded using `Math.ceil`. - * @returns {Date} the new date with the milliseconds subtracted - * @throws {TypeError} 2 arguments required - * - * @example - * // Subtract 750 milliseconds from 10 July 2014 12:45:30.000: - * const result = subMilliseconds(new Date(2014, 6, 10, 12, 45, 30, 0), 750) - * //=> Thu Jul 10 2014 12:45:29.250 - */ - function subMilliseconds(dirtyDate, dirtyAmount) { - requiredArgs(2, arguments); - var amount = toInteger(dirtyAmount); - return addMilliseconds(dirtyDate, -amount); - } - - var MILLISECONDS_IN_DAY = 86400000; - function getUTCDayOfYear(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var timestamp = date.getTime(); - date.setUTCMonth(0, 1); - date.setUTCHours(0, 0, 0, 0); - var startOfYearTimestamp = date.getTime(); - var difference = timestamp - startOfYearTimestamp; - return Math.floor(difference / MILLISECONDS_IN_DAY) + 1; - } - - function startOfUTCISOWeek(dirtyDate) { - requiredArgs(1, arguments); - var weekStartsOn = 1; - var date = toDate(dirtyDate); - var day = date.getUTCDay(); - var diff = (day < weekStartsOn ? 7 : 0) + day - weekStartsOn; - date.setUTCDate(date.getUTCDate() - diff); - date.setUTCHours(0, 0, 0, 0); - return date; - } - - function getUTCISOWeekYear(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var year = date.getUTCFullYear(); - var fourthOfJanuaryOfNextYear = new Date(0); - fourthOfJanuaryOfNextYear.setUTCFullYear(year + 1, 0, 4); - fourthOfJanuaryOfNextYear.setUTCHours(0, 0, 0, 0); - var startOfNextYear = startOfUTCISOWeek(fourthOfJanuaryOfNextYear); - var fourthOfJanuaryOfThisYear = new Date(0); - fourthOfJanuaryOfThisYear.setUTCFullYear(year, 0, 4); - fourthOfJanuaryOfThisYear.setUTCHours(0, 0, 0, 0); - var startOfThisYear = startOfUTCISOWeek(fourthOfJanuaryOfThisYear); - if (date.getTime() >= startOfNextYear.getTime()) { - return year + 1; - } else if (date.getTime() >= startOfThisYear.getTime()) { - return year; - } else { - return year - 1; - } - } - - function startOfUTCISOWeekYear(dirtyDate) { - requiredArgs(1, arguments); - var year = getUTCISOWeekYear(dirtyDate); - var fourthOfJanuary = new Date(0); - fourthOfJanuary.setUTCFullYear(year, 0, 4); - fourthOfJanuary.setUTCHours(0, 0, 0, 0); - var date = startOfUTCISOWeek(fourthOfJanuary); - return date; - } - - var MILLISECONDS_IN_WEEK$1 = 604800000; - function getUTCISOWeek(dirtyDate) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var diff = startOfUTCISOWeek(date).getTime() - startOfUTCISOWeekYear(date).getTime(); - - // Round the number of days to the nearest integer - // because the number of milliseconds in a week is not constant - // (e.g. it's different in the week of the daylight saving time clock shift) - return Math.round(diff / MILLISECONDS_IN_WEEK$1) + 1; - } - - function startOfUTCWeek(dirtyDate, options) { - var _ref, _ref2, _ref3, _options$weekStartsOn, _options$locale, _options$locale$optio, _defaultOptions$local, _defaultOptions$local2; - requiredArgs(1, arguments); - var defaultOptions = getDefaultOptions(); - var weekStartsOn = toInteger((_ref = (_ref2 = (_ref3 = (_options$weekStartsOn = options === null || options === void 0 ? void 0 : options.weekStartsOn) !== null && _options$weekStartsOn !== void 0 ? _options$weekStartsOn : options === null || options === void 0 ? void 0 : (_options$locale = options.locale) === null || _options$locale === void 0 ? void 0 : (_options$locale$optio = _options$locale.options) === null || _options$locale$optio === void 0 ? void 0 : _options$locale$optio.weekStartsOn) !== null && _ref3 !== void 0 ? _ref3 : defaultOptions.weekStartsOn) !== null && _ref2 !== void 0 ? _ref2 : (_defaultOptions$local = defaultOptions.locale) === null || _defaultOptions$local === void 0 ? void 0 : (_defaultOptions$local2 = _defaultOptions$local.options) === null || _defaultOptions$local2 === void 0 ? void 0 : _defaultOptions$local2.weekStartsOn) !== null && _ref !== void 0 ? _ref : 0); - - // Test if weekStartsOn is between 0 and 6 _and_ is not NaN - if (!(weekStartsOn >= 0 && weekStartsOn <= 6)) { - throw new RangeError('weekStartsOn must be between 0 and 6 inclusively'); - } - var date = toDate(dirtyDate); - var day = date.getUTCDay(); - var diff = (day < weekStartsOn ? 7 : 0) + day - weekStartsOn; - date.setUTCDate(date.getUTCDate() - diff); - date.setUTCHours(0, 0, 0, 0); - return date; - } - - function getUTCWeekYear(dirtyDate, options) { - var _ref, _ref2, _ref3, _options$firstWeekCon, _options$locale, _options$locale$optio, _defaultOptions$local, _defaultOptions$local2; - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var year = date.getUTCFullYear(); - var defaultOptions = getDefaultOptions(); - var firstWeekContainsDate = toInteger((_ref = (_ref2 = (_ref3 = (_options$firstWeekCon = options === null || options === void 0 ? void 0 : options.firstWeekContainsDate) !== null && _options$firstWeekCon !== void 0 ? _options$firstWeekCon : options === null || options === void 0 ? void 0 : (_options$locale = options.locale) === null || _options$locale === void 0 ? void 0 : (_options$locale$optio = _options$locale.options) === null || _options$locale$optio === void 0 ? void 0 : _options$locale$optio.firstWeekContainsDate) !== null && _ref3 !== void 0 ? _ref3 : defaultOptions.firstWeekContainsDate) !== null && _ref2 !== void 0 ? _ref2 : (_defaultOptions$local = defaultOptions.locale) === null || _defaultOptions$local === void 0 ? void 0 : (_defaultOptions$local2 = _defaultOptions$local.options) === null || _defaultOptions$local2 === void 0 ? void 0 : _defaultOptions$local2.firstWeekContainsDate) !== null && _ref !== void 0 ? _ref : 1); - - // Test if weekStartsOn is between 1 and 7 _and_ is not NaN - if (!(firstWeekContainsDate >= 1 && firstWeekContainsDate <= 7)) { - throw new RangeError('firstWeekContainsDate must be between 1 and 7 inclusively'); - } - var firstWeekOfNextYear = new Date(0); - firstWeekOfNextYear.setUTCFullYear(year + 1, 0, firstWeekContainsDate); - firstWeekOfNextYear.setUTCHours(0, 0, 0, 0); - var startOfNextYear = startOfUTCWeek(firstWeekOfNextYear, options); - var firstWeekOfThisYear = new Date(0); - firstWeekOfThisYear.setUTCFullYear(year, 0, firstWeekContainsDate); - firstWeekOfThisYear.setUTCHours(0, 0, 0, 0); - var startOfThisYear = startOfUTCWeek(firstWeekOfThisYear, options); - if (date.getTime() >= startOfNextYear.getTime()) { - return year + 1; - } else if (date.getTime() >= startOfThisYear.getTime()) { - return year; - } else { - return year - 1; - } - } - - function startOfUTCWeekYear(dirtyDate, options) { - var _ref, _ref2, _ref3, _options$firstWeekCon, _options$locale, _options$locale$optio, _defaultOptions$local, _defaultOptions$local2; - requiredArgs(1, arguments); - var defaultOptions = getDefaultOptions(); - var firstWeekContainsDate = toInteger((_ref = (_ref2 = (_ref3 = (_options$firstWeekCon = options === null || options === void 0 ? void 0 : options.firstWeekContainsDate) !== null && _options$firstWeekCon !== void 0 ? _options$firstWeekCon : options === null || options === void 0 ? void 0 : (_options$locale = options.locale) === null || _options$locale === void 0 ? void 0 : (_options$locale$optio = _options$locale.options) === null || _options$locale$optio === void 0 ? void 0 : _options$locale$optio.firstWeekContainsDate) !== null && _ref3 !== void 0 ? _ref3 : defaultOptions.firstWeekContainsDate) !== null && _ref2 !== void 0 ? _ref2 : (_defaultOptions$local = defaultOptions.locale) === null || _defaultOptions$local === void 0 ? void 0 : (_defaultOptions$local2 = _defaultOptions$local.options) === null || _defaultOptions$local2 === void 0 ? void 0 : _defaultOptions$local2.firstWeekContainsDate) !== null && _ref !== void 0 ? _ref : 1); - var year = getUTCWeekYear(dirtyDate, options); - var firstWeek = new Date(0); - firstWeek.setUTCFullYear(year, 0, firstWeekContainsDate); - firstWeek.setUTCHours(0, 0, 0, 0); - var date = startOfUTCWeek(firstWeek, options); - return date; - } - - var MILLISECONDS_IN_WEEK = 604800000; - function getUTCWeek(dirtyDate, options) { - requiredArgs(1, arguments); - var date = toDate(dirtyDate); - var diff = startOfUTCWeek(date, options).getTime() - startOfUTCWeekYear(date, options).getTime(); - - // Round the number of days to the nearest integer - // because the number of milliseconds in a week is not constant - // (e.g. it's different in the week of the daylight saving time clock shift) - return Math.round(diff / MILLISECONDS_IN_WEEK) + 1; - } - - function addLeadingZeros(number, targetLength) { - var sign = number < 0 ? '-' : ''; - var output = Math.abs(number).toString(); - while (output.length < targetLength) { - output = '0' + output; - } - return sign + output; - } - - /* - * | | Unit | | Unit | - * |-----|--------------------------------|-----|--------------------------------| - * | a | AM, PM | A* | | - * | d | Day of month | D | | - * | h | Hour [1-12] | H | Hour [0-23] | - * | m | Minute | M | Month | - * | s | Second | S | Fraction of second | - * | y | Year (abs) | Y | | - * - * Letters marked by * are not implemented but reserved by Unicode standard. - */ - var formatters$2 = { - // Year - y: function y(date, token) { - // From http://www.unicode.org/reports/tr35/tr35-31/tr35-dates.html#Date_Format_tokens - // | Year | y | yy | yyy | yyyy | yyyyy | - // |----------|-------|----|-------|-------|-------| - // | AD 1 | 1 | 01 | 001 | 0001 | 00001 | - // | AD 12 | 12 | 12 | 012 | 0012 | 00012 | - // | AD 123 | 123 | 23 | 123 | 0123 | 00123 | - // | AD 1234 | 1234 | 34 | 1234 | 1234 | 01234 | - // | AD 12345 | 12345 | 45 | 12345 | 12345 | 12345 | - - var signedYear = date.getUTCFullYear(); - // Returns 1 for 1 BC (which is year 0 in JavaScript) - var year = signedYear > 0 ? signedYear : 1 - signedYear; - return addLeadingZeros(token === 'yy' ? year % 100 : year, token.length); - }, - // Month - M: function M(date, token) { - var month = date.getUTCMonth(); - return token === 'M' ? String(month + 1) : addLeadingZeros(month + 1, 2); - }, - // Day of the month - d: function d(date, token) { - return addLeadingZeros(date.getUTCDate(), token.length); - }, - // AM or PM - a: function a(date, token) { - var dayPeriodEnumValue = date.getUTCHours() / 12 >= 1 ? 'pm' : 'am'; - switch (token) { - case 'a': - case 'aa': - return dayPeriodEnumValue.toUpperCase(); - case 'aaa': - return dayPeriodEnumValue; - case 'aaaaa': - return dayPeriodEnumValue[0]; - case 'aaaa': - default: - return dayPeriodEnumValue === 'am' ? 'a.m.' : 'p.m.'; - } - }, - // Hour [1-12] - h: function h(date, token) { - return addLeadingZeros(date.getUTCHours() % 12 || 12, token.length); - }, - // Hour [0-23] - H: function H(date, token) { - return addLeadingZeros(date.getUTCHours(), token.length); - }, - // Minute - m: function m(date, token) { - return addLeadingZeros(date.getUTCMinutes(), token.length); - }, - // Second - s: function s(date, token) { - return addLeadingZeros(date.getUTCSeconds(), token.length); - }, - // Fraction of second - S: function S(date, token) { - var numberOfDigits = token.length; - var milliseconds = date.getUTCMilliseconds(); - var fractionalSeconds = Math.floor(milliseconds * Math.pow(10, numberOfDigits - 3)); - return addLeadingZeros(fractionalSeconds, token.length); - } - }; - var formatters$3 = formatters$2; - - var dayPeriodEnum = { - am: 'am', - pm: 'pm', - midnight: 'midnight', - noon: 'noon', - morning: 'morning', - afternoon: 'afternoon', - evening: 'evening', - night: 'night' - }; - /* - * | | Unit | | Unit | - * |-----|--------------------------------|-----|--------------------------------| - * | a | AM, PM | A* | Milliseconds in day | - * | b | AM, PM, noon, midnight | B | Flexible day period | - * | c | Stand-alone local day of week | C* | Localized hour w/ day period | - * | d | Day of month | D | Day of year | - * | e | Local day of week | E | Day of week | - * | f | | F* | Day of week in month | - * | g* | Modified Julian day | G | Era | - * | h | Hour [1-12] | H | Hour [0-23] | - * | i! | ISO day of week | I! | ISO week of year | - * | j* | Localized hour w/ day period | J* | Localized hour w/o day period | - * | k | Hour [1-24] | K | Hour [0-11] | - * | l* | (deprecated) | L | Stand-alone month | - * | m | Minute | M | Month | - * | n | | N | | - * | o! | Ordinal number modifier | O | Timezone (GMT) | - * | p! | Long localized time | P! | Long localized date | - * | q | Stand-alone quarter | Q | Quarter | - * | r* | Related Gregorian year | R! | ISO week-numbering year | - * | s | Second | S | Fraction of second | - * | t! | Seconds timestamp | T! | Milliseconds timestamp | - * | u | Extended year | U* | Cyclic year | - * | v* | Timezone (generic non-locat.) | V* | Timezone (location) | - * | w | Local week of year | W* | Week of month | - * | x | Timezone (ISO-8601 w/o Z) | X | Timezone (ISO-8601) | - * | y | Year (abs) | Y | Local week-numbering year | - * | z | Timezone (specific non-locat.) | Z* | Timezone (aliases) | - * - * Letters marked by * are not implemented but reserved by Unicode standard. - * - * Letters marked by ! are non-standard, but implemented by date-fns: - * - `o` modifies the previous token to turn it into an ordinal (see `format` docs) - * - `i` is ISO day of week. For `i` and `ii` is returns numeric ISO week days, - * i.e. 7 for Sunday, 1 for Monday, etc. - * - `I` is ISO week of year, as opposed to `w` which is local week of year. - * - `R` is ISO week-numbering year, as opposed to `Y` which is local week-numbering year. - * `R` is supposed to be used in conjunction with `I` and `i` - * for universal ISO week-numbering date, whereas - * `Y` is supposed to be used in conjunction with `w` and `e` - * for week-numbering date specific to the locale. - * - `P` is long localized date format - * - `p` is long localized time format - */ - - var formatters = { - // Era - G: function G(date, token, localize) { - var era = date.getUTCFullYear() > 0 ? 1 : 0; - switch (token) { - // AD, BC - case 'G': - case 'GG': - case 'GGG': - return localize.era(era, { - width: 'abbreviated' - }); - // A, B - case 'GGGGG': - return localize.era(era, { - width: 'narrow' - }); - // Anno Domini, Before Christ - case 'GGGG': - default: - return localize.era(era, { - width: 'wide' - }); - } - }, - // Year - y: function y(date, token, localize) { - // Ordinal number - if (token === 'yo') { - var signedYear = date.getUTCFullYear(); - // Returns 1 for 1 BC (which is year 0 in JavaScript) - var year = signedYear > 0 ? signedYear : 1 - signedYear; - return localize.ordinalNumber(year, { - unit: 'year' - }); - } - return formatters$3.y(date, token); - }, - // Local week-numbering year - Y: function Y(date, token, localize, options) { - var signedWeekYear = getUTCWeekYear(date, options); - // Returns 1 for 1 BC (which is year 0 in JavaScript) - var weekYear = signedWeekYear > 0 ? signedWeekYear : 1 - signedWeekYear; - - // Two digit year - if (token === 'YY') { - var twoDigitYear = weekYear % 100; - return addLeadingZeros(twoDigitYear, 2); - } - - // Ordinal number - if (token === 'Yo') { - return localize.ordinalNumber(weekYear, { - unit: 'year' - }); - } - - // Padding - return addLeadingZeros(weekYear, token.length); - }, - // ISO week-numbering year - R: function R(date, token) { - var isoWeekYear = getUTCISOWeekYear(date); - - // Padding - return addLeadingZeros(isoWeekYear, token.length); - }, - // Extended year. This is a single number designating the year of this calendar system. - // The main difference between `y` and `u` localizers are B.C. years: - // | Year | `y` | `u` | - // |------|-----|-----| - // | AC 1 | 1 | 1 | - // | BC 1 | 1 | 0 | - // | BC 2 | 2 | -1 | - // Also `yy` always returns the last two digits of a year, - // while `uu` pads single digit years to 2 characters and returns other years unchanged. - u: function u(date, token) { - var year = date.getUTCFullYear(); - return addLeadingZeros(year, token.length); - }, - // Quarter - Q: function Q(date, token, localize) { - var quarter = Math.ceil((date.getUTCMonth() + 1) / 3); - switch (token) { - // 1, 2, 3, 4 - case 'Q': - return String(quarter); - // 01, 02, 03, 04 - case 'QQ': - return addLeadingZeros(quarter, 2); - // 1st, 2nd, 3rd, 4th - case 'Qo': - return localize.ordinalNumber(quarter, { - unit: 'quarter' - }); - // Q1, Q2, Q3, Q4 - case 'QQQ': - return localize.quarter(quarter, { - width: 'abbreviated', - context: 'formatting' - }); - // 1, 2, 3, 4 (narrow quarter; could be not numerical) - case 'QQQQQ': - return localize.quarter(quarter, { - width: 'narrow', - context: 'formatting' - }); - // 1st quarter, 2nd quarter, ... - case 'QQQQ': - default: - return localize.quarter(quarter, { - width: 'wide', - context: 'formatting' - }); - } - }, - // Stand-alone quarter - q: function q(date, token, localize) { - var quarter = Math.ceil((date.getUTCMonth() + 1) / 3); - switch (token) { - // 1, 2, 3, 4 - case 'q': - return String(quarter); - // 01, 02, 03, 04 - case 'qq': - return addLeadingZeros(quarter, 2); - // 1st, 2nd, 3rd, 4th - case 'qo': - return localize.ordinalNumber(quarter, { - unit: 'quarter' - }); - // Q1, Q2, Q3, Q4 - case 'qqq': - return localize.quarter(quarter, { - width: 'abbreviated', - context: 'standalone' - }); - // 1, 2, 3, 4 (narrow quarter; could be not numerical) - case 'qqqqq': - return localize.quarter(quarter, { - width: 'narrow', - context: 'standalone' - }); - // 1st quarter, 2nd quarter, ... - case 'qqqq': - default: - return localize.quarter(quarter, { - width: 'wide', - context: 'standalone' - }); - } - }, - // Month - M: function M(date, token, localize) { - var month = date.getUTCMonth(); - switch (token) { - case 'M': - case 'MM': - return formatters$3.M(date, token); - // 1st, 2nd, ..., 12th - case 'Mo': - return localize.ordinalNumber(month + 1, { - unit: 'month' - }); - // Jan, Feb, ..., Dec - case 'MMM': - return localize.month(month, { - width: 'abbreviated', - context: 'formatting' - }); - // J, F, ..., D - case 'MMMMM': - return localize.month(month, { - width: 'narrow', - context: 'formatting' - }); - // January, February, ..., December - case 'MMMM': - default: - return localize.month(month, { - width: 'wide', - context: 'formatting' - }); - } - }, - // Stand-alone month - L: function L(date, token, localize) { - var month = date.getUTCMonth(); - switch (token) { - // 1, 2, ..., 12 - case 'L': - return String(month + 1); - // 01, 02, ..., 12 - case 'LL': - return addLeadingZeros(month + 1, 2); - // 1st, 2nd, ..., 12th - case 'Lo': - return localize.ordinalNumber(month + 1, { - unit: 'month' - }); - // Jan, Feb, ..., Dec - case 'LLL': - return localize.month(month, { - width: 'abbreviated', - context: 'standalone' - }); - // J, F, ..., D - case 'LLLLL': - return localize.month(month, { - width: 'narrow', - context: 'standalone' - }); - // January, February, ..., December - case 'LLLL': - default: - return localize.month(month, { - width: 'wide', - context: 'standalone' - }); - } - }, - // Local week of year - w: function w(date, token, localize, options) { - var week = getUTCWeek(date, options); - if (token === 'wo') { - return localize.ordinalNumber(week, { - unit: 'week' - }); - } - return addLeadingZeros(week, token.length); - }, - // ISO week of year - I: function I(date, token, localize) { - var isoWeek = getUTCISOWeek(date); - if (token === 'Io') { - return localize.ordinalNumber(isoWeek, { - unit: 'week' - }); - } - return addLeadingZeros(isoWeek, token.length); - }, - // Day of the month - d: function d(date, token, localize) { - if (token === 'do') { - return localize.ordinalNumber(date.getUTCDate(), { - unit: 'date' - }); - } - return formatters$3.d(date, token); - }, - // Day of year - D: function D(date, token, localize) { - var dayOfYear = getUTCDayOfYear(date); - if (token === 'Do') { - return localize.ordinalNumber(dayOfYear, { - unit: 'dayOfYear' - }); - } - return addLeadingZeros(dayOfYear, token.length); - }, - // Day of week - E: function E(date, token, localize) { - var dayOfWeek = date.getUTCDay(); - switch (token) { - // Tue - case 'E': - case 'EE': - case 'EEE': - return localize.day(dayOfWeek, { - width: 'abbreviated', - context: 'formatting' - }); - // T - case 'EEEEE': - return localize.day(dayOfWeek, { - width: 'narrow', - context: 'formatting' - }); - // Tu - case 'EEEEEE': - return localize.day(dayOfWeek, { - width: 'short', - context: 'formatting' - }); - // Tuesday - case 'EEEE': - default: - return localize.day(dayOfWeek, { - width: 'wide', - context: 'formatting' - }); - } - }, - // Local day of week - e: function e(date, token, localize, options) { - var dayOfWeek = date.getUTCDay(); - var localDayOfWeek = (dayOfWeek - options.weekStartsOn + 8) % 7 || 7; - switch (token) { - // Numerical value (Nth day of week with current locale or weekStartsOn) - case 'e': - return String(localDayOfWeek); - // Padded numerical value - case 'ee': - return addLeadingZeros(localDayOfWeek, 2); - // 1st, 2nd, ..., 7th - case 'eo': - return localize.ordinalNumber(localDayOfWeek, { - unit: 'day' - }); - case 'eee': - return localize.day(dayOfWeek, { - width: 'abbreviated', - context: 'formatting' - }); - // T - case 'eeeee': - return localize.day(dayOfWeek, { - width: 'narrow', - context: 'formatting' - }); - // Tu - case 'eeeeee': - return localize.day(dayOfWeek, { - width: 'short', - context: 'formatting' - }); - // Tuesday - case 'eeee': - default: - return localize.day(dayOfWeek, { - width: 'wide', - context: 'formatting' - }); - } - }, - // Stand-alone local day of week - c: function c(date, token, localize, options) { - var dayOfWeek = date.getUTCDay(); - var localDayOfWeek = (dayOfWeek - options.weekStartsOn + 8) % 7 || 7; - switch (token) { - // Numerical value (same as in `e`) - case 'c': - return String(localDayOfWeek); - // Padded numerical value - case 'cc': - return addLeadingZeros(localDayOfWeek, token.length); - // 1st, 2nd, ..., 7th - case 'co': - return localize.ordinalNumber(localDayOfWeek, { - unit: 'day' - }); - case 'ccc': - return localize.day(dayOfWeek, { - width: 'abbreviated', - context: 'standalone' - }); - // T - case 'ccccc': - return localize.day(dayOfWeek, { - width: 'narrow', - context: 'standalone' - }); - // Tu - case 'cccccc': - return localize.day(dayOfWeek, { - width: 'short', - context: 'standalone' - }); - // Tuesday - case 'cccc': - default: - return localize.day(dayOfWeek, { - width: 'wide', - context: 'standalone' - }); - } - }, - // ISO day of week - i: function i(date, token, localize) { - var dayOfWeek = date.getUTCDay(); - var isoDayOfWeek = dayOfWeek === 0 ? 7 : dayOfWeek; - switch (token) { - // 2 - case 'i': - return String(isoDayOfWeek); - // 02 - case 'ii': - return addLeadingZeros(isoDayOfWeek, token.length); - // 2nd - case 'io': - return localize.ordinalNumber(isoDayOfWeek, { - unit: 'day' - }); - // Tue - case 'iii': - return localize.day(dayOfWeek, { - width: 'abbreviated', - context: 'formatting' - }); - // T - case 'iiiii': - return localize.day(dayOfWeek, { - width: 'narrow', - context: 'formatting' - }); - // Tu - case 'iiiiii': - return localize.day(dayOfWeek, { - width: 'short', - context: 'formatting' - }); - // Tuesday - case 'iiii': - default: - return localize.day(dayOfWeek, { - width: 'wide', - context: 'formatting' - }); - } - }, - // AM or PM - a: function a(date, token, localize) { - var hours = date.getUTCHours(); - var dayPeriodEnumValue = hours / 12 >= 1 ? 'pm' : 'am'; - switch (token) { - case 'a': - case 'aa': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'abbreviated', - context: 'formatting' - }); - case 'aaa': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'abbreviated', - context: 'formatting' - }).toLowerCase(); - case 'aaaaa': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'narrow', - context: 'formatting' - }); - case 'aaaa': - default: - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'wide', - context: 'formatting' - }); - } - }, - // AM, PM, midnight, noon - b: function b(date, token, localize) { - var hours = date.getUTCHours(); - var dayPeriodEnumValue; - if (hours === 12) { - dayPeriodEnumValue = dayPeriodEnum.noon; - } else if (hours === 0) { - dayPeriodEnumValue = dayPeriodEnum.midnight; - } else { - dayPeriodEnumValue = hours / 12 >= 1 ? 'pm' : 'am'; - } - switch (token) { - case 'b': - case 'bb': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'abbreviated', - context: 'formatting' - }); - case 'bbb': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'abbreviated', - context: 'formatting' - }).toLowerCase(); - case 'bbbbb': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'narrow', - context: 'formatting' - }); - case 'bbbb': - default: - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'wide', - context: 'formatting' - }); - } - }, - // in the morning, in the afternoon, in the evening, at night - B: function B(date, token, localize) { - var hours = date.getUTCHours(); - var dayPeriodEnumValue; - if (hours >= 17) { - dayPeriodEnumValue = dayPeriodEnum.evening; - } else if (hours >= 12) { - dayPeriodEnumValue = dayPeriodEnum.afternoon; - } else if (hours >= 4) { - dayPeriodEnumValue = dayPeriodEnum.morning; - } else { - dayPeriodEnumValue = dayPeriodEnum.night; - } - switch (token) { - case 'B': - case 'BB': - case 'BBB': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'abbreviated', - context: 'formatting' - }); - case 'BBBBB': - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'narrow', - context: 'formatting' - }); - case 'BBBB': - default: - return localize.dayPeriod(dayPeriodEnumValue, { - width: 'wide', - context: 'formatting' - }); - } - }, - // Hour [1-12] - h: function h(date, token, localize) { - if (token === 'ho') { - var hours = date.getUTCHours() % 12; - if (hours === 0) hours = 12; - return localize.ordinalNumber(hours, { - unit: 'hour' - }); - } - return formatters$3.h(date, token); - }, - // Hour [0-23] - H: function H(date, token, localize) { - if (token === 'Ho') { - return localize.ordinalNumber(date.getUTCHours(), { - unit: 'hour' - }); - } - return formatters$3.H(date, token); - }, - // Hour [0-11] - K: function K(date, token, localize) { - var hours = date.getUTCHours() % 12; - if (token === 'Ko') { - return localize.ordinalNumber(hours, { - unit: 'hour' - }); - } - return addLeadingZeros(hours, token.length); - }, - // Hour [1-24] - k: function k(date, token, localize) { - var hours = date.getUTCHours(); - if (hours === 0) hours = 24; - if (token === 'ko') { - return localize.ordinalNumber(hours, { - unit: 'hour' - }); - } - return addLeadingZeros(hours, token.length); - }, - // Minute - m: function m(date, token, localize) { - if (token === 'mo') { - return localize.ordinalNumber(date.getUTCMinutes(), { - unit: 'minute' - }); - } - return formatters$3.m(date, token); - }, - // Second - s: function s(date, token, localize) { - if (token === 'so') { - return localize.ordinalNumber(date.getUTCSeconds(), { - unit: 'second' - }); - } - return formatters$3.s(date, token); - }, - // Fraction of second - S: function S(date, token) { - return formatters$3.S(date, token); - }, - // Timezone (ISO-8601. If offset is 0, output is always `'Z'`) - X: function X(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timezoneOffset = originalDate.getTimezoneOffset(); - if (timezoneOffset === 0) { - return 'Z'; - } - switch (token) { - // Hours and optional minutes - case 'X': - return formatTimezoneWithOptionalMinutes(timezoneOffset); - - // Hours, minutes and optional seconds without `:` delimiter - // Note: neither ISO-8601 nor JavaScript supports seconds in timezone offsets - // so this token always has the same output as `XX` - case 'XXXX': - case 'XX': - // Hours and minutes without `:` delimiter - return formatTimezone(timezoneOffset); - - // Hours, minutes and optional seconds with `:` delimiter - // Note: neither ISO-8601 nor JavaScript supports seconds in timezone offsets - // so this token always has the same output as `XXX` - case 'XXXXX': - case 'XXX': // Hours and minutes with `:` delimiter - default: - return formatTimezone(timezoneOffset, ':'); - } - }, - // Timezone (ISO-8601. If offset is 0, output is `'+00:00'` or equivalent) - x: function x(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timezoneOffset = originalDate.getTimezoneOffset(); - switch (token) { - // Hours and optional minutes - case 'x': - return formatTimezoneWithOptionalMinutes(timezoneOffset); - - // Hours, minutes and optional seconds without `:` delimiter - // Note: neither ISO-8601 nor JavaScript supports seconds in timezone offsets - // so this token always has the same output as `xx` - case 'xxxx': - case 'xx': - // Hours and minutes without `:` delimiter - return formatTimezone(timezoneOffset); - - // Hours, minutes and optional seconds with `:` delimiter - // Note: neither ISO-8601 nor JavaScript supports seconds in timezone offsets - // so this token always has the same output as `xxx` - case 'xxxxx': - case 'xxx': // Hours and minutes with `:` delimiter - default: - return formatTimezone(timezoneOffset, ':'); - } - }, - // Timezone (GMT) - O: function O(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timezoneOffset = originalDate.getTimezoneOffset(); - switch (token) { - // Short - case 'O': - case 'OO': - case 'OOO': - return 'GMT' + formatTimezoneShort(timezoneOffset, ':'); - // Long - case 'OOOO': - default: - return 'GMT' + formatTimezone(timezoneOffset, ':'); - } - }, - // Timezone (specific non-location) - z: function z(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timezoneOffset = originalDate.getTimezoneOffset(); - switch (token) { - // Short - case 'z': - case 'zz': - case 'zzz': - return 'GMT' + formatTimezoneShort(timezoneOffset, ':'); - // Long - case 'zzzz': - default: - return 'GMT' + formatTimezone(timezoneOffset, ':'); - } - }, - // Seconds timestamp - t: function t(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timestamp = Math.floor(originalDate.getTime() / 1000); - return addLeadingZeros(timestamp, token.length); - }, - // Milliseconds timestamp - T: function T(date, token, _localize, options) { - var originalDate = options._originalDate || date; - var timestamp = originalDate.getTime(); - return addLeadingZeros(timestamp, token.length); - } - }; - function formatTimezoneShort(offset, dirtyDelimiter) { - var sign = offset > 0 ? '-' : '+'; - var absOffset = Math.abs(offset); - var hours = Math.floor(absOffset / 60); - var minutes = absOffset % 60; - if (minutes === 0) { - return sign + String(hours); - } - var delimiter = dirtyDelimiter || ''; - return sign + String(hours) + delimiter + addLeadingZeros(minutes, 2); - } - function formatTimezoneWithOptionalMinutes(offset, dirtyDelimiter) { - if (offset % 60 === 0) { - var sign = offset > 0 ? '-' : '+'; - return sign + addLeadingZeros(Math.abs(offset) / 60, 2); - } - return formatTimezone(offset, dirtyDelimiter); - } - function formatTimezone(offset, dirtyDelimiter) { - var delimiter = dirtyDelimiter || ''; - var sign = offset > 0 ? '-' : '+'; - var absOffset = Math.abs(offset); - var hours = addLeadingZeros(Math.floor(absOffset / 60), 2); - var minutes = addLeadingZeros(absOffset % 60, 2); - return sign + hours + delimiter + minutes; - } - var formatters$1 = formatters; - - var dateLongFormatter = function dateLongFormatter(pattern, formatLong) { - switch (pattern) { - case 'P': - return formatLong.date({ - width: 'short' - }); - case 'PP': - return formatLong.date({ - width: 'medium' - }); - case 'PPP': - return formatLong.date({ - width: 'long' - }); - case 'PPPP': - default: - return formatLong.date({ - width: 'full' - }); - } - }; - var timeLongFormatter = function timeLongFormatter(pattern, formatLong) { - switch (pattern) { - case 'p': - return formatLong.time({ - width: 'short' - }); - case 'pp': - return formatLong.time({ - width: 'medium' - }); - case 'ppp': - return formatLong.time({ - width: 'long' - }); - case 'pppp': - default: - return formatLong.time({ - width: 'full' - }); - } - }; - var dateTimeLongFormatter = function dateTimeLongFormatter(pattern, formatLong) { - var matchResult = pattern.match(/(P+)(p+)?/) || []; - var datePattern = matchResult[1]; - var timePattern = matchResult[2]; - if (!timePattern) { - return dateLongFormatter(pattern, formatLong); - } - var dateTimeFormat; - switch (datePattern) { - case 'P': - dateTimeFormat = formatLong.dateTime({ - width: 'short' - }); - break; - case 'PP': - dateTimeFormat = formatLong.dateTime({ - width: 'medium' - }); - break; - case 'PPP': - dateTimeFormat = formatLong.dateTime({ - width: 'long' - }); - break; - case 'PPPP': - default: - dateTimeFormat = formatLong.dateTime({ - width: 'full' - }); - break; - } - return dateTimeFormat.replace('{{date}}', dateLongFormatter(datePattern, formatLong)).replace('{{time}}', timeLongFormatter(timePattern, formatLong)); - }; - var longFormatters = { - p: timeLongFormatter, - P: dateTimeLongFormatter - }; - var longFormatters$1 = longFormatters; - - var protectedDayOfYearTokens = ['D', 'DD']; - var protectedWeekYearTokens = ['YY', 'YYYY']; - function isProtectedDayOfYearToken(token) { - return protectedDayOfYearTokens.indexOf(token) !== -1; - } - function isProtectedWeekYearToken(token) { - return protectedWeekYearTokens.indexOf(token) !== -1; - } - function throwProtectedError(token, format, input) { - if (token === 'YYYY') { - throw new RangeError("Use `yyyy` instead of `YYYY` (in `".concat(format, "`) for formatting years to the input `").concat(input, "`; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md")); - } else if (token === 'YY') { - throw new RangeError("Use `yy` instead of `YY` (in `".concat(format, "`) for formatting years to the input `").concat(input, "`; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md")); - } else if (token === 'D') { - throw new RangeError("Use `d` instead of `D` (in `".concat(format, "`) for formatting days of the month to the input `").concat(input, "`; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md")); - } else if (token === 'DD') { - throw new RangeError("Use `dd` instead of `DD` (in `".concat(format, "`) for formatting days of the month to the input `").concat(input, "`; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md")); - } - } - - // - [yYQqMLwIdDecihHKkms]o matches any available ordinal number token - // (one of the certain letters followed by `o`) - // - (\w)\1* matches any sequences of the same letter - // - '' matches two quote characters in a row - // - '(''|[^'])+('|$) matches anything surrounded by two quote characters ('), - // except a single quote symbol, which ends the sequence. - // Two quote characters do not end the sequence. - // If there is no matching single quote - // then the sequence will continue until the end of the string. - // - . matches any single character unmatched by previous parts of the RegExps - var formattingTokensRegExp = /[yYQqMLwIdDecihHKkms]o|(\w)\1*|''|'(''|[^'])+('|$)|./g; - - // This RegExp catches symbols escaped by quotes, and also - // sequences of symbols P, p, and the combinations like `PPPPPPPppppp` - var longFormattingTokensRegExp = /P+p+|P+|p+|''|'(''|[^'])+('|$)|./g; - var escapedStringRegExp = /^'([^]*?)'?$/; - var doubleQuoteRegExp = /''/g; - var unescapedLatinCharacterRegExp = /[a-zA-Z]/; - - /** - * @name format - * @category Common Helpers - * @summary Format the date. - * - * @description - * Return the formatted date string in the given format. The result may vary by locale. - * - * > ⚠️ Please note that the `format` tokens differ from Moment.js and other libraries. - * > See: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * - * The characters wrapped between two single quotes characters (') are escaped. - * Two single quotes in a row, whether inside or outside a quoted sequence, represent a 'real' single quote. - * (see the last example) - * - * Format of the string is based on Unicode Technical Standard #35: - * https://www.unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table - * with a few additions (see note 7 below the table). - * - * Accepted patterns: - * | Unit | Pattern | Result examples | Notes | - * |---------------------------------|---------|-----------------------------------|-------| - * | Era | G..GGG | AD, BC | | - * | | GGGG | Anno Domini, Before Christ | 2 | - * | | GGGGG | A, B | | - * | Calendar year | y | 44, 1, 1900, 2017 | 5 | - * | | yo | 44th, 1st, 0th, 17th | 5,7 | - * | | yy | 44, 01, 00, 17 | 5 | - * | | yyy | 044, 001, 1900, 2017 | 5 | - * | | yyyy | 0044, 0001, 1900, 2017 | 5 | - * | | yyyyy | ... | 3,5 | - * | Local week-numbering year | Y | 44, 1, 1900, 2017 | 5 | - * | | Yo | 44th, 1st, 1900th, 2017th | 5,7 | - * | | YY | 44, 01, 00, 17 | 5,8 | - * | | YYY | 044, 001, 1900, 2017 | 5 | - * | | YYYY | 0044, 0001, 1900, 2017 | 5,8 | - * | | YYYYY | ... | 3,5 | - * | ISO week-numbering year | R | -43, 0, 1, 1900, 2017 | 5,7 | - * | | RR | -43, 00, 01, 1900, 2017 | 5,7 | - * | | RRR | -043, 000, 001, 1900, 2017 | 5,7 | - * | | RRRR | -0043, 0000, 0001, 1900, 2017 | 5,7 | - * | | RRRRR | ... | 3,5,7 | - * | Extended year | u | -43, 0, 1, 1900, 2017 | 5 | - * | | uu | -43, 01, 1900, 2017 | 5 | - * | | uuu | -043, 001, 1900, 2017 | 5 | - * | | uuuu | -0043, 0001, 1900, 2017 | 5 | - * | | uuuuu | ... | 3,5 | - * | Quarter (formatting) | Q | 1, 2, 3, 4 | | - * | | Qo | 1st, 2nd, 3rd, 4th | 7 | - * | | QQ | 01, 02, 03, 04 | | - * | | QQQ | Q1, Q2, Q3, Q4 | | - * | | QQQQ | 1st quarter, 2nd quarter, ... | 2 | - * | | QQQQQ | 1, 2, 3, 4 | 4 | - * | Quarter (stand-alone) | q | 1, 2, 3, 4 | | - * | | qo | 1st, 2nd, 3rd, 4th | 7 | - * | | qq | 01, 02, 03, 04 | | - * | | qqq | Q1, Q2, Q3, Q4 | | - * | | qqqq | 1st quarter, 2nd quarter, ... | 2 | - * | | qqqqq | 1, 2, 3, 4 | 4 | - * | Month (formatting) | M | 1, 2, ..., 12 | | - * | | Mo | 1st, 2nd, ..., 12th | 7 | - * | | MM | 01, 02, ..., 12 | | - * | | MMM | Jan, Feb, ..., Dec | | - * | | MMMM | January, February, ..., December | 2 | - * | | MMMMM | J, F, ..., D | | - * | Month (stand-alone) | L | 1, 2, ..., 12 | | - * | | Lo | 1st, 2nd, ..., 12th | 7 | - * | | LL | 01, 02, ..., 12 | | - * | | LLL | Jan, Feb, ..., Dec | | - * | | LLLL | January, February, ..., December | 2 | - * | | LLLLL | J, F, ..., D | | - * | Local week of year | w | 1, 2, ..., 53 | | - * | | wo | 1st, 2nd, ..., 53th | 7 | - * | | ww | 01, 02, ..., 53 | | - * | ISO week of year | I | 1, 2, ..., 53 | 7 | - * | | Io | 1st, 2nd, ..., 53th | 7 | - * | | II | 01, 02, ..., 53 | 7 | - * | Day of month | d | 1, 2, ..., 31 | | - * | | do | 1st, 2nd, ..., 31st | 7 | - * | | dd | 01, 02, ..., 31 | | - * | Day of year | D | 1, 2, ..., 365, 366 | 9 | - * | | Do | 1st, 2nd, ..., 365th, 366th | 7 | - * | | DD | 01, 02, ..., 365, 366 | 9 | - * | | DDD | 001, 002, ..., 365, 366 | | - * | | DDDD | ... | 3 | - * | Day of week (formatting) | E..EEE | Mon, Tue, Wed, ..., Sun | | - * | | EEEE | Monday, Tuesday, ..., Sunday | 2 | - * | | EEEEE | M, T, W, T, F, S, S | | - * | | EEEEEE | Mo, Tu, We, Th, Fr, Sa, Su | | - * | ISO day of week (formatting) | i | 1, 2, 3, ..., 7 | 7 | - * | | io | 1st, 2nd, ..., 7th | 7 | - * | | ii | 01, 02, ..., 07 | 7 | - * | | iii | Mon, Tue, Wed, ..., Sun | 7 | - * | | iiii | Monday, Tuesday, ..., Sunday | 2,7 | - * | | iiiii | M, T, W, T, F, S, S | 7 | - * | | iiiiii | Mo, Tu, We, Th, Fr, Sa, Su | 7 | - * | Local day of week (formatting) | e | 2, 3, 4, ..., 1 | | - * | | eo | 2nd, 3rd, ..., 1st | 7 | - * | | ee | 02, 03, ..., 01 | | - * | | eee | Mon, Tue, Wed, ..., Sun | | - * | | eeee | Monday, Tuesday, ..., Sunday | 2 | - * | | eeeee | M, T, W, T, F, S, S | | - * | | eeeeee | Mo, Tu, We, Th, Fr, Sa, Su | | - * | Local day of week (stand-alone) | c | 2, 3, 4, ..., 1 | | - * | | co | 2nd, 3rd, ..., 1st | 7 | - * | | cc | 02, 03, ..., 01 | | - * | | ccc | Mon, Tue, Wed, ..., Sun | | - * | | cccc | Monday, Tuesday, ..., Sunday | 2 | - * | | ccccc | M, T, W, T, F, S, S | | - * | | cccccc | Mo, Tu, We, Th, Fr, Sa, Su | | - * | AM, PM | a..aa | AM, PM | | - * | | aaa | am, pm | | - * | | aaaa | a.m., p.m. | 2 | - * | | aaaaa | a, p | | - * | AM, PM, noon, midnight | b..bb | AM, PM, noon, midnight | | - * | | bbb | am, pm, noon, midnight | | - * | | bbbb | a.m., p.m., noon, midnight | 2 | - * | | bbbbb | a, p, n, mi | | - * | Flexible day period | B..BBB | at night, in the morning, ... | | - * | | BBBB | at night, in the morning, ... | 2 | - * | | BBBBB | at night, in the morning, ... | | - * | Hour [1-12] | h | 1, 2, ..., 11, 12 | | - * | | ho | 1st, 2nd, ..., 11th, 12th | 7 | - * | | hh | 01, 02, ..., 11, 12 | | - * | Hour [0-23] | H | 0, 1, 2, ..., 23 | | - * | | Ho | 0th, 1st, 2nd, ..., 23rd | 7 | - * | | HH | 00, 01, 02, ..., 23 | | - * | Hour [0-11] | K | 1, 2, ..., 11, 0 | | - * | | Ko | 1st, 2nd, ..., 11th, 0th | 7 | - * | | KK | 01, 02, ..., 11, 00 | | - * | Hour [1-24] | k | 24, 1, 2, ..., 23 | | - * | | ko | 24th, 1st, 2nd, ..., 23rd | 7 | - * | | kk | 24, 01, 02, ..., 23 | | - * | Minute | m | 0, 1, ..., 59 | | - * | | mo | 0th, 1st, ..., 59th | 7 | - * | | mm | 00, 01, ..., 59 | | - * | Second | s | 0, 1, ..., 59 | | - * | | so | 0th, 1st, ..., 59th | 7 | - * | | ss | 00, 01, ..., 59 | | - * | Fraction of second | S | 0, 1, ..., 9 | | - * | | SS | 00, 01, ..., 99 | | - * | | SSS | 000, 001, ..., 999 | | - * | | SSSS | ... | 3 | - * | Timezone (ISO-8601 w/ Z) | X | -08, +0530, Z | | - * | | XX | -0800, +0530, Z | | - * | | XXX | -08:00, +05:30, Z | | - * | | XXXX | -0800, +0530, Z, +123456 | 2 | - * | | XXXXX | -08:00, +05:30, Z, +12:34:56 | | - * | Timezone (ISO-8601 w/o Z) | x | -08, +0530, +00 | | - * | | xx | -0800, +0530, +0000 | | - * | | xxx | -08:00, +05:30, +00:00 | 2 | - * | | xxxx | -0800, +0530, +0000, +123456 | | - * | | xxxxx | -08:00, +05:30, +00:00, +12:34:56 | | - * | Timezone (GMT) | O...OOO | GMT-8, GMT+5:30, GMT+0 | | - * | | OOOO | GMT-08:00, GMT+05:30, GMT+00:00 | 2 | - * | Timezone (specific non-locat.) | z...zzz | GMT-8, GMT+5:30, GMT+0 | 6 | - * | | zzzz | GMT-08:00, GMT+05:30, GMT+00:00 | 2,6 | - * | Seconds timestamp | t | 512969520 | 7 | - * | | tt | ... | 3,7 | - * | Milliseconds timestamp | T | 512969520900 | 7 | - * | | TT | ... | 3,7 | - * | Long localized date | P | 04/29/1453 | 7 | - * | | PP | Apr 29, 1453 | 7 | - * | | PPP | April 29th, 1453 | 7 | - * | | PPPP | Friday, April 29th, 1453 | 2,7 | - * | Long localized time | p | 12:00 AM | 7 | - * | | pp | 12:00:00 AM | 7 | - * | | ppp | 12:00:00 AM GMT+2 | 7 | - * | | pppp | 12:00:00 AM GMT+02:00 | 2,7 | - * | Combination of date and time | Pp | 04/29/1453, 12:00 AM | 7 | - * | | PPpp | Apr 29, 1453, 12:00:00 AM | 7 | - * | | PPPppp | April 29th, 1453 at ... | 7 | - * | | PPPPpppp| Friday, April 29th, 1453 at ... | 2,7 | - * Notes: - * 1. "Formatting" units (e.g. formatting quarter) in the default en-US locale - * are the same as "stand-alone" units, but are different in some languages. - * "Formatting" units are declined according to the rules of the language - * in the context of a date. "Stand-alone" units are always nominative singular: - * - * `format(new Date(2017, 10, 6), 'do LLLL', {locale: cs}) //=> '6. listopad'` - * - * `format(new Date(2017, 10, 6), 'do MMMM', {locale: cs}) //=> '6. listopadu'` - * - * 2. Any sequence of the identical letters is a pattern, unless it is escaped by - * the single quote characters (see below). - * If the sequence is longer than listed in table (e.g. `EEEEEEEEEEE`) - * the output will be the same as default pattern for this unit, usually - * the longest one (in case of ISO weekdays, `EEEE`). Default patterns for units - * are marked with "2" in the last column of the table. - * - * `format(new Date(2017, 10, 6), 'MMM') //=> 'Nov'` - * - * `format(new Date(2017, 10, 6), 'MMMM') //=> 'November'` - * - * `format(new Date(2017, 10, 6), 'MMMMM') //=> 'N'` - * - * `format(new Date(2017, 10, 6), 'MMMMMM') //=> 'November'` - * - * `format(new Date(2017, 10, 6), 'MMMMMMM') //=> 'November'` - * - * 3. Some patterns could be unlimited length (such as `yyyyyyyy`). - * The output will be padded with zeros to match the length of the pattern. - * - * `format(new Date(2017, 10, 6), 'yyyyyyyy') //=> '00002017'` - * - * 4. `QQQQQ` and `qqqqq` could be not strictly numerical in some locales. - * These tokens represent the shortest form of the quarter. - * - * 5. The main difference between `y` and `u` patterns are B.C. years: - * - * | Year | `y` | `u` | - * |------|-----|-----| - * | AC 1 | 1 | 1 | - * | BC 1 | 1 | 0 | - * | BC 2 | 2 | -1 | - * - * Also `yy` always returns the last two digits of a year, - * while `uu` pads single digit years to 2 characters and returns other years unchanged: - * - * | Year | `yy` | `uu` | - * |------|------|------| - * | 1 | 01 | 01 | - * | 14 | 14 | 14 | - * | 376 | 76 | 376 | - * | 1453 | 53 | 1453 | - * - * The same difference is true for local and ISO week-numbering years (`Y` and `R`), - * except local week-numbering years are dependent on `options.weekStartsOn` - * and `options.firstWeekContainsDate` (compare [getISOWeekYear]{@link https://date-fns.org/docs/getISOWeekYear} - * and [getWeekYear]{@link https://date-fns.org/docs/getWeekYear}). - * - * 6. Specific non-location timezones are currently unavailable in `date-fns`, - * so right now these tokens fall back to GMT timezones. - * - * 7. These patterns are not in the Unicode Technical Standard #35: - * - `i`: ISO day of week - * - `I`: ISO week of year - * - `R`: ISO week-numbering year - * - `t`: seconds timestamp - * - `T`: milliseconds timestamp - * - `o`: ordinal number modifier - * - `P`: long localized date - * - `p`: long localized time - * - * 8. `YY` and `YYYY` tokens represent week-numbering years but they are often confused with years. - * You should enable `options.useAdditionalWeekYearTokens` to use them. See: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * - * 9. `D` and `DD` tokens represent days of the year but they are often confused with days of the month. - * You should enable `options.useAdditionalDayOfYearTokens` to use them. See: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * - * @param {Date|Number} date - the original date - * @param {String} format - the string of tokens - * @param {Object} [options] - an object with options. - * @param {Locale} [options.locale=defaultLocale] - the locale object. See [Locale]{@link https://date-fns.org/docs/Locale} - * @param {0|1|2|3|4|5|6} [options.weekStartsOn=0] - the index of the first day of the week (0 - Sunday) - * @param {Number} [options.firstWeekContainsDate=1] - the day of January, which is - * @param {Boolean} [options.useAdditionalWeekYearTokens=false] - if true, allows usage of the week-numbering year tokens `YY` and `YYYY`; - * see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @param {Boolean} [options.useAdditionalDayOfYearTokens=false] - if true, allows usage of the day of year tokens `D` and `DD`; - * see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @returns {String} the formatted date string - * @throws {TypeError} 2 arguments required - * @throws {RangeError} `date` must not be Invalid Date - * @throws {RangeError} `options.locale` must contain `localize` property - * @throws {RangeError} `options.locale` must contain `formatLong` property - * @throws {RangeError} `options.weekStartsOn` must be between 0 and 6 - * @throws {RangeError} `options.firstWeekContainsDate` must be between 1 and 7 - * @throws {RangeError} use `yyyy` instead of `YYYY` for formatting years using [format provided] to the input [input provided]; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @throws {RangeError} use `yy` instead of `YY` for formatting years using [format provided] to the input [input provided]; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @throws {RangeError} use `d` instead of `D` for formatting days of the month using [format provided] to the input [input provided]; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @throws {RangeError} use `dd` instead of `DD` for formatting days of the month using [format provided] to the input [input provided]; see: https://github.com/date-fns/date-fns/blob/master/docs/unicodeTokens.md - * @throws {RangeError} format string contains an unescaped latin alphabet character - * - * @example - * // Represent 11 February 2014 in middle-endian format: - * const result = format(new Date(2014, 1, 11), 'MM/dd/yyyy') - * //=> '02/11/2014' - * - * @example - * // Represent 2 July 2014 in Esperanto: - * import { eoLocale } from 'date-fns/locale/eo' - * const result = format(new Date(2014, 6, 2), "do 'de' MMMM yyyy", { - * locale: eoLocale - * }) - * //=> '2-a de julio 2014' - * - * @example - * // Escape string by single quote characters: - * const result = format(new Date(2014, 6, 2, 15), "h 'o''clock'") - * //=> "3 o'clock" - */ - - function format(dirtyDate, dirtyFormatStr, options) { - var _ref, _options$locale, _ref2, _ref3, _ref4, _options$firstWeekCon, _options$locale2, _options$locale2$opti, _defaultOptions$local, _defaultOptions$local2, _ref5, _ref6, _ref7, _options$weekStartsOn, _options$locale3, _options$locale3$opti, _defaultOptions$local3, _defaultOptions$local4; - requiredArgs(2, arguments); - var formatStr = String(dirtyFormatStr); - var defaultOptions = getDefaultOptions(); - var locale = (_ref = (_options$locale = options === null || options === void 0 ? void 0 : options.locale) !== null && _options$locale !== void 0 ? _options$locale : defaultOptions.locale) !== null && _ref !== void 0 ? _ref : defaultLocale; - var firstWeekContainsDate = toInteger((_ref2 = (_ref3 = (_ref4 = (_options$firstWeekCon = options === null || options === void 0 ? void 0 : options.firstWeekContainsDate) !== null && _options$firstWeekCon !== void 0 ? _options$firstWeekCon : options === null || options === void 0 ? void 0 : (_options$locale2 = options.locale) === null || _options$locale2 === void 0 ? void 0 : (_options$locale2$opti = _options$locale2.options) === null || _options$locale2$opti === void 0 ? void 0 : _options$locale2$opti.firstWeekContainsDate) !== null && _ref4 !== void 0 ? _ref4 : defaultOptions.firstWeekContainsDate) !== null && _ref3 !== void 0 ? _ref3 : (_defaultOptions$local = defaultOptions.locale) === null || _defaultOptions$local === void 0 ? void 0 : (_defaultOptions$local2 = _defaultOptions$local.options) === null || _defaultOptions$local2 === void 0 ? void 0 : _defaultOptions$local2.firstWeekContainsDate) !== null && _ref2 !== void 0 ? _ref2 : 1); - - // Test if weekStartsOn is between 1 and 7 _and_ is not NaN - if (!(firstWeekContainsDate >= 1 && firstWeekContainsDate <= 7)) { - throw new RangeError('firstWeekContainsDate must be between 1 and 7 inclusively'); - } - var weekStartsOn = toInteger((_ref5 = (_ref6 = (_ref7 = (_options$weekStartsOn = options === null || options === void 0 ? void 0 : options.weekStartsOn) !== null && _options$weekStartsOn !== void 0 ? _options$weekStartsOn : options === null || options === void 0 ? void 0 : (_options$locale3 = options.locale) === null || _options$locale3 === void 0 ? void 0 : (_options$locale3$opti = _options$locale3.options) === null || _options$locale3$opti === void 0 ? void 0 : _options$locale3$opti.weekStartsOn) !== null && _ref7 !== void 0 ? _ref7 : defaultOptions.weekStartsOn) !== null && _ref6 !== void 0 ? _ref6 : (_defaultOptions$local3 = defaultOptions.locale) === null || _defaultOptions$local3 === void 0 ? void 0 : (_defaultOptions$local4 = _defaultOptions$local3.options) === null || _defaultOptions$local4 === void 0 ? void 0 : _defaultOptions$local4.weekStartsOn) !== null && _ref5 !== void 0 ? _ref5 : 0); - - // Test if weekStartsOn is between 0 and 6 _and_ is not NaN - if (!(weekStartsOn >= 0 && weekStartsOn <= 6)) { - throw new RangeError('weekStartsOn must be between 0 and 6 inclusively'); - } - if (!locale.localize) { - throw new RangeError('locale must contain localize property'); - } - if (!locale.formatLong) { - throw new RangeError('locale must contain formatLong property'); - } - var originalDate = toDate(dirtyDate); - if (!isValid(originalDate)) { - throw new RangeError('Invalid time value'); - } - - // Convert the date in system timezone to the same date in UTC+00:00 timezone. - // This ensures that when UTC functions will be implemented, locales will be compatible with them. - // See an issue about UTC functions: https://github.com/date-fns/date-fns/issues/376 - var timezoneOffset = getTimezoneOffsetInMilliseconds(originalDate); - var utcDate = subMilliseconds(originalDate, timezoneOffset); - var formatterOptions = { - firstWeekContainsDate: firstWeekContainsDate, - weekStartsOn: weekStartsOn, - locale: locale, - _originalDate: originalDate - }; - var result = formatStr.match(longFormattingTokensRegExp).map(function (substring) { - var firstCharacter = substring[0]; - if (firstCharacter === 'p' || firstCharacter === 'P') { - var longFormatter = longFormatters$1[firstCharacter]; - return longFormatter(substring, locale.formatLong); - } - return substring; - }).join('').match(formattingTokensRegExp).map(function (substring) { - // Replace two single quote characters with one single quote character - if (substring === "''") { - return "'"; - } - var firstCharacter = substring[0]; - if (firstCharacter === "'") { - return cleanEscapedString(substring); - } - var formatter = formatters$1[firstCharacter]; - if (formatter) { - if (!(options !== null && options !== void 0 && options.useAdditionalWeekYearTokens) && isProtectedWeekYearToken(substring)) { - throwProtectedError(substring, dirtyFormatStr, String(dirtyDate)); - } - if (!(options !== null && options !== void 0 && options.useAdditionalDayOfYearTokens) && isProtectedDayOfYearToken(substring)) { - throwProtectedError(substring, dirtyFormatStr, String(dirtyDate)); - } - return formatter(utcDate, substring, locale.localize, formatterOptions); - } - if (firstCharacter.match(unescapedLatinCharacterRegExp)) { - throw new RangeError('Format string contains an unescaped latin alphabet character `' + firstCharacter + '`'); - } - return substring; - }).join(''); - return result; - } - function cleanEscapedString(input) { - var matched = input.match(escapedStringRegExp); - if (!matched) { - return input; - } - return matched[1].replace(doubleQuoteRegExp, "'"); - } - - /* src/components/detailcardcomponents/DetailListCard.svelte generated by Svelte v3.59.1 */ - const file$H = "src/components/detailcardcomponents/DetailListCard.svelte"; - - function get_each_context$e(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[6] = list[i]; - return child_ctx; - } - - // (49:4) {:else} - function create_else_block$o(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-orange-500 h-2"); - add_location(div, file$H, 49, 6, 1207); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$o.name, - type: "else", - source: "(49:4) {:else}", - ctx - }); - - return block; - } - - // (47:39) - function create_if_block_2$j(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-green-500 h-2"); - add_location(div, file$H, 47, 6, 1156); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$j.name, - type: "if", - source: "(47:39) ", - ctx - }); - - return block; - } - - // (45:4) {#if val.finalEval === 'FAIL'} - function create_if_block_1$n(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-red-500 h-2"); - add_location(div, file$H, 45, 6, 1079); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$n.name, - type: "if", - source: "(45:4) {#if val.finalEval === 'FAIL'}", - ctx - }); - - return block; - } - - // (108:8) {#if val.performanceScore} - function create_if_block$x(ctx) { - let div; - let h2; - let span; - let t1; - let lighthousesummary; - let current; - let mounted; - let dispose; - - lighthousesummary = new LighthouseSummary({ - props: { value: /*val*/ ctx[6] }, - $$inline: true - }); - - function click_handler_3() { - return /*click_handler_3*/ ctx[4](/*val*/ ctx[6]); - } - - const block = { - c: function create() { - div = element("div"); - h2 = element("h2"); - span = element("span"); - span.textContent = "LIGHTHOUSE"; - t1 = space(); - create_component(lighthousesummary.$$.fragment); - attr_dev(span, "class", "font-bold font-sans text-gray-600 svelte-1dq5z6z"); - add_location(span, file$H, 112, 14, 3388); - attr_dev(h2, "class", "svelte-1dq5z6z"); - add_location(h2, file$H, 111, 12, 3369); - attr_dev(div, "class", "row-span-1 col-span-4 text-sm my-2"); - add_location(div, file$H, 108, 10, 3233); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, h2); - append_dev(h2, span); - append_dev(div, t1); - mount_component(lighthousesummary, div, null); - current = true; - - if (!mounted) { - dispose = listen_dev(div, "click", click_handler_3, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const lighthousesummary_changes = {}; - if (dirty & /*value*/ 1) lighthousesummary_changes.value = /*val*/ ctx[6]; - lighthousesummary.$set(lighthousesummary_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(lighthousesummary); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$x.name, - type: "if", - source: "(108:8) {#if val.performanceScore}", - ctx - }); - - return block; - } - - // (43:0) {#each value as val} - function create_each_block$e(ctx) { - let div7; - let t0; - let div6; - let div4; - let div0; - let span0; - let t1_value = format(new Date(/*val*/ ctx[6].buildDate), 'dd MMM yyyy') + ""; - let t1; - let t2; - let br0; - let t3; - let span1; - let t4; - let t5_value = formatDistanceToNow(new Date(/*val*/ ctx[6].buildDate), { addSuffix: true }) + ""; - let t5; - let t6; - let t7_value = format(new Date(/*val*/ ctx[6].buildDate), 'hh:mm aaaa') + ""; - let t7; - let t8; - let br1; - let t9; - let span2; - let t10; - let t11_value = printTimeDiff(+/*val*/ ctx[6].scanDuration) + ""; - let t11; - let t12; - let br2; - let t13; - let span3; - let t14; - let t15_value = numberWithCommas$1(/*val*/ ctx[6].totalScanned) + ""; - let t15; - let t16; - let t17; - let div1; - let h20; - let span4; - let t19; - let linksummary; - let t20; - let div2; - let h21; - let span5; - let t22; - let codesummary; - let t23; - let div3; - let h22; - let span6; - let t25; - let artillerysummary; - let t26; - let t27; - let div5; - let span7; - let t28; - let t29_value = /*val*/ ctx[6].buildVersion + ""; - let t29; - let t30; - let current; - let mounted; - let dispose; - - function select_block_type(ctx, dirty) { - if (/*val*/ ctx[6].finalEval === 'FAIL') return create_if_block_1$n; - if (/*val*/ ctx[6].finalEval === 'PASS') return create_if_block_2$j; - return create_else_block$o; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - - linksummary = new LinkSummary({ - props: { - value: /*val*/ ctx[6], - brokenLinks: /*val*/ ctx[6].totalUnique404 - }, - $$inline: true - }); - - function click_handler() { - return /*click_handler*/ ctx[1](/*val*/ ctx[6]); - } - - codesummary = new CodeSummary({ - props: { value: /*val*/ ctx[6] }, - $$inline: true - }); - - function click_handler_1() { - return /*click_handler_1*/ ctx[2](/*val*/ ctx[6]); - } - - artillerysummary = new ArtillerySummary({ - props: { value: /*val*/ ctx[6] }, - $$inline: true - }); - - function click_handler_2() { - return /*click_handler_2*/ ctx[3](/*val*/ ctx[6]); - } - - let if_block1 = /*val*/ ctx[6].performanceScore && create_if_block$x(ctx); - - function click_handler_4() { - return /*click_handler_4*/ ctx[5](/*val*/ ctx[6]); - } - - const block = { - c: function create() { - div7 = element("div"); - if_block0.c(); - t0 = space(); - div6 = element("div"); - div4 = element("div"); - div0 = element("div"); - span0 = element("span"); - t1 = text(t1_value); - t2 = space(); - br0 = element("br"); - t3 = space(); - span1 = element("span"); - t4 = text("Last scanned:\n "); - t5 = text(t5_value); - t6 = text("\n at\n "); - t7 = text(t7_value); - t8 = space(); - br1 = element("br"); - t9 = space(); - span2 = element("span"); - t10 = text("Duration:\n "); - t11 = text(t11_value); - t12 = space(); - br2 = element("br"); - t13 = space(); - span3 = element("span"); - t14 = text("Scanned:\n "); - t15 = text(t15_value); - t16 = text("\n items"); - t17 = space(); - div1 = element("div"); - h20 = element("h2"); - span4 = element("span"); - span4.textContent = "LINKS"; - t19 = space(); - create_component(linksummary.$$.fragment); - t20 = space(); - div2 = element("div"); - h21 = element("h2"); - span5 = element("span"); - span5.textContent = "CODE"; - t22 = space(); - create_component(codesummary.$$.fragment); - t23 = space(); - div3 = element("div"); - h22 = element("h2"); - span6 = element("span"); - span6.textContent = "LOAD TEST"; - t25 = space(); - create_component(artillerysummary.$$.fragment); - t26 = space(); - if (if_block1) if_block1.c(); - t27 = space(); - div5 = element("div"); - span7 = element("span"); - t28 = text("Build Version: "); - t29 = text(t29_value); - t30 = space(); - attr_dev(span0, "class", "font-sans text-base font-bold text-gray-800 underline text-lg"); - add_location(span0, file$H, 57, 10, 1501); - add_location(br0, file$H, 60, 10, 1667); - attr_dev(span1, "class", "font-sans text-base pt-2 text-lg"); - add_location(span1, file$H, 61, 10, 1684); - add_location(br1, file$H, 67, 10, 1941); - attr_dev(span2, "class", "font-sans text-base pt-2 text-lg"); - add_location(span2, file$H, 68, 10, 1958); - add_location(br2, file$H, 72, 10, 2103); - attr_dev(span3, "class", "font-sans text-base pt-2 text-lg"); - add_location(span3, file$H, 73, 10, 2120); - attr_dev(div0, "class", "row-span-1 lg:row-span-4 col-span-4"); - add_location(div0, file$H, 56, 8, 1441); - attr_dev(span4, "class", "font-bold font-sans text-gray-600 svelte-1dq5z6z"); - add_location(span4, file$H, 84, 12, 2445); - attr_dev(h20, "class", "svelte-1dq5z6z"); - add_location(h20, file$H, 83, 10, 2428); - attr_dev(div1, "class", "row-span-1 col-span-4 text-sm my-2"); - add_location(div1, file$H, 80, 8, 2298); - attr_dev(span5, "class", "font-bold font-sans text-gray-600 svelte-1dq5z6z"); - add_location(span5, file$H, 93, 12, 2763); - attr_dev(h21, "class", "svelte-1dq5z6z"); - add_location(h21, file$H, 92, 10, 2746); - attr_dev(div2, "class", "row-span-1 col-span-4 text-sm my-2"); - add_location(div2, file$H, 89, 8, 2616); - attr_dev(span6, "class", "font-bold font-sans text-gray-600 svelte-1dq5z6z"); - add_location(span6, file$H, 102, 12, 3048); - attr_dev(h22, "class", "svelte-1dq5z6z"); - add_location(h22, file$H, 101, 10, 3031); - attr_dev(div3, "class", "row-span-1 col-span-4 text-sm my-2"); - add_location(div3, file$H, 98, 8, 2901); - attr_dev(div4, "class", "grid grid-rows-2 sm:gap-auto lg:grid-flow-col sm:grid-cols-3 ml-4"); - add_location(div4, file$H, 53, 6, 1286); - attr_dev(span7, "class", "font-sans text-lg pt-2"); - add_location(span7, file$H, 120, 8, 3601); - attr_dev(div5, "class", "text-left"); - add_location(div5, file$H, 119, 6, 3569); - attr_dev(div6, "class", "px-6 py-2"); - add_location(div6, file$H, 52, 4, 1256); - attr_dev(div7, "class", "container overflow-hidden shadow-lg my-2 svelte-1dq5z6z"); - add_location(div7, file$H, 43, 2, 983); - }, - m: function mount(target, anchor) { - insert_dev(target, div7, anchor); - if_block0.m(div7, null); - append_dev(div7, t0); - append_dev(div7, div6); - append_dev(div6, div4); - append_dev(div4, div0); - append_dev(div0, span0); - append_dev(span0, t1); - append_dev(div0, t2); - append_dev(div0, br0); - append_dev(div0, t3); - append_dev(div0, span1); - append_dev(span1, t4); - append_dev(span1, t5); - append_dev(span1, t6); - append_dev(span1, t7); - append_dev(div0, t8); - append_dev(div0, br1); - append_dev(div0, t9); - append_dev(div0, span2); - append_dev(span2, t10); - append_dev(span2, t11); - append_dev(div0, t12); - append_dev(div0, br2); - append_dev(div0, t13); - append_dev(div0, span3); - append_dev(span3, t14); - append_dev(span3, t15); - append_dev(span3, t16); - append_dev(div4, t17); - append_dev(div4, div1); - append_dev(div1, h20); - append_dev(h20, span4); - append_dev(div1, t19); - mount_component(linksummary, div1, null); - append_dev(div4, t20); - append_dev(div4, div2); - append_dev(div2, h21); - append_dev(h21, span5); - append_dev(div2, t22); - mount_component(codesummary, div2, null); - append_dev(div4, t23); - append_dev(div4, div3); - append_dev(div3, h22); - append_dev(h22, span6); - append_dev(div3, t25); - mount_component(artillerysummary, div3, null); - append_dev(div4, t26); - if (if_block1) if_block1.m(div4, null); - append_dev(div6, t27); - append_dev(div6, div5); - append_dev(div5, span7); - append_dev(span7, t28); - append_dev(span7, t29); - append_dev(div7, t30); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(div1, "click", click_handler, false, false, false, false), - listen_dev(div2, "click", click_handler_1, false, false, false, false), - listen_dev(div3, "click", click_handler_2, false, false, false, false), - listen_dev(div4, "click", click_handler_4, false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block0.d(1); - if_block0 = current_block_type(ctx); - - if (if_block0) { - if_block0.c(); - if_block0.m(div7, t0); - } - } - - if ((!current || dirty & /*value*/ 1) && t1_value !== (t1_value = format(new Date(/*val*/ ctx[6].buildDate), 'dd MMM yyyy') + "")) set_data_dev(t1, t1_value); - if ((!current || dirty & /*value*/ 1) && t5_value !== (t5_value = formatDistanceToNow(new Date(/*val*/ ctx[6].buildDate), { addSuffix: true }) + "")) set_data_dev(t5, t5_value); - if ((!current || dirty & /*value*/ 1) && t7_value !== (t7_value = format(new Date(/*val*/ ctx[6].buildDate), 'hh:mm aaaa') + "")) set_data_dev(t7, t7_value); - if ((!current || dirty & /*value*/ 1) && t11_value !== (t11_value = printTimeDiff(+/*val*/ ctx[6].scanDuration) + "")) set_data_dev(t11, t11_value); - if ((!current || dirty & /*value*/ 1) && t15_value !== (t15_value = numberWithCommas$1(/*val*/ ctx[6].totalScanned) + "")) set_data_dev(t15, t15_value); - const linksummary_changes = {}; - if (dirty & /*value*/ 1) linksummary_changes.value = /*val*/ ctx[6]; - if (dirty & /*value*/ 1) linksummary_changes.brokenLinks = /*val*/ ctx[6].totalUnique404; - linksummary.$set(linksummary_changes); - const codesummary_changes = {}; - if (dirty & /*value*/ 1) codesummary_changes.value = /*val*/ ctx[6]; - codesummary.$set(codesummary_changes); - const artillerysummary_changes = {}; - if (dirty & /*value*/ 1) artillerysummary_changes.value = /*val*/ ctx[6]; - artillerysummary.$set(artillerysummary_changes); - - if (/*val*/ ctx[6].performanceScore) { - if (if_block1) { - if_block1.p(ctx, dirty); - - if (dirty & /*value*/ 1) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block$x(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(div4, null); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - - if ((!current || dirty & /*value*/ 1) && t29_value !== (t29_value = /*val*/ ctx[6].buildVersion + "")) set_data_dev(t29, t29_value); - }, - i: function intro(local) { - if (current) return; - transition_in(linksummary.$$.fragment, local); - transition_in(codesummary.$$.fragment, local); - transition_in(artillerysummary.$$.fragment, local); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(linksummary.$$.fragment, local); - transition_out(codesummary.$$.fragment, local); - transition_out(artillerysummary.$$.fragment, local); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div7); - if_block0.d(); - destroy_component(linksummary); - destroy_component(codesummary); - destroy_component(artillerysummary); - if (if_block1) if_block1.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$e.name, - type: "each", - source: "(43:0) {#each value as val}", - ctx - }); - - return block; - } - - function create_fragment$H(ctx) { - let each_1_anchor; - let current; - let each_value = /*value*/ ctx[0]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$e(get_each_context$e(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*value, navigateTo, numberWithCommas, printTimeDiff, format, Date, formatDistanceToNow*/ 1) { - each_value = /*value*/ ctx[0]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$e(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$e(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$H.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function numberWithCommas$1(x) { - return x.toLocaleString(); - } - - function instance$H($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('DetailListCard', slots, []); - let { value = {} } = $$props; - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = val => src_3(`/build/${val.runId}`); - const click_handler_1 = val => src_3(`/build/${val.runId}`); - const click_handler_2 = val => src_3(`/build/${val.runId}`); - const click_handler_3 = val => src_3(`/build/${val.runId}`); - const click_handler_4 = val => src_3(`/build/${val.runId}`); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - }; - - $$self.$capture_state = () => ({ - CodeSummary, - LinkSummary, - LighthouseSummary, - ArtillerySummary, - navigateTo: src_3, - format, - formatDistanceToNow, - printTimeDiff, - value, - numberWithCommas: numberWithCommas$1 - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - value, - click_handler, - click_handler_1, - click_handler_2, - click_handler_3, - click_handler_4 - ]; - } - - class DetailListCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$H, create_fragment$H, safe_not_equal, { value: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "DetailListCard", - options, - id: create_fragment$H.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/buildlistcardcomponents/HistoryChart.svelte generated by Svelte v3.59.1 */ - const file$G = "src/components/buildlistcardcomponents/HistoryChart.svelte"; - - function create_fragment$G(ctx) { - let div; - let span; - let t0; - let t1; - let svg; - let path; - let t2; - let canvas; - - const block = { - c: function create() { - div = element("div"); - span = element("span"); - t0 = text(/*chartTitle*/ ctx[0]); - t1 = space(); - svg = svg_element("svg"); - path = svg_element("path"); - t2 = space(); - canvas = element("canvas"); - attr_dev(span, "class", "inline-block font-sans sm:text-sm"); - add_location(span, file$G, 106, 2, 2304); - attr_dev(path, "stroke-linecap", "round"); - attr_dev(path, "stroke-linejoin", "round"); - attr_dev(path, "stroke-width", "2"); - attr_dev(path, "d", "M17 8l4 4m0 0l-4 4m4-4H3"); - add_location(path, file$G, 112, 39, 2517); - attr_dev(svg, "class", "inline-block w-6 h-6"); - attr_dev(svg, "fill", "none"); - attr_dev(svg, "stroke", "currentColor"); - attr_dev(svg, "viewBox", "0 0 24 24"); - attr_dev(svg, "xmlns", "http://www.w3.org/2000/svg"); - add_location(svg, file$G, 107, 2, 2374); - attr_dev(div, "class", "text-center"); - add_location(div, file$G, 105, 0, 2276); - attr_dev(canvas, "width", "10px"); - add_location(canvas, file$G, 119, 0, 2659); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span); - append_dev(span, t0); - append_dev(div, t1); - append_dev(div, svg); - append_dev(svg, path); - insert_dev(target, t2, anchor); - insert_dev(target, canvas, anchor); - /*canvas_binding*/ ctx[6](canvas); - }, - p: function update(ctx, [dirty]) { - if (dirty & /*chartTitle*/ 1) set_data_dev(t0, /*chartTitle*/ ctx[0]); - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - if (detaching) detach_dev(t2); - if (detaching) detach_dev(canvas); - /*canvas_binding*/ ctx[6](null); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$G.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$G($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HistoryChart', slots, []); - let { value = [] } = $$props; - let { dataType } = $$props; - let allDataToDisplay = []; - let chartTitle; - let barColor; - - if (dataType === historyChartType.BadLinks) { - chartTitle = historyChartType.BadLinks; - allDataToDisplay = value.map(i => i.totalBrokenLinks); - barColor = 'red'; - } else if (dataType === historyChartType.WarningCode) { - chartTitle = historyChartType.WarningCode; - allDataToDisplay = value.map(i => i.htmlWarnings); - barColor = 'orange'; - } else { - chartTitle = historyChartType.ErrorCode; - allDataToDisplay = value.map(i => i.htmlErrors); - barColor = 'red'; - } - - let dataToDisplay = allDataToDisplay.slice(0, 10); - let maxBarHeight = []; - - maxBarHeight = dataToDisplay.reduce(function (a, b) { - return Math.max(a, b); - }); - - for (let i = 0; i < 10; i++) { - if (dataToDisplay.length < 10) { - dataToDisplay.push(maxBarHeight / 10); - } - } - - let { data = { - labels: dataToDisplay, - datasets: [ - { - data: dataToDisplay, - backgroundColor: barColor, - maxBarThickness: 5 - } - ] - } } = $$props; - - let { options = { - responsive: true, - maintainAspectRatio: false, - scales: { - xAxes: [ - { - ticks: { - display: false, - beginAtZero: true, - reverse: true - }, - gridLines: { display: false } - } - ], - yAxes: [ - { - ticks: { - display: false, - max: maxBarHeight, - beginAtZero: true - }, - gridLines: { display: false } - } - ] - }, - legend: { display: false }, - tooltips: { - callbacks: { - //returns a empty string if the label is "No Data" - label(items, data) { - return `${items.value}`; - }, - //only returns something when at least one dataset yLabel is a valid number. - title(t, e) { - return 'Bad links'; - } - } - } - } } = $$props; - - let chartRef; - - onMount(() => { - Chart.Bar(chartRef, { options, data }); - }); - - $$self.$$.on_mount.push(function () { - if (dataType === undefined && !('dataType' in $$props || $$self.$$.bound[$$self.$$.props['dataType']])) { - console.warn(" was created without expected prop 'dataType'"); - } - }); - - const writable_props = ['value', 'dataType', 'data', 'options']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function canvas_binding($$value) { - binding_callbacks[$$value ? 'unshift' : 'push'](() => { - chartRef = $$value; - $$invalidate(1, chartRef); - }); - } - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(2, value = $$props.value); - if ('dataType' in $$props) $$invalidate(3, dataType = $$props.dataType); - if ('data' in $$props) $$invalidate(4, data = $$props.data); - if ('options' in $$props) $$invalidate(5, options = $$props.options); - }; - - $$self.$capture_state = () => ({ - onMount, - historyChartType, - value, - dataType, - allDataToDisplay, - chartTitle, - barColor, - dataToDisplay, - maxBarHeight, - data, - options, - chartRef - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(2, value = $$props.value); - if ('dataType' in $$props) $$invalidate(3, dataType = $$props.dataType); - if ('allDataToDisplay' in $$props) allDataToDisplay = $$props.allDataToDisplay; - if ('chartTitle' in $$props) $$invalidate(0, chartTitle = $$props.chartTitle); - if ('barColor' in $$props) barColor = $$props.barColor; - if ('dataToDisplay' in $$props) dataToDisplay = $$props.dataToDisplay; - if ('maxBarHeight' in $$props) maxBarHeight = $$props.maxBarHeight; - if ('data' in $$props) $$invalidate(4, data = $$props.data); - if ('options' in $$props) $$invalidate(5, options = $$props.options); - if ('chartRef' in $$props) $$invalidate(1, chartRef = $$props.chartRef); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [chartTitle, chartRef, value, dataType, data, options, canvas_binding]; - } - - class HistoryChart extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$G, create_fragment$G, safe_not_equal, { - value: 2, - dataType: 3, - data: 4, - options: 5 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HistoryChart", - options, - id: create_fragment$G.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get dataType() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set dataType(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get data() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set data(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get options() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set options(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/buildlistcardcomponents/UrlSummaryCard.svelte generated by Svelte v3.59.1 */ - const file$F = "src/components/buildlistcardcomponents/UrlSummaryCard.svelte"; - - function create_fragment$F(ctx) { - let div1; - let p; - let t0; - let t1; - let div0; - let t2; - let t3_value = formatDistanceToNow(new Date(/*value*/ ctx[1][0].buildDate), { addSuffix: true }) + ""; - let t3; - let t4; - let t5_value = printTimeDiff(+/*value*/ ctx[1][0].scanDuration) + ""; - let t5; - let mounted; - let dispose; - - const block = { - c: function create() { - div1 = element("div"); - p = element("p"); - t0 = text(/*url*/ ctx[0]); - t1 = space(); - div0 = element("div"); - t2 = text("Last scanned\n "); - t3 = text(t3_value); - t4 = text("\n   🕑\n "); - t5 = text(t5_value); - attr_dev(p, "title", /*url*/ ctx[0]); - attr_dev(p, "class", "font-sans font-bold text-gray-800 underline"); - add_location(p, file$F, 13, 2, 369); - attr_dev(div0, "class", "font-sans text-sm py-4"); - add_location(div0, file$F, 14, 2, 448); - add_location(div1, file$F, 12, 0, 305); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, p); - append_dev(p, t0); - append_dev(div1, t1); - append_dev(div1, div0); - append_dev(div0, t2); - append_dev(div0, t3); - append_dev(div0, t4); - append_dev(div0, t5); - - if (!mounted) { - dispose = listen_dev(div1, "click", /*click_handler*/ ctx[2], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (dirty & /*url*/ 1) set_data_dev(t0, /*url*/ ctx[0]); - - if (dirty & /*url*/ 1) { - attr_dev(p, "title", /*url*/ ctx[0]); - } - - if (dirty & /*value*/ 2 && t3_value !== (t3_value = formatDistanceToNow(new Date(/*value*/ ctx[1][0].buildDate), { addSuffix: true }) + "")) set_data_dev(t3, t3_value); - if (dirty & /*value*/ 2 && t5_value !== (t5_value = printTimeDiff(+/*value*/ ctx[1][0].scanDuration) + "")) set_data_dev(t5, t5_value); - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$F.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$F($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('UrlSummaryCard', slots, []); - let { value = {} } = $$props; - let { url } = $$props; - - if (url.length > 60) { - url = url.slice(0, 60).concat("...."); - } - - $$self.$$.on_mount.push(function () { - if (url === undefined && !('url' in $$props || $$self.$$.bound[$$self.$$.props['url']])) { - console.warn(" was created without expected prop 'url'"); - } - }); - - const writable_props = ['value', 'url']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3(`/build/${value[0].runId}`); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('url' in $$props) $$invalidate(0, url = $$props.url); - }; - - $$self.$capture_state = () => ({ - printTimeDiff, - formatDistanceToNow, - navigateTo: src_3, - value, - url - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('url' in $$props) $$invalidate(0, url = $$props.url); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [url, value, click_handler]; - } - - class UrlSummaryCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$F, create_fragment$F, safe_not_equal, { value: 1, url: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "UrlSummaryCard", - options, - id: create_fragment$F.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get url() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/buildlistcardcomponents/BuildList.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$7 } = globals; - const file$E = "src/components/buildlistcardcomponents/BuildList.svelte"; - - function get_each_context$d(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[10] = list[i]; - child_ctx[12] = i; - return child_ctx; - } - - // (61:0) {:else} - function create_else_block$n(ctx) { - let div1; - let div0; - let t; - let each_1_anchor; - let current; - let if_block = /*lastBuild*/ ctx[0] && create_if_block_3$5(ctx); - let each_value = /*groupUrlKey*/ ctx[2]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$d(get_each_context$d(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - if (if_block) if_block.c(); - t = space(); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - attr_dev(div0, "class", "md:w-1/8"); - add_location(div0, file$E, 62, 4, 1465); - attr_dev(div1, "class", "md:flex md:items-center mb-6"); - add_location(div1, file$E, 61, 2, 1418); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - if (if_block) if_block.m(div0, null); - insert_dev(target, t, anchor); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - if (/*lastBuild*/ ctx[0]) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block_3$5(ctx); - if_block.c(); - if_block.m(div0, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - - if (dirty & /*groupUrl, groupUrlKey, currCard, toggle, showTotalBuild, historyChartType*/ 158) { - each_value = /*groupUrlKey*/ ctx[2]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$d(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$d(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - if (if_block) if_block.d(); - if (detaching) detach_dev(t); - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$n.name, - type: "else", - source: "(61:0) {:else}", - ctx - }); - - return block; - } - - // (59:0) {#if numberOfBuilds === 0} - function create_if_block$w(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - div.textContent = "You have 0 scans!"; - attr_dev(div, "class", "md:flex md:items-center mb-6"); - add_location(div, file$E, 59, 2, 1342); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$w.name, - type: "if", - source: "(59:0) {#if numberOfBuilds === 0}", - ctx - }); - - return block; - } - - // (64:6) {#if lastBuild} - function create_if_block_3$5(ctx) { - let label; - let t0; - let t1; - let t2_value = formatDistanceToNow(/*lastBuild*/ ctx[0], { addSuffix: true }) + ""; - let t2; - - const block = { - c: function create() { - label = element("label"); - t0 = text(/*count*/ ctx[6]); - t1 = text(" builds in last 30 days, last build: "); - t2 = text(t2_value); - attr_dev(label, "class", "block text-gray-700 font-bold md:text-right mb-1 md:mb-0 pr-4"); - attr_dev(label, "for", "inline-full-name"); - add_location(label, file$E, 64, 8, 1518); - }, - m: function mount(target, anchor) { - insert_dev(target, label, anchor); - append_dev(label, t0); - append_dev(label, t1); - append_dev(label, t2); - }, - p: function update(ctx, dirty) { - if (dirty & /*lastBuild*/ 1 && t2_value !== (t2_value = formatDistanceToNow(/*lastBuild*/ ctx[0], { addSuffix: true }) + "")) set_data_dev(t2, t2_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(label); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$5.name, - type: "if", - source: "(64:6) {#if lastBuild}", - ctx - }); - - return block; - } - - // (113:16) {:else} - function create_else_block_1$7(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-angle-down"); - add_location(i, file$E, 113, 18, 3314); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$7.name, - type: "else", - source: "(113:16) {:else}", - ctx - }); - - return block; - } - - // (111:16) {#if showTotalBuild} - function create_if_block_2$i(ctx) { - let i; - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-angle-up"); - add_location(i, file$E, 111, 18, 3240); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$i.name, - type: "if", - source: "(111:16) {#if showTotalBuild}", - ctx - }); - - return block; - } - - // (125:6) {#if currCard == i} - function create_if_block_1$m(ctx) { - let div; - let detaillistcard; - let current; - - detaillistcard = new DetailListCard({ - props: { - value: /*groupUrl*/ ctx[3][/*url*/ ctx[10]] - }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - create_component(detaillistcard.$$.fragment); - attr_dev(div, "id", "detailCard"); - add_location(div, file$E, 125, 8, 3641); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - mount_component(detaillistcard, div, null); - current = true; - }, - p: function update(ctx, dirty) { - const detaillistcard_changes = {}; - if (dirty & /*groupUrl, groupUrlKey*/ 12) detaillistcard_changes.value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]]; - detaillistcard.$set(detaillistcard_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(detaillistcard.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(detaillistcard.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(detaillistcard); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$m.name, - type: "if", - source: "(125:6) {#if currCard == i}", - ctx - }); - - return block; - } - - // (77:2) {#each groupUrlKey as url, i} - function create_each_block$d(ctx) { - let div8; - let div7; - let div6; - let div5; - let div0; - let urlsummarycard; - let t0; - let div1; - let historychart0; - let t1; - let div2; - let historychart1; - let t2; - let div3; - let historychart2; - let t3; - let div4; - let span; - let t4; - let p; - let t5; - let t6_value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]].length + ""; - let t6; - let t7; - let t8; - let current; - let mounted; - let dispose; - - urlsummarycard = new UrlSummaryCard({ - props: { - value: /*groupUrl*/ ctx[3][/*url*/ ctx[10]], - url: /*url*/ ctx[10] - }, - $$inline: true - }); - - historychart0 = new HistoryChart({ - props: { - value: /*groupUrl*/ ctx[3][/*url*/ ctx[10]], - dataType: historyChartType.BadLinks - }, - $$inline: true - }); - - historychart1 = new HistoryChart({ - props: { - value: /*groupUrl*/ ctx[3][/*url*/ ctx[10]], - dataType: historyChartType.WarningCode - }, - $$inline: true - }); - - historychart2 = new HistoryChart({ - props: { - value: /*groupUrl*/ ctx[3][/*url*/ ctx[10]], - dataType: historyChartType.ErrorCode - }, - $$inline: true - }); - - function select_block_type_1(ctx, dirty) { - if (/*showTotalBuild*/ ctx[1]) return create_if_block_2$i; - return create_else_block_1$7; - } - - let current_block_type = select_block_type_1(ctx); - let if_block0 = current_block_type(ctx); - - function click_handler() { - return /*click_handler*/ ctx[9](/*i*/ ctx[12]); - } - - let if_block1 = /*currCard*/ ctx[4] == /*i*/ ctx[12] && create_if_block_1$m(ctx); - - const block = { - c: function create() { - div8 = element("div"); - div7 = element("div"); - div6 = element("div"); - div5 = element("div"); - div0 = element("div"); - create_component(urlsummarycard.$$.fragment); - t0 = space(); - div1 = element("div"); - create_component(historychart0.$$.fragment); - t1 = space(); - div2 = element("div"); - create_component(historychart1.$$.fragment); - t2 = space(); - div3 = element("div"); - create_component(historychart2.$$.fragment); - t3 = space(); - div4 = element("div"); - span = element("span"); - if_block0.c(); - t4 = space(); - p = element("p"); - t5 = text("Scan History:\n "); - t6 = text(t6_value); - t7 = space(); - if (if_block1) if_block1.c(); - t8 = space(); - attr_dev(div0, "class", "xl:w-4/6 lg:w-5/6"); - add_location(div0, file$E, 83, 12, 2135); - attr_dev(div1, "class", "xl:w-1/4 lg:w-1/4 h-20 hidden sm:hidden md:hidden lg:block xl:block"); - add_location(div1, file$E, 87, 12, 2260); - attr_dev(div2, "class", "xl:w-1/4 lg:w-1/4 h-20 hidden sm:hidden md:hidden lg:block xl:block ml-5"); - add_location(div2, file$E, 93, 12, 2492); - attr_dev(div3, "class", "xl:w-1/4 lg:w-1/4 h-20 hidden sm:hidden md:hidden lg:block xl:block ml-5 mr-5"); - add_location(div3, file$E, 99, 12, 2732); - attr_dev(span, "type", "button"); - attr_dev(span, "class", "hover:bg-gray-300 border-0 rounded-md px-3 py-1"); - add_location(span, file$E, 106, 14, 3033); - attr_dev(p, "class", "truncate font-sans font-bold text-xs"); - add_location(p, file$E, 116, 14, 3406); - attr_dev(div4, "class", "xl:w-1/6 lg:w-1/6 text-center"); - add_location(div4, file$E, 105, 12, 2975); - attr_dev(div5, "class", "sm:flex-1 md:flex-1 lg:flex xl:flex content-center mb-4 px-6 py-4"); - add_location(div5, file$E, 80, 10, 2019); - attr_dev(div6, "class", "container flex-wrap mb-4 overflow-hidden border svelte-1u9womi"); - add_location(div6, file$E, 79, 8, 1947); - attr_dev(div7, "class", "row-span-2"); - add_location(div7, file$E, 78, 6, 1914); - attr_dev(div8, "class", "grid grid-rows-2 gap-y-1"); - add_location(div8, file$E, 77, 4, 1869); - }, - m: function mount(target, anchor) { - insert_dev(target, div8, anchor); - append_dev(div8, div7); - append_dev(div7, div6); - append_dev(div6, div5); - append_dev(div5, div0); - mount_component(urlsummarycard, div0, null); - append_dev(div5, t0); - append_dev(div5, div1); - mount_component(historychart0, div1, null); - append_dev(div5, t1); - append_dev(div5, div2); - mount_component(historychart1, div2, null); - append_dev(div5, t2); - append_dev(div5, div3); - mount_component(historychart2, div3, null); - append_dev(div5, t3); - append_dev(div5, div4); - append_dev(div4, span); - if_block0.m(span, null); - append_dev(div4, t4); - append_dev(div4, p); - append_dev(p, t5); - append_dev(p, t6); - append_dev(div8, t7); - if (if_block1) if_block1.m(div8, null); - append_dev(div8, t8); - current = true; - - if (!mounted) { - dispose = listen_dev(span, "click", click_handler, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const urlsummarycard_changes = {}; - if (dirty & /*groupUrl, groupUrlKey*/ 12) urlsummarycard_changes.value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]]; - if (dirty & /*groupUrlKey*/ 4) urlsummarycard_changes.url = /*url*/ ctx[10]; - urlsummarycard.$set(urlsummarycard_changes); - const historychart0_changes = {}; - if (dirty & /*groupUrl, groupUrlKey*/ 12) historychart0_changes.value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]]; - historychart0.$set(historychart0_changes); - const historychart1_changes = {}; - if (dirty & /*groupUrl, groupUrlKey*/ 12) historychart1_changes.value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]]; - historychart1.$set(historychart1_changes); - const historychart2_changes = {}; - if (dirty & /*groupUrl, groupUrlKey*/ 12) historychart2_changes.value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]]; - historychart2.$set(historychart2_changes); - - if (current_block_type !== (current_block_type = select_block_type_1(ctx))) { - if_block0.d(1); - if_block0 = current_block_type(ctx); - - if (if_block0) { - if_block0.c(); - if_block0.m(span, null); - } - } - - if ((!current || dirty & /*groupUrl, groupUrlKey*/ 12) && t6_value !== (t6_value = /*groupUrl*/ ctx[3][/*url*/ ctx[10]].length + "")) set_data_dev(t6, t6_value); - - if (/*currCard*/ ctx[4] == /*i*/ ctx[12]) { - if (if_block1) { - if_block1.p(ctx, dirty); - - if (dirty & /*currCard*/ 16) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block_1$m(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(div8, t8); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(urlsummarycard.$$.fragment, local); - transition_in(historychart0.$$.fragment, local); - transition_in(historychart1.$$.fragment, local); - transition_in(historychart2.$$.fragment, local); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(urlsummarycard.$$.fragment, local); - transition_out(historychart0.$$.fragment, local); - transition_out(historychart1.$$.fragment, local); - transition_out(historychart2.$$.fragment, local); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div8); - destroy_component(urlsummarycard); - destroy_component(historychart0); - destroy_component(historychart1); - destroy_component(historychart2); - if_block0.d(); - if (if_block1) if_block1.d(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$d.name, - type: "each", - source: "(77:2) {#each groupUrlKey as url, i}", - ctx - }); - - return block; - } - - function create_fragment$E(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$w, create_else_block$n]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*numberOfBuilds*/ ctx[5] === 0) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$E.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$E($$self, $$props, $$invalidate) { - let numberOfBuilds; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('BuildList', slots, []); - let { builds = [] } = $$props; - let { lastBuild } = $$props; - let showTotalBuild = false; - let groupUrlKey = []; - let groupUrl; - groupUrl = groupBy$1(props$1(["url"]))(builds); - groupUrlKey = Object.keys(groupUrl); - let count = builds.filter(x => new Date(x.buildDate) > addDays(new Date(), -30)).length; - let currCard; - - function toggle(n) { - $$invalidate(4, currCard = n); - $$invalidate(1, showTotalBuild = !showTotalBuild); - var x = document.getElementById("detailCard"); - - if (x.style.display === "none") { - x.style.display = "block"; - } else { - x.style.display = "none"; - } - } - - $$self.$$.on_mount.push(function () { - if (lastBuild === undefined && !('lastBuild' in $$props || $$self.$$.bound[$$self.$$.props['lastBuild']])) { - console.warn(" was created without expected prop 'lastBuild'"); - } - }); - - const writable_props = ['builds', 'lastBuild']; - - Object_1$7.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = i => toggle(i); - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(8, builds = $$props.builds); - if ('lastBuild' in $$props) $$invalidate(0, lastBuild = $$props.lastBuild); - }; - - $$self.$capture_state = () => ({ - formatDistanceToNow, - addDays, - DetailListCard, - HistoryChart, - UrlSummaryCard, - groupBy: groupBy$1, - props: props$1, - historyChartType, - builds, - lastBuild, - showTotalBuild, - groupUrlKey, - groupUrl, - count, - currCard, - toggle, - numberOfBuilds - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(8, builds = $$props.builds); - if ('lastBuild' in $$props) $$invalidate(0, lastBuild = $$props.lastBuild); - if ('showTotalBuild' in $$props) $$invalidate(1, showTotalBuild = $$props.showTotalBuild); - if ('groupUrlKey' in $$props) $$invalidate(2, groupUrlKey = $$props.groupUrlKey); - if ('groupUrl' in $$props) $$invalidate(3, groupUrl = $$props.groupUrl); - if ('count' in $$props) $$invalidate(6, count = $$props.count); - if ('currCard' in $$props) $$invalidate(4, currCard = $$props.currCard); - if ('numberOfBuilds' in $$props) $$invalidate(5, numberOfBuilds = $$props.numberOfBuilds); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*builds*/ 256) { - $$invalidate(5, numberOfBuilds = builds.length); - } - }; - - return [ - lastBuild, - showTotalBuild, - groupUrlKey, - groupUrl, - currCard, - numberOfBuilds, - count, - toggle, - builds, - click_handler - ]; - } - - class BuildList extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$E, create_fragment$E, safe_not_equal, { builds: 8, lastBuild: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "BuildList", - options, - id: create_fragment$E.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get lastBuild() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set lastBuild(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/LoadingFlat.svelte generated by Svelte v3.59.1 */ - - const file$D = "src/components/misccomponents/LoadingFlat.svelte"; - - function create_fragment$D(ctx) { - let div5; - let div0; - let t0; - let div1; - let t1; - let div2; - let t2; - let div3; - let t3; - let div4; - - const block = { - c: function create() { - div5 = element("div"); - div0 = element("div"); - t0 = space(); - div1 = element("div"); - t1 = space(); - div2 = element("div"); - t2 = space(); - div3 = element("div"); - t3 = space(); - div4 = element("div"); - attr_dev(div0, "class", "rect1 svelte-sbgbys"); - add_location(div0, file$D, 65, 2, 1033); - attr_dev(div1, "class", "rect2 svelte-sbgbys"); - add_location(div1, file$D, 66, 2, 1057); - attr_dev(div2, "class", "rect3 svelte-sbgbys"); - add_location(div2, file$D, 67, 2, 1081); - attr_dev(div3, "class", "rect4 svelte-sbgbys"); - add_location(div3, file$D, 68, 2, 1105); - attr_dev(div4, "class", "rect5 svelte-sbgbys"); - add_location(div4, file$D, 69, 2, 1129); - attr_dev(div5, "class", "spinner svelte-sbgbys"); - add_location(div5, file$D, 64, 0, 1009); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div5, anchor); - append_dev(div5, div0); - append_dev(div5, t0); - append_dev(div5, div1); - append_dev(div5, t1); - append_dev(div5, div2); - append_dev(div5, t2); - append_dev(div5, div3); - append_dev(div5, t3); - append_dev(div5, div4); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div5); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$D.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$D($$self, $$props) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LoadingFlat', slots, []); - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - return []; - } - - class LoadingFlat extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$D, create_fragment$D, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LoadingFlat", - options, - id: create_fragment$D.name - }); - } - } - - function cubicOut(t) { - const f = t - 1.0; - return f * f * f + 1.0; - } - - function fade(node, { delay = 0, duration = 400, easing = identity$2 } = {}) { - const o = +getComputedStyle(node).opacity; - return { - delay, - duration, - easing, - css: t => `opacity: ${t * o}` - }; - } - function fly(node, { delay = 0, duration = 400, easing = cubicOut, x = 0, y = 0, opacity = 0 } = {}) { - const style = getComputedStyle(node); - const target_opacity = +style.opacity; - const transform = style.transform === 'none' ? '' : style.transform; - const od = target_opacity * (1 - opacity); - const [xValue, xUnit] = split_css_unit(x); - const [yValue, yUnit] = split_css_unit(y); - return { - delay, - duration, - easing, - css: (t, u) => ` - transform: ${transform} translate(${(1 - t) * xValue}${xUnit}, ${(1 - t) * yValue}${yUnit}); - opacity: ${target_opacity - (od * u)}` - }; - } - function scale(node, { delay = 0, duration = 400, easing = cubicOut, start = 0, opacity = 0 } = {}) { - const style = getComputedStyle(node); - const target_opacity = +style.opacity; - const transform = style.transform === 'none' ? '' : style.transform; - const sd = 1 - start; - const od = target_opacity * (1 - opacity); - return { - delay, - duration, - easing, - css: (_t, u) => ` - transform: ${transform} scale(${1 - (sd * u)}); - opacity: ${target_opacity - (od * u)} - ` - }; - } - - /* src/containers/Dashboard.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$6 } = globals; - const file$C = "src/containers/Dashboard.svelte"; - - // (74:4) {#if !showAllScan} - function create_if_block_2$h(ctx) { - let article; - let raw_value = marked_umd.parse(/*topScanTitle*/ ctx[5]) + ""; - - const block = { - c: function create() { - article = element("article"); - attr_dev(article, "class", "markdown-body mt-5"); - add_location(article, file$C, 74, 6, 1994); - }, - m: function mount(target, anchor) { - insert_dev(target, article, anchor); - article.innerHTML = raw_value; - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(article); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$h.name, - type: "if", - source: "(74:4) {#if !showAllScan}", - ctx - }); - - return block; - } - - // (82:4) {#if !showAllScan} - function create_if_block_1$l(ctx) { - let span; - let a; - let mounted; - let dispose; - - const block = { - c: function create() { - span = element("span"); - a = element("a"); - a.textContent = "Show all personal scans"; - attr_dev(a, "href", "javascript:void(0)"); - attr_dev(a, "class", "cursor-pointer underline text-sm text-blue font-bold pb-6 hover:text-red-600"); - add_location(a, file$C, 83, 8, 2246); - attr_dev(span, "class", "text-right"); - add_location(span, file$C, 82, 6, 2212); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - append_dev(span, a); - - if (!mounted) { - dispose = listen_dev(a, "click", /*click_handler*/ ctx[6], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$l.name, - type: "if", - source: "(82:4) {#if !showAllScan}", - ctx - }); - - return block; - } - - // (99:4) {:catch error} - function create_catch_block$5(ctx) { - let p; - let t_value = /*error*/ ctx[13].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - set_style(p, "color", "red"); - add_location(p, file$C, 99, 6, 2669); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*promise*/ 1 && t_value !== (t_value = /*error*/ ctx[13].message + "")) set_data_dev(t, t_value); - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block$5.name, - type: "catch", - source: "(99:4) {:catch error}", - ctx - }); - - return block; - } - - // (95:4) {:then data} - function create_then_block$5(ctx) { - let if_block_anchor; - let current; - let if_block = /*data*/ ctx[12] && create_if_block$v(ctx); - - const block = { - c: function create() { - if (if_block) if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - if (/*data*/ ctx[12]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*promise*/ 1) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$v(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block$5.name, - type: "then", - source: "(95:4) {:then data}", - ctx - }); - - return block; - } - - // (96:6) {#if data} - function create_if_block$v(ctx) { - let buildlist; - let current; - - buildlist = new BuildList({ - props: { - builds: /*data*/ ctx[12], - lastBuild: /*lastBuild*/ ctx[1] - }, - $$inline: true - }); - - const block = { - c: function create() { - create_component(buildlist.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(buildlist, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const buildlist_changes = {}; - if (dirty & /*promise*/ 1) buildlist_changes.builds = /*data*/ ctx[12]; - if (dirty & /*lastBuild*/ 2) buildlist_changes.lastBuild = /*lastBuild*/ ctx[1]; - buildlist.$set(buildlist_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(buildlist.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(buildlist.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(buildlist, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$v.name, - type: "if", - source: "(96:6) {#if data}", - ctx - }); - - return block; - } - - // (93:20) {:then data} - function create_pending_block$5(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_pending_block$5.name, - type: "pending", - source: "(93:20) {:then data}", - ctx - }); - - return block; - } - - function create_fragment$C(ctx) { - let div2; - let div0; - let article; - let raw_value = marked_umd.parse(/*personalScanTitle*/ ctx[4]) + ""; - let t0; - let t1; - let div1; - let t2; - let promise_1; - let current; - let if_block0 = !/*showAllScan*/ ctx[2] && create_if_block_2$h(ctx); - let if_block1 = !/*showAllScan*/ ctx[2] && create_if_block_1$l(ctx); - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block$5, - then: create_then_block$5, - catch: create_catch_block$5, - value: 12, - error: 13, - blocks: [,,,] - }; - - handle_promise(promise_1 = /*promise*/ ctx[0], info); - - const block = { - c: function create() { - div2 = element("div"); - div0 = element("div"); - article = element("article"); - t0 = space(); - if (if_block0) if_block0.c(); - t1 = space(); - div1 = element("div"); - if (if_block1) if_block1.c(); - t2 = space(); - info.block.c(); - attr_dev(article, "class", "markdown-body"); - add_location(article, file$C, 70, 4, 1872); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-6 mb-4 flex flex-col"); - add_location(div0, file$C, 69, 2, 1793); - attr_dev(div1, "class", "bg-white shadow-lg rounded px-8 pt-6 mb-6 flex flex-col"); - add_location(div1, file$C, 80, 2, 2113); - attr_dev(div2, "class", "container mx-auto"); - add_location(div2, file$C, 68, 0, 1759); - }, - l: function claim(nodes) { - throw new Error_1$6("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, div0); - append_dev(div0, article); - article.innerHTML = raw_value; - append_dev(div0, t0); - if (if_block0) if_block0.m(div0, null); - append_dev(div2, t1); - append_dev(div2, div1); - if (if_block1) if_block1.m(div1, null); - append_dev(div1, t2); - info.block.m(div1, info.anchor = null); - info.mount = () => div1; - info.anchor = null; - current = true; - }, - p: function update(new_ctx, [dirty]) { - ctx = new_ctx; - - if (!/*showAllScan*/ ctx[2]) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_2$h(ctx); - if_block0.c(); - if_block0.m(div0, null); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (!/*showAllScan*/ ctx[2]) { - if (if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1 = create_if_block_1$l(ctx); - if_block1.c(); - if_block1.m(div1, t2); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - info.ctx = ctx; - - if (dirty & /*promise*/ 1 && promise_1 !== (promise_1 = /*promise*/ ctx[0]) && handle_promise(promise_1, info)) ; else { - update_await_block_branch(info, ctx, dirty); - } - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - if (if_block0) if_block0.d(); - if (if_block1) if_block1.d(); - info.block.d(); - info.token = null; - info = null; - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$C.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$C($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Dashboard', slots, []); - let promise; - let showInstruction; - let canClose; - let unsubscription; - let lastBuild; - let showAllScan = false; - - async function getLastBuilds(api) { - const res = await fetch(`${CONSTS.API}/api/scanresult/${api}?showAll=${showAllScan}`); - const result = await res.json(); - - if (res.ok) { - showInstruction = !result.length; - canClose = result.length; - return sort$1(descend$1(prop$1("buildDate")), result); - } else { - showInstruction = true; - throw new Error("Failed to load"); - } - } - - let token; - - userSession$.subscribe(x => { - if (x) { - af(gh(_h(Ph(), CONSTS.USERS), x._delegate.uid)).then(doc => { - $$invalidate(1, lastBuild = doc.data().lastBuild.toDate()); - $$invalidate(0, promise = getLastBuilds(x.apiKey)); - }); - - token = x.apiKey; - } - }); - - const toggleShowAllScan = () => { - $$invalidate(2, showAllScan = true); - $$invalidate(0, promise = getLastBuilds(token)); - }; - - onDestroy(() => { - if (unsubscription) { - unsubscription(); - } - }); - - const personalScanTitle = ` - ## Your Personal Scans - `; - - const topScanTitle = ` - ### Latest 500 Personal Scans - `; - - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => toggleShowAllScan(); - - $$self.$capture_state = () => ({ - userSession$, - onDestroy, - marked: marked_umd, - Icon, - firebase, - BuildList, - LoadingFlat, - getFirestore: Ph, - collection: _h, - getDoc: af, - doc: gh, - fade, - fly, - sort: sort$1, - descend: descend$1, - prop: prop$1, - CONSTS, - promise, - showInstruction, - canClose, - unsubscription, - lastBuild, - showAllScan, - getLastBuilds, - token, - toggleShowAllScan, - personalScanTitle, - topScanTitle - }); - - $$self.$inject_state = $$props => { - if ('promise' in $$props) $$invalidate(0, promise = $$props.promise); - if ('showInstruction' in $$props) showInstruction = $$props.showInstruction; - if ('canClose' in $$props) canClose = $$props.canClose; - if ('unsubscription' in $$props) unsubscription = $$props.unsubscription; - if ('lastBuild' in $$props) $$invalidate(1, lastBuild = $$props.lastBuild); - if ('showAllScan' in $$props) $$invalidate(2, showAllScan = $$props.showAllScan); - if ('token' in $$props) token = $$props.token; - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - promise, - lastBuild, - showAllScan, - toggleShowAllScan, - personalScanTitle, - topScanTitle, - click_handler - ]; - } - - class Dashboard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$C, create_fragment$C, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Dashboard", - options, - id: create_fragment$C.name - }); - } - } - - /* src/components/misccomponents/Toastr.svelte generated by Svelte v3.59.1 */ - const file$B = "src/components/misccomponents/Toastr.svelte"; - - // (13:0) {#if show} - function create_if_block$u(ctx) { - let div3; - let div2; - let div0; - let svg; - let path; - let t; - let div1; - let div3_intro; - let div3_outro; - let current; - let mounted; - let dispose; - const default_slot_template = /*#slots*/ ctx[4].default; - const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[3], null); - - const block = { - c: function create() { - div3 = element("div"); - div2 = element("div"); - div0 = element("div"); - svg = svg_element("svg"); - path = svg_element("path"); - t = space(); - div1 = element("div"); - if (default_slot) default_slot.c(); - attr_dev(path, "d", "M2.93 17.07A10 10 0 1 1 17.07 2.93 10 10 0 0 1 2.93\n 17.07zm12.73-1.41A8 8 0 1 0 4.34 4.34a8 8 0 0 0 11.32 11.32zM9\n 11V9h2v6H9v-4zm0-6h2v2H9V5z"); - add_location(path, file$B, 45, 10, 1566); - attr_dev(svg, "class", "fill-current h-6 w-6 mr-4"); - attr_dev(svg, "xmlns", "http://www.w3.org/2000/svg"); - attr_dev(svg, "viewBox", "0 0 20 20"); - toggle_class(svg, "bg-teal-100", /*mode*/ ctx[1] === 'success'); - toggle_class(svg, "text-teal-900", /*mode*/ ctx[1] === 'success'); - toggle_class(svg, "border-teal-500", /*mode*/ ctx[1] === 'success'); - toggle_class(svg, "bg-red-100", /*mode*/ ctx[1] === 'error'); - toggle_class(svg, "text-red-900", /*mode*/ ctx[1] === 'error'); - toggle_class(svg, "border-red-500", /*mode*/ ctx[1] === 'error'); - toggle_class(svg, "bg-orange-100", /*mode*/ ctx[1] === 'warn'); - toggle_class(svg, "text-orange-900", /*mode*/ ctx[1] === 'warn'); - toggle_class(svg, "border-orange-500", /*mode*/ ctx[1] === 'warn'); - add_location(svg, file$B, 32, 8, 984); - attr_dev(div0, "class", "py-1"); - add_location(div0, file$B, 31, 6, 957); - add_location(div1, file$B, 51, 6, 1792); - attr_dev(div2, "class", "flex"); - add_location(div2, file$B, 30, 4, 932); - attr_dev(div3, "class", "mx-auto cursor-pointer z-auto mt-6 mr-12 fixed top-0 right-0 border-t-4 rounded-b px-4 py-3 shadow-md toast"); - attr_dev(div3, "title", "click to dismiss"); - attr_dev(div3, "role", "alert"); - toggle_class(div3, "bg-teal-100", /*mode*/ ctx[1] === 'success'); - toggle_class(div3, "text-teal-900", /*mode*/ ctx[1] === 'success'); - toggle_class(div3, "border-teal-500", /*mode*/ ctx[1] === 'success'); - toggle_class(div3, "bg-red-100", /*mode*/ ctx[1] === 'error'); - toggle_class(div3, "text-red-900", /*mode*/ ctx[1] === 'error'); - toggle_class(div3, "border-red-500", /*mode*/ ctx[1] === 'error'); - toggle_class(div3, "bg-orange-100", /*mode*/ ctx[1] === 'warn'); - toggle_class(div3, "text-orange-900", /*mode*/ ctx[1] === 'warn'); - toggle_class(div3, "border-orange-500", /*mode*/ ctx[1] === 'warn'); - add_location(div3, file$B, 13, 2, 242); - }, - m: function mount(target, anchor) { - insert_dev(target, div3, anchor); - append_dev(div3, div2); - append_dev(div2, div0); - append_dev(div0, svg); - append_dev(svg, path); - append_dev(div2, t); - append_dev(div2, div1); - - if (default_slot) { - default_slot.m(div1, null); - } - - current = true; - - if (!mounted) { - dispose = listen_dev(div3, "click", /*click_handler*/ ctx[5], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "bg-teal-100", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "text-teal-900", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "border-teal-500", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "bg-red-100", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "text-red-900", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "border-red-500", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "bg-orange-100", /*mode*/ ctx[1] === 'warn'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "text-orange-900", /*mode*/ ctx[1] === 'warn'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(svg, "border-orange-500", /*mode*/ ctx[1] === 'warn'); - } - - if (default_slot) { - if (default_slot.p && (!current || dirty & /*$$scope*/ 8)) { - update_slot_base( - default_slot, - default_slot_template, - ctx, - /*$$scope*/ ctx[3], - !current - ? get_all_dirty_from_scope(/*$$scope*/ ctx[3]) - : get_slot_changes(default_slot_template, /*$$scope*/ ctx[3], dirty, null), - null - ); - } - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "bg-teal-100", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "text-teal-900", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "border-teal-500", /*mode*/ ctx[1] === 'success'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "bg-red-100", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "text-red-900", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "border-red-500", /*mode*/ ctx[1] === 'error'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "bg-orange-100", /*mode*/ ctx[1] === 'warn'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "text-orange-900", /*mode*/ ctx[1] === 'warn'); - } - - if (!current || dirty & /*mode*/ 2) { - toggle_class(div3, "border-orange-500", /*mode*/ ctx[1] === 'warn'); - } - }, - i: function intro(local) { - if (current) return; - transition_in(default_slot, local); - - add_render_callback(() => { - if (!current) return; - if (div3_outro) div3_outro.end(1); - div3_intro = create_in_transition(div3, fly, { y: 100, duration: 400 }); - div3_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - transition_out(default_slot, local); - if (div3_intro) div3_intro.invalidate(); - div3_outro = create_out_transition(div3, fade, { y: -100, duration: 250 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div3); - if (default_slot) default_slot.d(detaching); - if (detaching && div3_outro) div3_outro.end(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$u.name, - type: "if", - source: "(13:0) {#if show}", - ctx - }); - - return block; - } - - function create_fragment$B(ctx) { - let if_block_anchor; - let current; - let if_block = /*show*/ ctx[0] && create_if_block$u(ctx); - - const block = { - c: function create() { - if (if_block) if_block.c(); - if_block_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (/*show*/ ctx[0]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*show*/ 1) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$u(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$B.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$B($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Toastr', slots, ['default']); - let { show } = $$props; - let { mode = "success" } = $$props; - let { timeout = 5000 } = $$props; - - $$self.$$.on_mount.push(function () { - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - }); - - const writable_props = ['show', 'mode', 'timeout']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => $$invalidate(0, show = false); - - $$self.$$set = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('mode' in $$props) $$invalidate(1, mode = $$props.mode); - if ('timeout' in $$props) $$invalidate(2, timeout = $$props.timeout); - if ('$$scope' in $$props) $$invalidate(3, $$scope = $$props.$$scope); - }; - - $$self.$capture_state = () => ({ fade, fly, show, mode, timeout }); - - $$self.$inject_state = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('mode' in $$props) $$invalidate(1, mode = $$props.mode); - if ('timeout' in $$props) $$invalidate(2, timeout = $$props.timeout); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*show, timeout*/ 5) { - if (show) { - setTimeout( - () => { - $$invalidate(0, show = false); - }, - timeout - ); - } - } - }; - - return [show, mode, timeout, $$scope, slots, click_handler]; - } - - class Toastr extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$B, create_fragment$B, safe_not_equal, { show: 0, mode: 1, timeout: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Toastr", - options, - id: create_fragment$B.name - }); - } - - get show() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get mode() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set mode(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get timeout() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set timeout(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/IgnoreLists.svelte generated by Svelte v3.59.1 */ - const file$A = "src/components/misccomponents/IgnoreLists.svelte"; - - function get_each_context$c(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[9] = list[i]; - return child_ctx; - } - - // (30:0) {:else} - function create_else_block$m(ctx) { - let table; - let thead; - let tr; - let th0; - let t1; - let th1; - let t3; - let th2; - let t5; - let th3; - let t7; - let th4; - let t8; - let tbody; - let current; - let each_value = /*builds*/ ctx[0]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$c(get_each_context$c(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - th0.textContent = "Ignored Url"; - t1 = space(); - th1 = element("th"); - th1.textContent = "Apply To"; - t3 = space(); - th2 = element("th"); - th2.textContent = "Duration"; - t5 = space(); - th3 = element("th"); - th3.textContent = "From"; - t7 = space(); - th4 = element("th"); - t8 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - attr_dev(th0, "class", "px-4 py-2"); - add_location(th0, file$A, 33, 8, 826); - attr_dev(th1, "class", "px-4 py-2"); - add_location(th1, file$A, 34, 8, 873); - attr_dev(th2, "class", "px-4 py-2"); - add_location(th2, file$A, 35, 8, 917); - attr_dev(th3, "class", "px-4 py-2"); - add_location(th3, file$A, 36, 8, 961); - attr_dev(th4, "class", "px-4 py-2"); - add_location(th4, file$A, 37, 8, 1001); - add_location(tr, file$A, 32, 6, 813); - add_location(thead, file$A, 31, 4, 799); - add_location(tbody, file$A, 40, 4, 1055); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-6"); - add_location(table, file$A, 30, 2, 741); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(tr, t1); - append_dev(tr, th1); - append_dev(tr, t3); - append_dev(tr, th2); - append_dev(tr, t5); - append_dev(tr, th3); - append_dev(tr, t7); - append_dev(tr, th4); - append_dev(table, t8); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - current = true; - }, - p: function update(ctx, dirty) { - if (dirty & /*loading, builds, deleteUrl, deleteIgnore, $userSession$, format, Date*/ 109) { - each_value = /*builds*/ ctx[0]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$c(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$c(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(tbody, null); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$m.name, - type: "else", - source: "(30:0) {:else}", - ctx - }); - - return block; - } - - // (28:0) {#if numberOfIgnored === 0} - function create_if_block$t(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - div.textContent = "You have 0 ignored URLs!"; - attr_dev(div, "class", "md:flex md:items-center mb-6"); - add_location(div, file$A, 28, 2, 658); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$t.name, - type: "if", - source: "(28:0) {#if numberOfIgnored === 0}", - ctx - }); - - return block; - } - - // (55:12) {:else} - function create_else_block_3(ctx) { - let t0; - let a; - let t1_value = /*val*/ ctx[9].ignoreOn + ""; - let t1; - let a_href_value; - - const block = { - c: function create() { - t0 = text("When scanning\n "); - a = element("a"); - t1 = text(t1_value); - attr_dev(a, "class", "inline-block align-middle link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*val*/ ctx[9].ignoreOn); - add_location(a, file$A, 56, 14, 1515); - }, - m: function mount(target, anchor) { - insert_dev(target, t0, anchor); - insert_dev(target, a, anchor); - append_dev(a, t1); - }, - p: function update(ctx, dirty) { - if (dirty & /*builds*/ 1 && t1_value !== (t1_value = /*val*/ ctx[9].ignoreOn + "")) set_data_dev(t1, t1_value); - - if (dirty & /*builds*/ 1 && a_href_value !== (a_href_value = /*val*/ ctx[9].ignoreOn)) { - attr_dev(a, "href", a_href_value); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t0); - if (detaching) detach_dev(a); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_3.name, - type: "else", - source: "(55:12) {:else}", - ctx - }); - - return block; - } - - // (53:12) {#if val.ignoreOn === 'all'} - function create_if_block_3$4(ctx) { - let t; - - const block = { - c: function create() { - t = text("On all scans"); - }, - m: function mount(target, anchor) { - insert_dev(target, t, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(t); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$4.name, - type: "if", - source: "(53:12) {#if val.ignoreOn === 'all'}", - ctx - }); - - return block; - } - - // (68:12) {:else} - function create_else_block_2$1(ctx) { - let span; - let t0; - let t1_value = /*val*/ ctx[9].ignoreDuration + ""; - let t1; - let t2; - - const block = { - c: function create() { - span = element("span"); - t0 = text("For "); - t1 = text(t1_value); - t2 = text(" days"); - add_location(span, file$A, 68, 14, 1895); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - append_dev(span, t0); - append_dev(span, t1); - append_dev(span, t2); - }, - p: function update(ctx, dirty) { - if (dirty & /*builds*/ 1 && t1_value !== (t1_value = /*val*/ ctx[9].ignoreDuration + "")) set_data_dev(t1, t1_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_2$1.name, - type: "else", - source: "(68:12) {:else}", - ctx - }); - - return block; - } - - // (66:12) {#if val.ignoreDuration === -1} - function create_if_block_2$g(ctx) { - let span; - - const block = { - c: function create() { - span = element("span"); - span.textContent = "Permanently"; - add_location(span, file$A, 66, 14, 1836); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$g.name, - type: "if", - source: "(66:12) {#if val.ignoreDuration === -1}", - ctx - }); - - return block; - } - - // (78:12) {:else} - function create_else_block_1$6(ctx) { - let a; - let icon; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - $$slots: { default: [create_default_slot_1$g] }, - $$scope: { ctx } - }, - $$inline: true - }); - - function click_handler() { - return /*click_handler*/ ctx[7](/*val*/ ctx[9]); - } - - const block = { - c: function create() { - a = element("a"); - create_component(icon.$$.fragment); - attr_dev(a, "href", "javascript:void(0)"); - add_location(a, file$A, 78, 14, 2267); - }, - m: function mount(target, anchor) { - insert_dev(target, a, anchor); - mount_component(icon, a, null); - current = true; - - if (!mounted) { - dispose = listen_dev(a, "click", click_handler, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope*/ 4096) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(a); - destroy_component(icon); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$6.name, - type: "else", - source: "(78:12) {:else}", - ctx - }); - - return block; - } - - // (76:12) {#if loading && val.urlToIgnore === deleteUrl} - function create_if_block_1$k(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$k.name, - type: "if", - source: "(76:12) {#if loading && val.urlToIgnore === deleteUrl}", - ctx - }); - - return block; - } - - // (82:16) - function create_default_slot_1$g(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 7l-.867 12.142A2 2 0 0116.138 21H7.862a2 2 0\n 01-1.995-1.858L5 7m5 4v6m4-6v6m1-10V4a1 1 0 00-1-1h-4a1 1 0\n 00-1 1v3M4 7h16"); - add_location(path, file$A, 82, 18, 2420); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$g.name, - type: "slot", - source: "(82:16) ", - ctx - }); - - return block; - } - - // (42:6) {#each builds as val} - function create_each_block$c(ctx) { - let tr; - let td0; - let a; - let t0_value = /*val*/ ctx[9].urlToIgnore + ""; - let t0; - let a_href_value; - let t1; - let td1; - let t2; - let td2; - let t3; - let td3; - let t4_value = format(new Date(/*val*/ ctx[9].effectiveFrom), 'dd/MM/yyyy') + ""; - let t4; - let t5; - let td4; - let current_block_type_index; - let if_block2; - let t6; - let current; - - function select_block_type_1(ctx, dirty) { - if (/*val*/ ctx[9].ignoreOn === 'all') return create_if_block_3$4; - return create_else_block_3; - } - - let current_block_type = select_block_type_1(ctx); - let if_block0 = current_block_type(ctx); - - function select_block_type_2(ctx, dirty) { - if (/*val*/ ctx[9].ignoreDuration === -1) return create_if_block_2$g; - return create_else_block_2$1; - } - - let current_block_type_1 = select_block_type_2(ctx); - let if_block1 = current_block_type_1(ctx); - const if_block_creators = [create_if_block_1$k, create_else_block_1$6]; - const if_blocks = []; - - function select_block_type_3(ctx, dirty) { - if (/*loading*/ ctx[3] && /*val*/ ctx[9].urlToIgnore === /*deleteUrl*/ ctx[2]) return 0; - return 1; - } - - current_block_type_index = select_block_type_3(ctx); - if_block2 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - a = element("a"); - t0 = text(t0_value); - t1 = space(); - td1 = element("td"); - if_block0.c(); - t2 = space(); - td2 = element("td"); - if_block1.c(); - t3 = space(); - td3 = element("td"); - t4 = text(t4_value); - t5 = space(); - td4 = element("td"); - if_block2.c(); - t6 = space(); - attr_dev(a, "class", "inline-block align-middle link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*val*/ ctx[9].urlToIgnore); - add_location(a, file$A, 44, 12, 1156); - attr_dev(td0, "class", "border px-4 py-2"); - add_location(td0, file$A, 43, 10, 1114); - attr_dev(td1, "class", "border px-4 py-2"); - add_location(td1, file$A, 51, 10, 1355); - attr_dev(td2, "class", "border px-4 py-2 text-center"); - add_location(td2, file$A, 64, 10, 1736); - attr_dev(td3, "class", "border px-4 py-2 text-right"); - add_location(td3, file$A, 71, 10, 1982); - attr_dev(td4, "class", "border px-4 py-2"); - add_location(td4, file$A, 74, 10, 2113); - add_location(tr, file$A, 42, 8, 1099); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, a); - append_dev(a, t0); - append_dev(tr, t1); - append_dev(tr, td1); - if_block0.m(td1, null); - append_dev(tr, t2); - append_dev(tr, td2); - if_block1.m(td2, null); - append_dev(tr, t3); - append_dev(tr, td3); - append_dev(td3, t4); - append_dev(tr, t5); - append_dev(tr, td4); - if_blocks[current_block_type_index].m(td4, null); - append_dev(tr, t6); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*builds*/ 1) && t0_value !== (t0_value = /*val*/ ctx[9].urlToIgnore + "")) set_data_dev(t0, t0_value); - - if (!current || dirty & /*builds*/ 1 && a_href_value !== (a_href_value = /*val*/ ctx[9].urlToIgnore)) { - attr_dev(a, "href", a_href_value); - } - - if (current_block_type === (current_block_type = select_block_type_1(ctx)) && if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0.d(1); - if_block0 = current_block_type(ctx); - - if (if_block0) { - if_block0.c(); - if_block0.m(td1, null); - } - } - - if (current_block_type_1 === (current_block_type_1 = select_block_type_2(ctx)) && if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1.d(1); - if_block1 = current_block_type_1(ctx); - - if (if_block1) { - if_block1.c(); - if_block1.m(td2, null); - } - } - - if ((!current || dirty & /*builds*/ 1) && t4_value !== (t4_value = format(new Date(/*val*/ ctx[9].effectiveFrom), 'dd/MM/yyyy') + "")) set_data_dev(t4, t4_value); - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_3(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block2 = if_blocks[current_block_type_index]; - - if (!if_block2) { - if_block2 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block2.c(); - } else { - if_block2.p(ctx, dirty); - } - - transition_in(if_block2, 1); - if_block2.m(td4, null); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block2); - current = true; - }, - o: function outro(local) { - transition_out(if_block2); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - if_block0.d(); - if_block1.d(); - if_blocks[current_block_type_index].d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$c.name, - type: "each", - source: "(42:6) {#each builds as val}", - ctx - }); - - return block; - } - - // (97:0) - function create_default_slot$i(ctx) { - let p0; - let t1; - let p1; - let t2; - let span; - let t3; - - const block = { - c: function create() { - p0 = element("p"); - p0.textContent = "Failure"; - t1 = space(); - p1 = element("p"); - t2 = text("Failed to remove\n "); - span = element("span"); - t3 = text(/*deleteUrl*/ ctx[2]); - attr_dev(p0, "class", "font-bold"); - add_location(p0, file$A, 97, 2, 2794); - attr_dev(span, "class", "font-bold"); - add_location(span, file$A, 100, 4, 2874); - attr_dev(p1, "class", "text-sm"); - add_location(p1, file$A, 98, 2, 2829); - }, - m: function mount(target, anchor) { - insert_dev(target, p0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, p1, anchor); - append_dev(p1, t2); - append_dev(p1, span); - append_dev(span, t3); - }, - p: function update(ctx, dirty) { - if (dirty & /*deleteUrl*/ 4) set_data_dev(t3, /*deleteUrl*/ ctx[2]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(p1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$i.name, - type: "slot", - source: "(97:0) ", - ctx - }); - - return block; - } - - function create_fragment$A(ctx) { - let current_block_type_index; - let if_block; - let t; - let toastr; - let updating_show; - let current; - const if_block_creators = [create_if_block$t, create_else_block$m]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*numberOfIgnored*/ ctx[4] === 0) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[8](value); - } - - let toastr_props = { - $$slots: { default: [create_default_slot$i] }, - $$scope: { ctx } - }; - - if (/*addedFailedToast*/ ctx[1] !== void 0) { - toastr_props.show = /*addedFailedToast*/ ctx[1]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - const block = { - c: function create() { - if_block.c(); - t = space(); - create_component(toastr.$$.fragment); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, t, anchor); - mount_component(toastr, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(t.parentNode, t); - } - - const toastr_changes = {}; - - if (dirty & /*$$scope, deleteUrl*/ 4100) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*addedFailedToast*/ 2) { - updating_show = true; - toastr_changes.show = /*addedFailedToast*/ ctx[1]; - add_flush_callback(() => updating_show = false); - } - - toastr.$set(toastr_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - transition_in(toastr.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - transition_out(toastr.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(t); - destroy_component(toastr, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$A.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$A($$self, $$props, $$invalidate) { - let numberOfIgnored; - let $userSession$; - validate_store(userSession$, 'userSession$'); - component_subscribe($$self, userSession$, $$value => $$invalidate(5, $userSession$ = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('IgnoreLists', slots, []); - let { builds = [] } = $$props; - let addedFailedToast; - let deleteUrl; - let loading; - - const deleteIgnore = async (url, user) => { - $$invalidate(2, deleteUrl = url.urlToIgnore); - $$invalidate(3, loading = true); - - try { - await deleteIgnoreUrl(url, user); - } catch(error) { - $$invalidate(1, addedFailedToast = true); - } finally { - $$invalidate(3, loading = false); - } - }; - - const writable_props = ['builds']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = val => deleteIgnore(val, $userSession$); - - function toastr_show_binding(value) { - addedFailedToast = value; - $$invalidate(1, addedFailedToast); - } - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(0, builds = $$props.builds); - }; - - $$self.$capture_state = () => ({ - format, - Toastr, - LoadingCirle: LoadingCircle, - Icon, - userSession$, - deleteIgnoreUrl, - builds, - addedFailedToast, - deleteUrl, - loading, - deleteIgnore, - numberOfIgnored, - $userSession$ - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(0, builds = $$props.builds); - if ('addedFailedToast' in $$props) $$invalidate(1, addedFailedToast = $$props.addedFailedToast); - if ('deleteUrl' in $$props) $$invalidate(2, deleteUrl = $$props.deleteUrl); - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('numberOfIgnored' in $$props) $$invalidate(4, numberOfIgnored = $$props.numberOfIgnored); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*builds*/ 1) { - $$invalidate(4, numberOfIgnored = builds.length); - } - }; - - return [ - builds, - addedFailedToast, - deleteUrl, - loading, - numberOfIgnored, - $userSession$, - deleteIgnore, - click_handler, - toastr_show_binding - ]; - } - - class IgnoreLists extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$A, create_fragment$A, safe_not_equal, { builds: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "IgnoreLists", - options, - id: create_fragment$A.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/SelectField.svelte generated by Svelte v3.59.1 */ - - const file$z = "src/components/misccomponents/SelectField.svelte"; - - function get_each_context$b(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[7] = list[i]; - return child_ctx; - } - - // (19:2) {#if allowNull} - function create_if_block_2$f(ctx) { - let option; - - const block = { - c: function create() { - option = element("option"); - option.textContent = "Please Select"; - option.__value = null; - option.value = option.__value; - add_location(option, file$z, 19, 4, 492); - }, - m: function mount(target, anchor) { - insert_dev(target, option, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(option); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$f.name, - type: "if", - source: "(19:2) {#if allowNull}", - ctx - }); - - return block; - } - - // (22:2) {#each options as question} - function create_each_block$b(ctx) { - let option; - let t_value = /*question*/ ctx[7].label + ""; - let t; - let option_value_value; - - const block = { - c: function create() { - option = element("option"); - t = text(t_value); - option.__value = option_value_value = /*question*/ ctx[7].value; - option.value = option.__value; - add_location(option, file$z, 22, 4, 578); - }, - m: function mount(target, anchor) { - insert_dev(target, option, anchor); - append_dev(option, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*options*/ 4 && t_value !== (t_value = /*question*/ ctx[7].label + "")) set_data_dev(t, t_value); - - if (dirty & /*options*/ 4 && option_value_value !== (option_value_value = /*question*/ ctx[7].value)) { - prop_dev(option, "__value", option_value_value); - option.value = option.__value; - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(option); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$b.name, - type: "each", - source: "(22:2) {#each options as question}", - ctx - }); - - return block; - } - - // (27:0) {#if required && !value} - function create_if_block_1$j(ctx) { - let p; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "This field is required"; - attr_dev(p, "class", "text-red-500 text-xs italic"); - add_location(p, file$z, 27, 2, 683); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$j.name, - type: "if", - source: "(27:0) {#if required && !value}", - ctx - }); - - return block; - } - - // (31:0) {#if errorMsg && value} - function create_if_block$s(ctx) { - let p; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(/*errorMsg*/ ctx[4]); - attr_dev(p, "class", "text-red-500 text-xs italic"); - add_location(p, file$z, 31, 2, 782); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*errorMsg*/ 16) set_data_dev(t, /*errorMsg*/ ctx[4]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$s.name, - type: "if", - source: "(31:0) {#if errorMsg && value}", - ctx - }); - - return block; - } - - function create_fragment$z(ctx) { - let label_1; - let t0; - let t1; - let select; - let if_block0_anchor; - let t2; - let t3; - let if_block2_anchor; - let mounted; - let dispose; - let if_block0 = /*allowNull*/ ctx[3] && create_if_block_2$f(ctx); - let each_value = /*options*/ ctx[2]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$b(get_each_context$b(ctx, each_value, i)); - } - - let if_block1 = /*required*/ ctx[5] && !/*value*/ ctx[0] && create_if_block_1$j(ctx); - let if_block2 = /*errorMsg*/ ctx[4] && /*value*/ ctx[0] && create_if_block$s(ctx); - - const block = { - c: function create() { - label_1 = element("label"); - t0 = text(/*label*/ ctx[1]); - t1 = space(); - select = element("select"); - if (if_block0) if_block0.c(); - if_block0_anchor = empty(); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t2 = space(); - if (if_block1) if_block1.c(); - t3 = space(); - if (if_block2) if_block2.c(); - if_block2_anchor = empty(); - attr_dev(label_1, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mb-2"); - add_location(label_1, file$z, 9, 0, 176); - attr_dev(select, "class", "appearance-none block w-full text-gray-700 border border-gray-300 rounded py-3 px-4 leading-tight focus:outline-none focus:bg-white focus:border-gray-500"); - if (/*value*/ ctx[0] === void 0) add_render_callback(() => /*select_change_handler*/ ctx[6].call(select)); - add_location(select, file$z, 13, 0, 280); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, label_1, anchor); - append_dev(label_1, t0); - insert_dev(target, t1, anchor); - insert_dev(target, select, anchor); - if (if_block0) if_block0.m(select, null); - append_dev(select, if_block0_anchor); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(select, null); - } - } - - select_option(select, /*value*/ ctx[0], true); - insert_dev(target, t2, anchor); - if (if_block1) if_block1.m(target, anchor); - insert_dev(target, t3, anchor); - if (if_block2) if_block2.m(target, anchor); - insert_dev(target, if_block2_anchor, anchor); - - if (!mounted) { - dispose = listen_dev(select, "change", /*select_change_handler*/ ctx[6]); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (dirty & /*label*/ 2) set_data_dev(t0, /*label*/ ctx[1]); - - if (/*allowNull*/ ctx[3]) { - if (if_block0) ; else { - if_block0 = create_if_block_2$f(ctx); - if_block0.c(); - if_block0.m(select, if_block0_anchor); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (dirty & /*options*/ 4) { - each_value = /*options*/ ctx[2]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$b(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$b(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(select, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - - if (dirty & /*value, options*/ 5) { - select_option(select, /*value*/ ctx[0]); - } - - if (/*required*/ ctx[5] && !/*value*/ ctx[0]) { - if (if_block1) ; else { - if_block1 = create_if_block_1$j(ctx); - if_block1.c(); - if_block1.m(t3.parentNode, t3); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - if (/*errorMsg*/ ctx[4] && /*value*/ ctx[0]) { - if (if_block2) { - if_block2.p(ctx, dirty); - } else { - if_block2 = create_if_block$s(ctx); - if_block2.c(); - if_block2.m(if_block2_anchor.parentNode, if_block2_anchor); - } - } else if (if_block2) { - if_block2.d(1); - if_block2 = null; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(label_1); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(select); - if (if_block0) if_block0.d(); - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(t2); - if (if_block1) if_block1.d(detaching); - if (detaching) detach_dev(t3); - if (if_block2) if_block2.d(detaching); - if (detaching) detach_dev(if_block2_anchor); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$z.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$z($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('SelectField', slots, []); - let { label } = $$props; - let { options = [] } = $$props; - let { value } = $$props; - let { allowNull = true } = $$props; - let { errorMsg = "" } = $$props; - let { required = true } = $$props; - - $$self.$$.on_mount.push(function () { - if (label === undefined && !('label' in $$props || $$self.$$.bound[$$self.$$.props['label']])) { - console.warn(" was created without expected prop 'label'"); - } - - if (value === undefined && !('value' in $$props || $$self.$$.bound[$$self.$$.props['value']])) { - console.warn(" was created without expected prop 'value'"); - } - }); - - const writable_props = ['label', 'options', 'value', 'allowNull', 'errorMsg', 'required']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function select_change_handler() { - value = select_value(this); - $$invalidate(0, value); - $$invalidate(2, options); - } - - $$self.$$set = $$props => { - if ('label' in $$props) $$invalidate(1, label = $$props.label); - if ('options' in $$props) $$invalidate(2, options = $$props.options); - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('allowNull' in $$props) $$invalidate(3, allowNull = $$props.allowNull); - if ('errorMsg' in $$props) $$invalidate(4, errorMsg = $$props.errorMsg); - if ('required' in $$props) $$invalidate(5, required = $$props.required); - }; - - $$self.$capture_state = () => ({ - label, - options, - value, - allowNull, - errorMsg, - required - }); - - $$self.$inject_state = $$props => { - if ('label' in $$props) $$invalidate(1, label = $$props.label); - if ('options' in $$props) $$invalidate(2, options = $$props.options); - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('allowNull' in $$props) $$invalidate(3, allowNull = $$props.allowNull); - if ('errorMsg' in $$props) $$invalidate(4, errorMsg = $$props.errorMsg); - if ('required' in $$props) $$invalidate(5, required = $$props.required); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [value, label, options, allowNull, errorMsg, required, select_change_handler]; - } - - class SelectField extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$z, create_fragment$z, safe_not_equal, { - label: 1, - options: 2, - value: 0, - allowNull: 3, - errorMsg: 4, - required: 5 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "SelectField", - options, - id: create_fragment$z.name - }); - } - - get label() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set label(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get options() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set options(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get allowNull() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set allowNull(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get errorMsg() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set errorMsg(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get required() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set required(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/Modal.svelte generated by Svelte v3.59.1 */ - const file$y = "src/components/misccomponents/Modal.svelte"; - - // (63:8) {#if mainAction} - function create_if_block$r(ctx) { - let button; - let t0; - let t1; - let current; - let mounted; - let dispose; - let if_block = /*loading*/ ctx[2] && create_if_block_1$i(ctx); - - const block = { - c: function create() { - button = element("button"); - t0 = text(/*mainAction*/ ctx[4]); - t1 = space(); - if (if_block) if_block.c(); - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$y, 63, 10, 1600); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - append_dev(button, t0); - append_dev(button, t1); - if (if_block) if_block.m(button, null); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", /*action*/ ctx[5], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (!current || dirty & /*mainAction*/ 16) set_data_dev(t0, /*mainAction*/ ctx[4]); - - if (/*loading*/ ctx[2]) { - if (if_block) { - if (dirty & /*loading*/ 4) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block_1$i(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(button, null); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - if (if_block) if_block.d(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$r.name, - type: "if", - source: "(63:8) {#if mainAction}", - ctx - }); - - return block; - } - - // (70:12) {#if loading} - function create_if_block_1$i(ctx) { - let loadingcirle; - let current; - loadingcirle = new LoadingCircle({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingcirle.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingcirle, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingcirle.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingcirle.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingcirle, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$i.name, - type: "if", - source: "(70:12) {#if loading}", - ctx - }); - - return block; - } - - function create_fragment$y(ctx) { - let div6; - let div0; - let t0; - let div5; - let div4; - let div1; - let p; - let t1; - let t2; - let div2; - let t3; - let div3; - let t4; - let button; - let div5_class_value; - let current; - let mounted; - let dispose; - const default_slot_template = /*#slots*/ ctx[9].default; - const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[8], null); - let if_block = /*mainAction*/ ctx[4] && create_if_block$r(ctx); - - const block = { - c: function create() { - div6 = element("div"); - div0 = element("div"); - t0 = space(); - div5 = element("div"); - div4 = element("div"); - div1 = element("div"); - p = element("p"); - t1 = text(/*header*/ ctx[1]); - t2 = space(); - div2 = element("div"); - if (default_slot) default_slot.c(); - t3 = space(); - div3 = element("div"); - if (if_block) if_block.c(); - t4 = space(); - button = element("button"); - button.textContent = "Close"; - attr_dev(div0, "class", "modal-overlay absolute w-full h-full bg-gray-900 opacity-50"); - add_location(div0, file$y, 39, 2, 830); - attr_dev(p, "class", "text-2xl font-bold"); - add_location(p, file$y, 52, 8, 1340); - attr_dev(div1, "class", "flex justify-between items-center pb-3"); - add_location(div1, file$y, 51, 6, 1279); - attr_dev(div2, "class", "modal-body py-5 overflow-y-auto svelte-4s763w"); - add_location(div2, file$y, 56, 6, 1421); - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bgdark hover:bg-grey-800 font-semibold ml-1 text-white hover:text-white py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$y, 74, 8, 1937); - attr_dev(div3, "class", "flex justify-end pt-2 mb-3"); - add_location(div3, file$y, 61, 6, 1524); - attr_dev(div4, "class", "modal-content py-4 text-left px-6 svelte-4s763w"); - toggle_class(div4, "fullheight", /*full*/ ctx[3] === true); - add_location(div4, file$y, 47, 4, 1161); - - attr_dev(div5, "class", div5_class_value = "" + (null_to_empty(`modal-container bg-white w-11/12 md:${/*full*/ ctx[3] ? 'max-w-6xl' : 'max-w-xl'} mx-auto rounded - shadow-lg z-50 overflow-y-auto`) + " svelte-4s763w")); - - add_location(div5, file$y, 43, 2, 936); - attr_dev(div6, "class", "modal opacity-0 pointer-events-none fixed w-full h-full top-0 left-0 flex items-center justify-center svelte-4s763w"); - toggle_class(div6, "opacity-0", !/*show*/ ctx[0]); - toggle_class(div6, "pointer-events-none", !/*show*/ ctx[0]); - add_location(div6, file$y, 34, 0, 646); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div6, anchor); - append_dev(div6, div0); - append_dev(div6, t0); - append_dev(div6, div5); - append_dev(div5, div4); - append_dev(div4, div1); - append_dev(div1, p); - append_dev(p, t1); - append_dev(div4, t2); - append_dev(div4, div2); - - if (default_slot) { - default_slot.m(div2, null); - } - - append_dev(div4, t3); - append_dev(div4, div3); - if (if_block) if_block.m(div3, null); - append_dev(div3, t4); - append_dev(div3, button); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(window, "keydown", /*handleKeydown*/ ctx[7], false, false, false, false), - listen_dev(div0, "click", /*dismiss*/ ctx[6], false, false, false, false), - listen_dev(button, "click", /*dismiss*/ ctx[6], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (!current || dirty & /*header*/ 2) set_data_dev(t1, /*header*/ ctx[1]); - - if (default_slot) { - if (default_slot.p && (!current || dirty & /*$$scope*/ 256)) { - update_slot_base( - default_slot, - default_slot_template, - ctx, - /*$$scope*/ ctx[8], - !current - ? get_all_dirty_from_scope(/*$$scope*/ ctx[8]) - : get_slot_changes(default_slot_template, /*$$scope*/ ctx[8], dirty, null), - null - ); - } - } - - if (/*mainAction*/ ctx[4]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*mainAction*/ 16) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$r(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(div3, t4); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - - if (!current || dirty & /*full*/ 8) { - toggle_class(div4, "fullheight", /*full*/ ctx[3] === true); - } - - if (!current || dirty & /*full*/ 8 && div5_class_value !== (div5_class_value = "" + (null_to_empty(`modal-container bg-white w-11/12 md:${/*full*/ ctx[3] ? 'max-w-6xl' : 'max-w-xl'} mx-auto rounded - shadow-lg z-50 overflow-y-auto`) + " svelte-4s763w"))) { - attr_dev(div5, "class", div5_class_value); - } - - if (!current || dirty & /*show*/ 1) { - toggle_class(div6, "opacity-0", !/*show*/ ctx[0]); - } - - if (!current || dirty & /*show*/ 1) { - toggle_class(div6, "pointer-events-none", !/*show*/ ctx[0]); - } - }, - i: function intro(local) { - if (current) return; - transition_in(default_slot, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(default_slot, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div6); - if (default_slot) default_slot.d(detaching); - if (if_block) if_block.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$y.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$y($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Modal', slots, ['default']); - let { show } = $$props; - let { header } = $$props; - let { loading } = $$props; - let { full = false } = $$props; - let { mainAction } = $$props; - const dispatch = createEventDispatcher(); - const action = () => dispatch("action"); - - const dismiss = () => { - dispatch("dismiss"); - $$invalidate(0, show = false); - }; - - const handleKeydown = event => event.key === "Escape" && dismiss(); - - $$self.$$.on_mount.push(function () { - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (header === undefined && !('header' in $$props || $$self.$$.bound[$$self.$$.props['header']])) { - console.warn(" was created without expected prop 'header'"); - } - - if (loading === undefined && !('loading' in $$props || $$self.$$.bound[$$self.$$.props['loading']])) { - console.warn(" was created without expected prop 'loading'"); - } - - if (mainAction === undefined && !('mainAction' in $$props || $$self.$$.bound[$$self.$$.props['mainAction']])) { - console.warn(" was created without expected prop 'mainAction'"); - } - }); - - const writable_props = ['show', 'header', 'loading', 'full', 'mainAction']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('header' in $$props) $$invalidate(1, header = $$props.header); - if ('loading' in $$props) $$invalidate(2, loading = $$props.loading); - if ('full' in $$props) $$invalidate(3, full = $$props.full); - if ('mainAction' in $$props) $$invalidate(4, mainAction = $$props.mainAction); - if ('$$scope' in $$props) $$invalidate(8, $$scope = $$props.$$scope); - }; - - $$self.$capture_state = () => ({ - LoadingCirle: LoadingCircle, - createEventDispatcher, - Icon, - show, - header, - loading, - full, - mainAction, - dispatch, - action, - dismiss, - handleKeydown - }); - - $$self.$inject_state = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('header' in $$props) $$invalidate(1, header = $$props.header); - if ('loading' in $$props) $$invalidate(2, loading = $$props.loading); - if ('full' in $$props) $$invalidate(3, full = $$props.full); - if ('mainAction' in $$props) $$invalidate(4, mainAction = $$props.mainAction); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - show, - header, - loading, - full, - mainAction, - action, - dismiss, - handleKeydown, - $$scope, - slots - ]; - } - - class Modal extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$y, create_fragment$y, safe_not_equal, { - show: 0, - header: 1, - loading: 2, - full: 3, - mainAction: 4 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Modal", - options, - id: create_fragment$y.name - }); - } - - get show() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get header() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set header(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get loading() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set loading(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get full() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set full(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get mainAction() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set mainAction(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/UpdateIgnoreUrl.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$5 } = globals; - const file$x = "src/components/misccomponents/UpdateIgnoreUrl.svelte"; - - // (111:6) {#if scanUrl} - function create_if_block$q(ctx) { - let li; - let div; - let input; - let value_has_changed = false; - let t0; - let label; - let span; - let t1; - let t2; - let t3; - let binding_group; - let mounted; - let dispose; - binding_group = init_binding_group(/*$$binding_groups*/ ctx[14][0]); - - const block = { - c: function create() { - li = element("li"); - div = element("div"); - input = element("input"); - t0 = space(); - label = element("label"); - span = element("span"); - t1 = text("\n Only when "); - t2 = text(/*scanUrl*/ ctx[2]); - t3 = text(" is scanned"); - attr_dev(input, "type", "radio"); - attr_dev(input, "class", "hidden svelte-1nc5sgc"); - attr_dev(input, "id", "radio2"); - input.__value = /*url*/ ctx[0]; - input.value = input.__value; - add_location(input, file$x, 113, 12, 3184); - attr_dev(span, "class", "w-5 h-5 inline-block mr-2 rounded-full border-black border-solid border flex-no-shrink svelte-1nc5sgc"); - add_location(span, file$x, 120, 14, 3426); - attr_dev(label, "for", "radio2"); - attr_dev(label, "class", "flex items-center cursor-pointer svelte-1nc5sgc"); - add_location(label, file$x, 119, 12, 3350); - attr_dev(div, "class", "flex items-center mr-4 mb-4"); - add_location(div, file$x, 112, 10, 3130); - add_location(li, file$x, 111, 8, 3115); - binding_group.p(input); - }, - m: function mount(target, anchor) { - insert_dev(target, li, anchor); - append_dev(li, div); - append_dev(div, input); - input.checked = input.__value === /*ignoreOn*/ ctx[4]; - append_dev(div, t0); - append_dev(div, label); - append_dev(label, span); - append_dev(label, t1); - append_dev(label, t2); - append_dev(label, t3); - - if (!mounted) { - dispose = listen_dev(input, "change", /*input_change_handler_1*/ ctx[15]); - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (dirty & /*url*/ 1) { - prop_dev(input, "__value", /*url*/ ctx[0]); - input.value = input.__value; - value_has_changed = true; - } - - if (value_has_changed || dirty & /*ignoreOn*/ 16) { - input.checked = input.__value === /*ignoreOn*/ ctx[4]; - } - - if (dirty & /*scanUrl*/ 4) set_data_dev(t2, /*scanUrl*/ ctx[2]); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(li); - binding_group.r(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$q.name, - type: "if", - source: "(111:6) {#if scanUrl}", - ctx - }); - - return block; - } - - // (75:0) - function create_default_slot_2$b(ctx) { - let div3; - let textfield; - let updating_value; - let t0; - let div0; - let t2; - let div1; - let t3; - let a; - let t5; - let label0; - let t7; - let ul; - let li; - let div2; - let input; - let t8; - let label1; - let span; - let t9; - let t10; - let t11; - let selectfield; - let updating_value_1; - let current; - let binding_group; - let mounted; - let dispose; - - function textfield_value_binding(value) { - /*textfield_value_binding*/ ctx[12](value); - } - - let textfield_props = { - placeholder: "", - label: "URL", - type: "text" - }; - - if (/*url*/ ctx[0] !== void 0) { - textfield_props.value = /*url*/ ctx[0]; - } - - textfield = new TextField({ props: textfield_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield, 'value', textfield_value_binding)); - let if_block = /*scanUrl*/ ctx[2] && create_if_block$q(ctx); - - function selectfield_value_binding(value) { - /*selectfield_value_binding*/ ctx[16](value); - } - - let selectfield_props = { - label: "Ignore Duration:", - allowNull: false, - options: /*ignoreDurations*/ ctx[8] - }; - - if (/*ignoreDuration*/ ctx[5] !== void 0) { - selectfield_props.value = /*ignoreDuration*/ ctx[5]; - } - - selectfield = new SelectField({ props: selectfield_props, $$inline: true }); - binding_callbacks.push(() => bind$2(selectfield, 'value', selectfield_value_binding)); - binding_group = init_binding_group(/*$$binding_groups*/ ctx[14][0]); - - const block = { - c: function create() { - div3 = element("div"); - create_component(textfield.$$.fragment); - t0 = space(); - div0 = element("div"); - div0.textContent = "You can use glob matching, e.g. https://twitter.com/** will match with\n https://twitter.com/users/john or https://twitter.com/login"; - t2 = space(); - div1 = element("div"); - t3 = text("To see more supported Glob patterns, check out \n "); - a = element("a"); - a.textContent = "CodeAuditor KB"; - t5 = space(); - label0 = element("label"); - label0.textContent = "For"; - t7 = space(); - ul = element("ul"); - li = element("li"); - div2 = element("div"); - input = element("input"); - t8 = space(); - label1 = element("label"); - span = element("span"); - t9 = text("\n All new builds"); - t10 = space(); - if (if_block) if_block.c(); - t11 = space(); - create_component(selectfield.$$.fragment); - attr_dev(div0, "class", "text-sm text-grey-400 py-3"); - add_location(div0, file$x, 83, 4, 1987); - attr_dev(a, "class", "link hover:text-red-600"); - attr_dev(a, "href", "https://github.com/SSWConsulting/SSW.CodeAuditor/wiki/SSW-CodeAuditor-Knowledge-Base-(KB)#supported-glob-patterns-when-adding-ignored-urls"); - add_location(a, file$x, 89, 6, 2282); - attr_dev(div1, "class", "text-sm text-grey-400"); - add_location(div1, file$x, 87, 4, 2186); - attr_dev(label0, "class", "block uppercase text-xs mb-2 py-2"); - add_location(label0, file$x, 91, 4, 2497); - attr_dev(input, "id", "radio1"); - attr_dev(input, "type", "radio"); - attr_dev(input, "class", "hidden svelte-1nc5sgc"); - input.__value = 'all'; - input.value = input.__value; - add_location(input, file$x, 95, 10, 2651); - attr_dev(span, "class", "w-5 h-5 inline-block mr-2 rounded-full border-black border-solid border flex-no-shrink svelte-1nc5sgc"); - add_location(span, file$x, 103, 12, 2882); - attr_dev(label1, "for", "radio1"); - attr_dev(label1, "class", "flex items-center cursor-pointer svelte-1nc5sgc"); - add_location(label1, file$x, 102, 10, 2808); - attr_dev(div2, "class", "flex items-center mr-4 mb-4"); - add_location(div2, file$x, 94, 8, 2599); - attr_dev(li, "class", "pb-3"); - add_location(li, file$x, 93, 6, 2573); - add_location(ul, file$x, 92, 4, 2562); - attr_dev(div3, "class", "ml-5"); - add_location(div3, file$x, 81, 2, 1890); - binding_group.p(input); - }, - m: function mount(target, anchor) { - insert_dev(target, div3, anchor); - mount_component(textfield, div3, null); - append_dev(div3, t0); - append_dev(div3, div0); - append_dev(div3, t2); - append_dev(div3, div1); - append_dev(div1, t3); - append_dev(div1, a); - append_dev(div3, t5); - append_dev(div3, label0); - append_dev(div3, t7); - append_dev(div3, ul); - append_dev(ul, li); - append_dev(li, div2); - append_dev(div2, input); - input.checked = input.__value === /*ignoreOn*/ ctx[4]; - append_dev(div2, t8); - append_dev(div2, label1); - append_dev(label1, span); - append_dev(label1, t9); - append_dev(ul, t10); - if (if_block) if_block.m(ul, null); - append_dev(div3, t11); - mount_component(selectfield, div3, null); - current = true; - - if (!mounted) { - dispose = listen_dev(input, "change", /*input_change_handler*/ ctx[13]); - mounted = true; - } - }, - p: function update(ctx, dirty) { - const textfield_changes = {}; - - if (!updating_value && dirty & /*url*/ 1) { - updating_value = true; - textfield_changes.value = /*url*/ ctx[0]; - add_flush_callback(() => updating_value = false); - } - - textfield.$set(textfield_changes); - - if (dirty & /*ignoreOn*/ 16) { - input.checked = input.__value === /*ignoreOn*/ ctx[4]; - } - - if (/*scanUrl*/ ctx[2]) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block$q(ctx); - if_block.c(); - if_block.m(ul, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - - const selectfield_changes = {}; - - if (!updating_value_1 && dirty & /*ignoreDuration*/ 32) { - updating_value_1 = true; - selectfield_changes.value = /*ignoreDuration*/ ctx[5]; - add_flush_callback(() => updating_value_1 = false); - } - - selectfield.$set(selectfield_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(textfield.$$.fragment, local); - transition_in(selectfield.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(textfield.$$.fragment, local); - transition_out(selectfield.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div3); - destroy_component(textfield); - if (if_block) if_block.d(); - destroy_component(selectfield); - binding_group.r(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$b.name, - type: "slot", - source: "(75:0) ", - ctx - }); - - return block; - } - - // (145:6) - function create_default_slot_1$f(ctx) { - let t; - - const block = { - c: function create() { - t = text("View"); - }, - m: function mount(target, anchor) { - insert_dev(target, t, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$f.name, - type: "slot", - source: "(145:6) ", - ctx - }); - - return block; - } - - // (138:0) - function create_default_slot$h(ctx) { - let p0; - let t1; - let p1; - let t2; - let t3_value = /*ignoredUrls*/ ctx[3].length + ""; - let t3; - let t4; - let span; - let navigate; - let current; - - navigate = new src_7({ - props: { - to: "/home/settings", - $$slots: { default: [create_default_slot_1$f] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - p0 = element("p"); - p0.textContent = "Added to ignored list!"; - t1 = space(); - p1 = element("p"); - t2 = text("You currently have "); - t3 = text(t3_value); - t4 = text(" ignored URLs.\n "); - span = element("span"); - create_component(navigate.$$.fragment); - attr_dev(p0, "class", "font-bold"); - add_location(p0, file$x, 138, 2, 3882); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - add_location(span, file$x, 141, 4, 4014); - attr_dev(p1, "class", "text-sm"); - add_location(p1, file$x, 139, 2, 3932); - }, - m: function mount(target, anchor) { - insert_dev(target, p0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, p1, anchor); - append_dev(p1, t2); - append_dev(p1, t3); - append_dev(p1, t4); - append_dev(p1, span); - mount_component(navigate, span, null); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*ignoredUrls*/ 8) && t3_value !== (t3_value = /*ignoredUrls*/ ctx[3].length + "")) set_data_dev(t3, t3_value); - const navigate_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - navigate_changes.$$scope = { dirty, ctx }; - } - - navigate.$set(navigate_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(navigate.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(navigate.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(p1); - destroy_component(navigate); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$h.name, - type: "slot", - source: "(138:0) ", - ctx - }); - - return block; - } - - function create_fragment$x(ctx) { - let modal; - let updating_show; - let updating_loading; - let t; - let toastr; - let updating_show_1; - let current; - - function modal_show_binding(value) { - /*modal_show_binding*/ ctx[17](value); - } - - function modal_loading_binding(value) { - /*modal_loading_binding*/ ctx[18](value); - } - - let modal_props = { - header: "Ignore the following URL", - mainAction: "Save", - $$slots: { default: [create_default_slot_2$b] }, - $$scope: { ctx } - }; - - if (/*show*/ ctx[1] !== void 0) { - modal_props.show = /*show*/ ctx[1]; - } - - if (/*loading*/ ctx[6] !== void 0) { - modal_props.loading = /*loading*/ ctx[6]; - } - - modal = new Modal({ props: modal_props, $$inline: true }); - binding_callbacks.push(() => bind$2(modal, 'show', modal_show_binding)); - binding_callbacks.push(() => bind$2(modal, 'loading', modal_loading_binding)); - modal.$on("action", /*updateIgnore*/ ctx[10]); - modal.$on("dismiss", /*dismiss*/ ctx[9]); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[19](value); - } - - let toastr_props = { - $$slots: { default: [create_default_slot$h] }, - $$scope: { ctx } - }; - - if (/*addedSuccessToast*/ ctx[7] !== void 0) { - toastr_props.show = /*addedSuccessToast*/ ctx[7]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - const block = { - c: function create() { - create_component(modal.$$.fragment); - t = space(); - create_component(toastr.$$.fragment); - }, - l: function claim(nodes) { - throw new Error_1$5("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - mount_component(modal, target, anchor); - insert_dev(target, t, anchor); - mount_component(toastr, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - const modal_changes = {}; - - if (dirty & /*$$scope, ignoreDuration, scanUrl, url, ignoreOn*/ 1048629) { - modal_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*show*/ 2) { - updating_show = true; - modal_changes.show = /*show*/ ctx[1]; - add_flush_callback(() => updating_show = false); - } - - if (!updating_loading && dirty & /*loading*/ 64) { - updating_loading = true; - modal_changes.loading = /*loading*/ ctx[6]; - add_flush_callback(() => updating_loading = false); - } - - modal.$set(modal_changes); - const toastr_changes = {}; - - if (dirty & /*$$scope, ignoredUrls*/ 1048584) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_1 && dirty & /*addedSuccessToast*/ 128) { - updating_show_1 = true; - toastr_changes.show = /*addedSuccessToast*/ ctx[7]; - add_flush_callback(() => updating_show_1 = false); - } - - toastr.$set(toastr_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(modal.$$.fragment, local); - transition_in(toastr.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(modal.$$.fragment, local); - transition_out(toastr.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(modal, detaching); - if (detaching) detach_dev(t); - destroy_component(toastr, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$x.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$x($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('UpdateIgnoreUrl', slots, []); - let { url = 'https://' } = $$props; - let { scanUrl } = $$props; - let { show } = $$props; - let { user } = $$props; - let ignoredUrls = []; - let ignoreOn = "all"; - let ignoreDuration = 3; - let loading; - let addedSuccessToast; - - const ignoreDurations = [ - { value: 3, label: "3 days" }, - { value: 7, label: "1 week" }, - { value: 14, label: "2 weeks" }, - { value: 30, label: "1 month" }, - { value: -1, label: "Permanently" } - ]; - - const dismiss = () => $$invalidate(1, show = false); - - const updateIgnore = async () => { - $$invalidate(6, loading = true); - - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/ignore`, { - method: "POST", - body: JSON.stringify({ - urlToIgnore: url, - ignoreOn, - ignoreDuration - }), - headers: { "Content-Type": "application/json" } - }); - - $$invalidate(3, ignoredUrls = await res.json()); - - if (res.ok) { - ignoredUrls$.set(ignoredUrls); - $$invalidate(6, loading = false); - $$invalidate(1, show = false); - $$invalidate(7, addedSuccessToast = true); - } else { - throw new Error("Failed to load"); - } - }; - - $$self.$$.on_mount.push(function () { - if (scanUrl === undefined && !('scanUrl' in $$props || $$self.$$.bound[$$self.$$.props['scanUrl']])) { - console.warn(" was created without expected prop 'scanUrl'"); - } - - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (user === undefined && !('user' in $$props || $$self.$$.bound[$$self.$$.props['user']])) { - console.warn(" was created without expected prop 'user'"); - } - }); - - const writable_props = ['url', 'scanUrl', 'show', 'user']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const $$binding_groups = [[]]; - - function textfield_value_binding(value) { - url = value; - $$invalidate(0, url); - } - - function input_change_handler() { - ignoreOn = this.__value; - $$invalidate(4, ignoreOn); - } - - function input_change_handler_1() { - ignoreOn = this.__value; - $$invalidate(4, ignoreOn); - } - - function selectfield_value_binding(value) { - ignoreDuration = value; - $$invalidate(5, ignoreDuration); - } - - function modal_show_binding(value) { - show = value; - $$invalidate(1, show); - } - - function modal_loading_binding(value) { - loading = value; - $$invalidate(6, loading); - } - - function toastr_show_binding(value) { - addedSuccessToast = value; - $$invalidate(7, addedSuccessToast); - } - - $$self.$$set = $$props => { - if ('url' in $$props) $$invalidate(0, url = $$props.url); - if ('scanUrl' in $$props) $$invalidate(2, scanUrl = $$props.scanUrl); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - }; - - $$self.$capture_state = () => ({ - ignoredUrls$, - SelectField, - Toastr, - TextField, - Navigate: src_7, - CONSTS, - Modal, - url, - scanUrl, - show, - user, - ignoredUrls, - ignoreOn, - ignoreDuration, - loading, - addedSuccessToast, - ignoreDurations, - dismiss, - updateIgnore - }); - - $$self.$inject_state = $$props => { - if ('url' in $$props) $$invalidate(0, url = $$props.url); - if ('scanUrl' in $$props) $$invalidate(2, scanUrl = $$props.scanUrl); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - if ('ignoredUrls' in $$props) $$invalidate(3, ignoredUrls = $$props.ignoredUrls); - if ('ignoreOn' in $$props) $$invalidate(4, ignoreOn = $$props.ignoreOn); - if ('ignoreDuration' in $$props) $$invalidate(5, ignoreDuration = $$props.ignoreDuration); - if ('loading' in $$props) $$invalidate(6, loading = $$props.loading); - if ('addedSuccessToast' in $$props) $$invalidate(7, addedSuccessToast = $$props.addedSuccessToast); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - url, - show, - scanUrl, - ignoredUrls, - ignoreOn, - ignoreDuration, - loading, - addedSuccessToast, - ignoreDurations, - dismiss, - updateIgnore, - user, - textfield_value_binding, - input_change_handler, - $$binding_groups, - input_change_handler_1, - selectfield_value_binding, - modal_show_binding, - modal_loading_binding, - toastr_show_binding - ]; - } - - class UpdateIgnoreUrl extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$x, create_fragment$x, safe_not_equal, { url: 0, scanUrl: 2, show: 1, user: 11 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "UpdateIgnoreUrl", - options, - id: create_fragment$x.name - }); - } - - get url() { - throw new Error_1$5(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error_1$5(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get scanUrl() { - throw new Error_1$5(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set scanUrl(value) { - throw new Error_1$5(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get show() { - throw new Error_1$5(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error_1$5(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get user() { - throw new Error_1$5(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set user(value) { - throw new Error_1$5(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/Settings.svelte generated by Svelte v3.59.1 */ - const file$w = "src/containers/Settings.svelte"; - - // (26:4) {:else} - function create_else_block$l(ctx) { - let div0; - let t1; - let div2; - let div1; - let button; - let span; - let t3; - let ignorelists; - let current; - let mounted; - let dispose; - - ignorelists = new IgnoreLists({ - props: { builds: /*$ignoredUrls$*/ ctx[2] }, - $$inline: true - }); - - const block = { - c: function create() { - div0 = element("div"); - div0.textContent = "Ignored URLs"; - t1 = space(); - div2 = element("div"); - div1 = element("div"); - button = element("button"); - span = element("span"); - span.textContent = "Add URLs to Ignore List"; - t3 = space(); - create_component(ignorelists.$$.fragment); - attr_dev(div0, "class", "text-3xl text-center pt-8 pb-6"); - add_location(div0, file$w, 26, 6, 639); - attr_dev(span, "class", "ml-2"); - add_location(span, file$w, 33, 12, 972); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$w, 29, 10, 769); - add_location(div1, file$w, 28, 8, 753); - attr_dev(div2, "class", "grid grid-cols-3 gap-4"); - add_location(div2, file$w, 27, 6, 708); - }, - m: function mount(target, anchor) { - insert_dev(target, div0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, div2, anchor); - append_dev(div2, div1); - append_dev(div1, button); - append_dev(button, span); - insert_dev(target, t3, anchor); - mount_component(ignorelists, target, anchor); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", /*click_handler*/ ctx[4], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, dirty) { - const ignorelists_changes = {}; - if (dirty & /*$ignoredUrls$*/ 4) ignorelists_changes.builds = /*$ignoredUrls$*/ ctx[2]; - ignorelists.$set(ignorelists_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(ignorelists.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(ignorelists.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(div2); - if (detaching) detach_dev(t3); - destroy_component(ignorelists, detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$l.name, - type: "else", - source: "(26:4) {:else}", - ctx - }); - - return block; - } - - // (24:4) {#if $loadingIgnored$} - function create_if_block$p(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$p.name, - type: "if", - source: "(24:4) {#if $loadingIgnored$}", - ctx - }); - - return block; - } - - function create_fragment$w(ctx) { - let div1; - let div0; - let current_block_type_index; - let if_block; - let t; - let updateignoreurl; - let updating_show; - let current; - const if_block_creators = [create_if_block$p, create_else_block$l]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*$loadingIgnored$*/ ctx[1]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - function updateignoreurl_show_binding(value) { - /*updateignoreurl_show_binding*/ ctx[5](value); - } - - let updateignoreurl_props = { user: /*$userSession$*/ ctx[3] }; - - if (/*ignoreUrlShown*/ ctx[0] !== void 0) { - updateignoreurl_props.show = /*ignoreUrlShown*/ ctx[0]; - } - - updateignoreurl = new UpdateIgnoreUrl({ - props: updateignoreurl_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updateignoreurl, 'show', updateignoreurl_show_binding)); - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - if_block.c(); - t = space(); - create_component(updateignoreurl.$$.fragment); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 mb-6 flex flex-col"); - add_location(div0, file$w, 22, 2, 507); - attr_dev(div1, "class", "container mx-auto"); - add_location(div1, file$w, 21, 0, 473); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - if_blocks[current_block_type_index].m(div0, null); - insert_dev(target, t, anchor); - mount_component(updateignoreurl, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(div0, null); - } - - const updateignoreurl_changes = {}; - if (dirty & /*$userSession$*/ 8) updateignoreurl_changes.user = /*$userSession$*/ ctx[3]; - - if (!updating_show && dirty & /*ignoreUrlShown*/ 1) { - updating_show = true; - updateignoreurl_changes.show = /*ignoreUrlShown*/ ctx[0]; - add_flush_callback(() => updating_show = false); - } - - updateignoreurl.$set(updateignoreurl_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - transition_in(updateignoreurl.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - transition_out(updateignoreurl.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - if_blocks[current_block_type_index].d(); - if (detaching) detach_dev(t); - destroy_component(updateignoreurl, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$w.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$w($$self, $$props, $$invalidate) { - let $loadingIgnored$; - let $ignoredUrls$; - let $userSession$; - validate_store(loadingIgnored$, 'loadingIgnored$'); - component_subscribe($$self, loadingIgnored$, $$value => $$invalidate(1, $loadingIgnored$ = $$value)); - validate_store(ignoredUrls$, 'ignoredUrls$'); - component_subscribe($$self, ignoredUrls$, $$value => $$invalidate(2, $ignoredUrls$ = $$value)); - validate_store(userSession$, 'userSession$'); - component_subscribe($$self, userSession$, $$value => $$invalidate(3, $userSession$ = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Settings', slots, []); - let ignoreUrlShown; - - userSession$.subscribe(x => { - if (x) { - getIgnoreList(x); - } - }); - - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => $$invalidate(0, ignoreUrlShown = true); - - function updateignoreurl_show_binding(value) { - ignoreUrlShown = value; - $$invalidate(0, ignoreUrlShown); - } - - $$self.$capture_state = () => ({ - userSession$, - ignoredUrls$, - getIgnoreList, - loadingIgnored$, - IgnoreLists, - LoadingFlat, - UpdateIgnoreUrl, - ignoreUrlShown, - $loadingIgnored$, - $ignoredUrls$, - $userSession$ - }); - - $$self.$inject_state = $$props => { - if ('ignoreUrlShown' in $$props) $$invalidate(0, ignoreUrlShown = $$props.ignoreUrlShown); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - ignoreUrlShown, - $loadingIgnored$, - $ignoredUrls$, - $userSession$, - click_handler, - updateignoreurl_show_binding - ]; - } - - class Settings extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$w, create_fragment$w, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Settings", - options, - id: create_fragment$w.name - }); - } - } - - /* src/components/misccomponents/Tabs.svelte generated by Svelte v3.59.1 */ - - const file$v = "src/components/misccomponents/Tabs.svelte"; - - // (50:6) - function create_default_slot_3$3(ctx) { - let t0; - - let t1_value = (/*build*/ ctx[0].brokenLinks - ? ` (${/*build*/ ctx[0].brokenLinks.length})` - : '') + ""; - - let t1; - - const block = { - c: function create() { - t0 = text("Links"); - t1 = text(t1_value); - }, - m: function mount(target, anchor) { - insert_dev(target, t0, anchor); - insert_dev(target, t1, anchor); - }, - p: function update(ctx, dirty) { - if (dirty & /*build*/ 1 && t1_value !== (t1_value = (/*build*/ ctx[0].brokenLinks - ? ` (${/*build*/ ctx[0].brokenLinks.length})` - : '') + "")) set_data_dev(t1, t1_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t0); - if (detaching) detach_dev(t1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_3$3.name, - type: "slot", - source: "(50:6) ", - ctx - }); - - return block; - } - - // (57:6) - function create_default_slot_2$a(ctx) { - let t0; - - let t1_value = (/*totalHtmlIssues*/ ctx[4] - ? ` (${/*totalHtmlIssues*/ ctx[4]})` - : '') + ""; - - let t1; - - const block = { - c: function create() { - t0 = text("Code"); - t1 = text(t1_value); - }, - m: function mount(target, anchor) { - insert_dev(target, t0, anchor); - insert_dev(target, t1, anchor); - }, - p: function update(ctx, dirty) { - if (dirty & /*totalHtmlIssues*/ 16 && t1_value !== (t1_value = (/*totalHtmlIssues*/ ctx[4] - ? ` (${/*totalHtmlIssues*/ ctx[4]})` - : '') + "")) set_data_dev(t1, t1_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t0); - if (detaching) detach_dev(t1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$a.name, - type: "slot", - source: "(57:6) ", - ctx - }); - - return block; - } - - // (64:6) - function create_default_slot_1$e(ctx) { - let t0; - - let t1_value = (/*artilleryLoadTest*/ ctx[3].length - ? ` (${/*artilleryLoadTest*/ ctx[3].length})` - : '') + ""; - - let t1; - - const block = { - c: function create() { - t0 = text("Artillery Load Test"); - t1 = text(t1_value); - }, - m: function mount(target, anchor) { - insert_dev(target, t0, anchor); - insert_dev(target, t1, anchor); - }, - p: function update(ctx, dirty) { - if (dirty & /*artilleryLoadTest*/ 8 && t1_value !== (t1_value = (/*artilleryLoadTest*/ ctx[3].length - ? ` (${/*artilleryLoadTest*/ ctx[3].length})` - : '') + "")) set_data_dev(t1, t1_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t0); - if (detaching) detach_dev(t1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$e.name, - type: "slot", - source: "(64:6) ", - ctx - }); - - return block; - } - - // (69:2) {#if build.summary.performanceScore} - function create_if_block$o(ctx) { - let li; - let span; - let navigate; - let span_class_value; - let current; - - navigate = new src_7({ - props: { - to: '/lighthouse/' + /*build*/ ctx[0].summary.runId, - $$slots: { default: [create_default_slot$g] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - li = element("li"); - span = element("span"); - create_component(navigate.$$.fragment); - - attr_dev(span, "class", span_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'lighthouse' - ? /*active*/ ctx[6] - : '')); - - add_location(span, file$v, 70, 6, 2239); - attr_dev(li, "class", "mr-1"); - toggle_class(li, "-mb-px", /*displayMode*/ ctx[1] === 'lighthouse'); - add_location(li, file$v, 69, 4, 2171); - }, - m: function mount(target, anchor) { - insert_dev(target, li, anchor); - append_dev(li, span); - mount_component(navigate, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const navigate_changes = {}; - if (dirty & /*build*/ 1) navigate_changes.to = '/lighthouse/' + /*build*/ ctx[0].summary.runId; - - if (dirty & /*$$scope, lhWarning*/ 260) { - navigate_changes.$$scope = { dirty, ctx }; - } - - navigate.$set(navigate_changes); - - if (!current || dirty & /*displayMode*/ 2 && span_class_value !== (span_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'lighthouse' - ? /*active*/ ctx[6] - : ''))) { - attr_dev(span, "class", span_class_value); - } - - if (!current || dirty & /*displayMode*/ 2) { - toggle_class(li, "-mb-px", /*displayMode*/ ctx[1] === 'lighthouse'); - } - }, - i: function intro(local) { - if (current) return; - transition_in(navigate.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(navigate.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(li); - destroy_component(navigate); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$o.name, - type: "if", - source: "(69:2) {#if build.summary.performanceScore}", - ctx - }); - - return block; - } - - // (72:8) - function create_default_slot$g(ctx) { - let t0; - - let t1_value = (/*lhWarning*/ ctx[2].length - ? ` (${/*lhWarning*/ ctx[2].length})` - : '') + ""; - - let t1; - - const block = { - c: function create() { - t0 = text("Lighthouse Audit"); - t1 = text(t1_value); - }, - m: function mount(target, anchor) { - insert_dev(target, t0, anchor); - insert_dev(target, t1, anchor); - }, - p: function update(ctx, dirty) { - if (dirty & /*lhWarning*/ 4 && t1_value !== (t1_value = (/*lhWarning*/ ctx[2].length - ? ` (${/*lhWarning*/ ctx[2].length})` - : '') + "")) set_data_dev(t1, t1_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t0); - if (detaching) detach_dev(t1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$g.name, - type: "slot", - source: "(72:8) ", - ctx - }); - - return block; - } - - function create_fragment$v(ctx) { - let ul; - let li0; - let span0; - let navigate0; - let span0_class_value; - let t0; - let li1; - let span1; - let navigate1; - let span1_class_value; - let t1; - let li2; - let span2; - let navigate2; - let span2_class_value; - let t2; - let current; - - navigate0 = new src_7({ - props: { - to: '/build/' + /*build*/ ctx[0].summary.runId, - $$slots: { default: [create_default_slot_3$3] }, - $$scope: { ctx } - }, - $$inline: true - }); - - navigate1 = new src_7({ - props: { - to: '/htmlhint/' + /*build*/ ctx[0].summary.runId, - $$slots: { default: [create_default_slot_2$a] }, - $$scope: { ctx } - }, - $$inline: true - }); - - navigate2 = new src_7({ - props: { - to: '/artillery/' + /*build*/ ctx[0].summary.runId, - $$slots: { default: [create_default_slot_1$e] }, - $$scope: { ctx } - }, - $$inline: true - }); - - let if_block = /*build*/ ctx[0].summary.performanceScore && create_if_block$o(ctx); - - const block = { - c: function create() { - ul = element("ul"); - li0 = element("li"); - span0 = element("span"); - create_component(navigate0.$$.fragment); - t0 = space(); - li1 = element("li"); - span1 = element("span"); - create_component(navigate1.$$.fragment); - t1 = space(); - li2 = element("li"); - span2 = element("span"); - create_component(navigate2.$$.fragment); - t2 = space(); - if (if_block) if_block.c(); - - attr_dev(span0, "class", span0_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'url' - ? /*active*/ ctx[6] - : '')); - - add_location(span0, file$v, 48, 4, 1286); - attr_dev(li0, "class", "mr-1"); - toggle_class(li0, "-mb-px", /*displayMode*/ ctx[1] === 'url'); - add_location(li0, file$v, 47, 2, 1227); - - attr_dev(span1, "class", span1_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'code' - ? /*active*/ ctx[6] - : '')); - - add_location(span1, file$v, 55, 4, 1578); - attr_dev(li1, "class", "mr-1"); - toggle_class(li1, "-mb-px", /*displayMode*/ ctx[1] === 'code'); - add_location(li1, file$v, 54, 2, 1518); - - attr_dev(span2, "class", span2_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'artillery' - ? /*active*/ ctx[6] - : '')); - - add_location(span2, file$v, 62, 4, 1867); - attr_dev(li2, "class", "mr-1"); - toggle_class(li2, "-mb-px", /*displayMode*/ ctx[1] === 'artillery'); - add_location(li2, file$v, 61, 2, 1802); - attr_dev(ul, "class", "flex border-b"); - add_location(ul, file$v, 46, 0, 1198); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, ul, anchor); - append_dev(ul, li0); - append_dev(li0, span0); - mount_component(navigate0, span0, null); - append_dev(ul, t0); - append_dev(ul, li1); - append_dev(li1, span1); - mount_component(navigate1, span1, null); - append_dev(ul, t1); - append_dev(ul, li2); - append_dev(li2, span2); - mount_component(navigate2, span2, null); - append_dev(ul, t2); - if (if_block) if_block.m(ul, null); - current = true; - }, - p: function update(ctx, [dirty]) { - const navigate0_changes = {}; - if (dirty & /*build*/ 1) navigate0_changes.to = '/build/' + /*build*/ ctx[0].summary.runId; - - if (dirty & /*$$scope, build*/ 257) { - navigate0_changes.$$scope = { dirty, ctx }; - } - - navigate0.$set(navigate0_changes); - - if (!current || dirty & /*displayMode*/ 2 && span0_class_value !== (span0_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'url' - ? /*active*/ ctx[6] - : ''))) { - attr_dev(span0, "class", span0_class_value); - } - - if (!current || dirty & /*displayMode*/ 2) { - toggle_class(li0, "-mb-px", /*displayMode*/ ctx[1] === 'url'); - } - - const navigate1_changes = {}; - if (dirty & /*build*/ 1) navigate1_changes.to = '/htmlhint/' + /*build*/ ctx[0].summary.runId; - - if (dirty & /*$$scope, totalHtmlIssues*/ 272) { - navigate1_changes.$$scope = { dirty, ctx }; - } - - navigate1.$set(navigate1_changes); - - if (!current || dirty & /*displayMode*/ 2 && span1_class_value !== (span1_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'code' - ? /*active*/ ctx[6] - : ''))) { - attr_dev(span1, "class", span1_class_value); - } - - if (!current || dirty & /*displayMode*/ 2) { - toggle_class(li1, "-mb-px", /*displayMode*/ ctx[1] === 'code'); - } - - const navigate2_changes = {}; - if (dirty & /*build*/ 1) navigate2_changes.to = '/artillery/' + /*build*/ ctx[0].summary.runId; - - if (dirty & /*$$scope, artilleryLoadTest*/ 264) { - navigate2_changes.$$scope = { dirty, ctx }; - } - - navigate2.$set(navigate2_changes); - - if (!current || dirty & /*displayMode*/ 2 && span2_class_value !== (span2_class_value = /*baseClass*/ ctx[5] + (/*displayMode*/ ctx[1] === 'artillery' - ? /*active*/ ctx[6] - : ''))) { - attr_dev(span2, "class", span2_class_value); - } - - if (!current || dirty & /*displayMode*/ 2) { - toggle_class(li2, "-mb-px", /*displayMode*/ ctx[1] === 'artillery'); - } - - if (/*build*/ ctx[0].summary.performanceScore) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*build*/ 1) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$o(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(ul, null); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(navigate0.$$.fragment, local); - transition_in(navigate1.$$.fragment, local); - transition_in(navigate2.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(navigate0.$$.fragment, local); - transition_out(navigate1.$$.fragment, local); - transition_out(navigate2.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(ul); - destroy_component(navigate0); - destroy_component(navigate1); - destroy_component(navigate2); - if (if_block) if_block.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$v.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$v($$self, $$props, $$invalidate) { - let codeSummary; - let totalHtmlIssues; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Tabs', slots, []); - let { build = {} } = $$props; - let { displayMode = "" } = $$props; - let baseClass = "bg-white inline-block py-2 px-4 text-gray-600 font-semibold"; - let active = " textgrey border-l border-t border-r rounded-t"; - let lhWarning = 0; - let artilleryLoadTest = 0; - const writable_props = ['build', 'displayMode']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(0, build = $$props.build); - if ('displayMode' in $$props) $$invalidate(1, displayMode = $$props.displayMode); - }; - - $$self.$capture_state = () => ({ - Navigate: src_7, - getPerfScore, - getCodeSummary, - getArtilleryResult, - build, - displayMode, - baseClass, - active, - lhWarning, - artilleryLoadTest, - codeSummary, - totalHtmlIssues - }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(0, build = $$props.build); - if ('displayMode' in $$props) $$invalidate(1, displayMode = $$props.displayMode); - if ('baseClass' in $$props) $$invalidate(5, baseClass = $$props.baseClass); - if ('active' in $$props) $$invalidate(6, active = $$props.active); - if ('lhWarning' in $$props) $$invalidate(2, lhWarning = $$props.lhWarning); - if ('artilleryLoadTest' in $$props) $$invalidate(3, artilleryLoadTest = $$props.artilleryLoadTest); - if ('codeSummary' in $$props) $$invalidate(7, codeSummary = $$props.codeSummary); - if ('totalHtmlIssues' in $$props) $$invalidate(4, totalHtmlIssues = $$props.totalHtmlIssues); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*build*/ 1) { - $$invalidate(7, codeSummary = getCodeSummary(build.summary)); - } - - if ($$self.$$.dirty & /*codeSummary*/ 128) { - $$invalidate(4, totalHtmlIssues = (codeSummary.htmlErrors || 0) + (codeSummary.htmlWarnings || 0) + (codeSummary.codeErrors || 0) + (codeSummary.codeWarnings || 0)); - } - - if ($$self.$$.dirty & /*build*/ 1) { - { - if (build) { - const perf = getPerfScore(build.summary); - - $$invalidate(2, lhWarning = [ - "performanceScore", - "accessibilityScore", - "seoScore", - "bestPracticesScore", - "pwaScore" - ].filter(x => perf[x] < 90)); - } - } - } - - if ($$self.$$.dirty & /*build*/ 1) { - { - if (build) { - const art = getArtilleryResult(build.summary); - - $$invalidate(3, artilleryLoadTest = [ - "timestamp", - "scenariosCreated", - "scenariosCompleted", - "requestsCompleted", - "latencyMedian", - "rpsCount" - ].filter(x => art[x] < 90)); - } - } - } - }; - - return [ - build, - displayMode, - lhWarning, - artilleryLoadTest, - totalHtmlIssues, - baseClass, - active, - codeSummary - ]; - } - - class Tabs extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$v, create_fragment$v, safe_not_equal, { build: 0, displayMode: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Tabs", - options, - id: create_fragment$v.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get displayMode() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set displayMode(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var strictUriEncode = str => encodeURIComponent(str).replace(/[!'()*]/g, x => `%${x.charCodeAt(0).toString(16).toUpperCase()}`); - - var token = '%[a-f0-9]{2}'; - var singleMatcher = new RegExp('(' + token + ')|([^%]+?)', 'gi'); - var multiMatcher = new RegExp('(' + token + ')+', 'gi'); - - function decodeComponents(components, split) { - try { - // Try to decode the entire string first - return [decodeURIComponent(components.join(''))]; - } catch (err) { - // Do nothing - } - - if (components.length === 1) { - return components; - } - - split = split || 1; - - // Split the array in 2 parts - var left = components.slice(0, split); - var right = components.slice(split); - - return Array.prototype.concat.call([], decodeComponents(left), decodeComponents(right)); - } - - function decode(input) { - try { - return decodeURIComponent(input); - } catch (err) { - var tokens = input.match(singleMatcher) || []; - - for (var i = 1; i < tokens.length; i++) { - input = decodeComponents(tokens, i).join(''); - - tokens = input.match(singleMatcher) || []; - } - - return input; - } - } - - function customDecodeURIComponent(input) { - // Keep track of all the replacements and prefill the map with the `BOM` - var replaceMap = { - '%FE%FF': '\uFFFD\uFFFD', - '%FF%FE': '\uFFFD\uFFFD' - }; - - var match = multiMatcher.exec(input); - while (match) { - try { - // Decode as big chunks as possible - replaceMap[match[0]] = decodeURIComponent(match[0]); - } catch (err) { - var result = decode(match[0]); - - if (result !== match[0]) { - replaceMap[match[0]] = result; - } - } - - match = multiMatcher.exec(input); - } - - // Add `%C2` at the end of the map to make sure it does not replace the combinator before everything else - replaceMap['%C2'] = '\uFFFD'; - - var entries = Object.keys(replaceMap); - - for (var i = 0; i < entries.length; i++) { - // Replace all decoded components - var key = entries[i]; - input = input.replace(new RegExp(key, 'g'), replaceMap[key]); - } - - return input; - } - - var decodeUriComponent = function (encodedURI) { - if (typeof encodedURI !== 'string') { - throw new TypeError('Expected `encodedURI` to be of type `string`, got `' + typeof encodedURI + '`'); - } - - try { - encodedURI = encodedURI.replace(/\+/g, ' '); - - // Try the built in decoder first - return decodeURIComponent(encodedURI); - } catch (err) { - // Fallback to a more advanced decoder - return customDecodeURIComponent(encodedURI); - } - }; - - var splitOnFirst = (string, separator) => { - if (!(typeof string === 'string' && typeof separator === 'string')) { - throw new TypeError('Expected the arguments to be of type `string`'); - } - - if (separator === '') { - return [string]; - } - - const separatorIndex = string.indexOf(separator); - - if (separatorIndex === -1) { - return [string]; - } - - return [ - string.slice(0, separatorIndex), - string.slice(separatorIndex + separator.length) - ]; - }; - - var filterObj = function (obj, predicate) { - var ret = {}; - var keys = Object.keys(obj); - var isArr = Array.isArray(predicate); - - for (var i = 0; i < keys.length; i++) { - var key = keys[i]; - var val = obj[key]; - - if (isArr ? predicate.indexOf(key) !== -1 : predicate(key, val, obj)) { - ret[key] = val; - } - } - - return ret; - }; - - var queryString = createCommonjsModule(function (module, exports) { - - - - - - const isNullOrUndefined = value => value === null || value === undefined; - - function encoderForArrayFormat(options) { - switch (options.arrayFormat) { - case 'index': - return key => (result, value) => { - const index = result.length; - - if ( - value === undefined || - (options.skipNull && value === null) || - (options.skipEmptyString && value === '') - ) { - return result; - } - - if (value === null) { - return [...result, [encode(key, options), '[', index, ']'].join('')]; - } - - return [ - ...result, - [encode(key, options), '[', encode(index, options), ']=', encode(value, options)].join('') - ]; - }; - - case 'bracket': - return key => (result, value) => { - if ( - value === undefined || - (options.skipNull && value === null) || - (options.skipEmptyString && value === '') - ) { - return result; - } - - if (value === null) { - return [...result, [encode(key, options), '[]'].join('')]; - } - - return [...result, [encode(key, options), '[]=', encode(value, options)].join('')]; - }; - - case 'comma': - case 'separator': - return key => (result, value) => { - if (value === null || value === undefined || value.length === 0) { - return result; - } - - if (result.length === 0) { - return [[encode(key, options), '=', encode(value, options)].join('')]; - } - - return [[result, encode(value, options)].join(options.arrayFormatSeparator)]; - }; - - default: - return key => (result, value) => { - if ( - value === undefined || - (options.skipNull && value === null) || - (options.skipEmptyString && value === '') - ) { - return result; - } - - if (value === null) { - return [...result, encode(key, options)]; - } - - return [...result, [encode(key, options), '=', encode(value, options)].join('')]; - }; - } - } - - function parserForArrayFormat(options) { - let result; - - switch (options.arrayFormat) { - case 'index': - return (key, value, accumulator) => { - result = /\[(\d*)\]$/.exec(key); - - key = key.replace(/\[\d*\]$/, ''); - - if (!result) { - accumulator[key] = value; - return; - } - - if (accumulator[key] === undefined) { - accumulator[key] = {}; - } - - accumulator[key][result[1]] = value; - }; - - case 'bracket': - return (key, value, accumulator) => { - result = /(\[\])$/.exec(key); - key = key.replace(/\[\]$/, ''); - - if (!result) { - accumulator[key] = value; - return; - } - - if (accumulator[key] === undefined) { - accumulator[key] = [value]; - return; - } - - accumulator[key] = [].concat(accumulator[key], value); - }; - - case 'comma': - case 'separator': - return (key, value, accumulator) => { - const isArray = typeof value === 'string' && value.includes(options.arrayFormatSeparator); - const isEncodedArray = (typeof value === 'string' && !isArray && decode(value, options).includes(options.arrayFormatSeparator)); - value = isEncodedArray ? decode(value, options) : value; - const newValue = isArray || isEncodedArray ? value.split(options.arrayFormatSeparator).map(item => decode(item, options)) : value === null ? value : decode(value, options); - accumulator[key] = newValue; - }; - - default: - return (key, value, accumulator) => { - if (accumulator[key] === undefined) { - accumulator[key] = value; - return; - } - - accumulator[key] = [].concat(accumulator[key], value); - }; - } - } - - function validateArrayFormatSeparator(value) { - if (typeof value !== 'string' || value.length !== 1) { - throw new TypeError('arrayFormatSeparator must be single character string'); - } - } - - function encode(value, options) { - if (options.encode) { - return options.strict ? strictUriEncode(value) : encodeURIComponent(value); - } - - return value; - } - - function decode(value, options) { - if (options.decode) { - return decodeUriComponent(value); - } - - return value; - } - - function keysSorter(input) { - if (Array.isArray(input)) { - return input.sort(); - } - - if (typeof input === 'object') { - return keysSorter(Object.keys(input)) - .sort((a, b) => Number(a) - Number(b)) - .map(key => input[key]); - } - - return input; - } - - function removeHash(input) { - const hashStart = input.indexOf('#'); - if (hashStart !== -1) { - input = input.slice(0, hashStart); - } - - return input; - } - - function getHash(url) { - let hash = ''; - const hashStart = url.indexOf('#'); - if (hashStart !== -1) { - hash = url.slice(hashStart); - } - - return hash; - } - - function extract(input) { - input = removeHash(input); - const queryStart = input.indexOf('?'); - if (queryStart === -1) { - return ''; - } - - return input.slice(queryStart + 1); - } - - function parseValue(value, options) { - if (options.parseNumbers && !Number.isNaN(Number(value)) && (typeof value === 'string' && value.trim() !== '')) { - value = Number(value); - } else if (options.parseBooleans && value !== null && (value.toLowerCase() === 'true' || value.toLowerCase() === 'false')) { - value = value.toLowerCase() === 'true'; - } - - return value; - } - - function parse(query, options) { - options = Object.assign({ - decode: true, - sort: true, - arrayFormat: 'none', - arrayFormatSeparator: ',', - parseNumbers: false, - parseBooleans: false - }, options); - - validateArrayFormatSeparator(options.arrayFormatSeparator); - - const formatter = parserForArrayFormat(options); - - // Create an object with no prototype - const ret = Object.create(null); - - if (typeof query !== 'string') { - return ret; - } - - query = query.trim().replace(/^[?#&]/, ''); - - if (!query) { - return ret; - } - - for (const param of query.split('&')) { - if (param === '') { - continue; - } - - let [key, value] = splitOnFirst(options.decode ? param.replace(/\+/g, ' ') : param, '='); - - // Missing `=` should be `null`: - // http://w3.org/TR/2012/WD-url-20120524/#collect-url-parameters - value = value === undefined ? null : ['comma', 'separator'].includes(options.arrayFormat) ? value : decode(value, options); - formatter(decode(key, options), value, ret); - } - - for (const key of Object.keys(ret)) { - const value = ret[key]; - if (typeof value === 'object' && value !== null) { - for (const k of Object.keys(value)) { - value[k] = parseValue(value[k], options); - } - } else { - ret[key] = parseValue(value, options); - } - } - - if (options.sort === false) { - return ret; - } - - return (options.sort === true ? Object.keys(ret).sort() : Object.keys(ret).sort(options.sort)).reduce((result, key) => { - const value = ret[key]; - if (Boolean(value) && typeof value === 'object' && !Array.isArray(value)) { - // Sort object keys, not values - result[key] = keysSorter(value); - } else { - result[key] = value; - } - - return result; - }, Object.create(null)); - } - - exports.extract = extract; - exports.parse = parse; - - exports.stringify = (object, options) => { - if (!object) { - return ''; - } - - options = Object.assign({ - encode: true, - strict: true, - arrayFormat: 'none', - arrayFormatSeparator: ',' - }, options); - - validateArrayFormatSeparator(options.arrayFormatSeparator); - - const shouldFilter = key => ( - (options.skipNull && isNullOrUndefined(object[key])) || - (options.skipEmptyString && object[key] === '') - ); - - const formatter = encoderForArrayFormat(options); - - const objectCopy = {}; - - for (const key of Object.keys(object)) { - if (!shouldFilter(key)) { - objectCopy[key] = object[key]; - } - } - - const keys = Object.keys(objectCopy); - - if (options.sort !== false) { - keys.sort(options.sort); - } - - return keys.map(key => { - const value = object[key]; - - if (value === undefined) { - return ''; - } - - if (value === null) { - return encode(key, options); - } - - if (Array.isArray(value)) { - return value - .reduce(formatter(key), []) - .join('&'); - } - - return encode(key, options) + '=' + encode(value, options); - }).filter(x => x.length > 0).join('&'); - }; - - exports.parseUrl = (url, options) => { - options = Object.assign({ - decode: true - }, options); - - const [url_, hash] = splitOnFirst(url, '#'); - - return Object.assign( - { - url: url_.split('?')[0] || '', - query: parse(extract(url), options) - }, - options && options.parseFragmentIdentifier && hash ? {fragmentIdentifier: decode(hash, options)} : {} - ); - }; - - exports.stringifyUrl = (object, options) => { - options = Object.assign({ - encode: true, - strict: true - }, options); - - const url = removeHash(object.url).split('?')[0] || ''; - const queryFromUrl = exports.extract(object.url); - const parsedQueryFromUrl = exports.parse(queryFromUrl, {sort: false}); - - const query = Object.assign(parsedQueryFromUrl, object.query); - let queryString = exports.stringify(query, options); - if (queryString) { - queryString = `?${queryString}`; - } - - let hash = getHash(object.url); - if (object.fragmentIdentifier) { - hash = `#${encode(object.fragmentIdentifier, options)}`; - } - - return `${url}${queryString}${hash}`; - }; - - exports.pick = (input, filter, options) => { - options = Object.assign({ - parseFragmentIdentifier: true - }, options); - - const {url, query, fragmentIdentifier} = exports.parseUrl(input, options); - return exports.stringifyUrl({ - url, - query: filterObj(query, filter), - fragmentIdentifier - }, options); - }; - - exports.exclude = (input, filter, options) => { - const exclusionFilter = Array.isArray(filter) ? key => !filter.includes(key) : (key, value) => !filter(key, value); - - return exports.pick(input, exclusionFilter, options); - }; - }); - queryString.extract; - queryString.parse; - queryString.stringify; - queryString.parseUrl; - queryString.stringifyUrl; - queryString.pick; - queryString.exclude; - - /* src/components/htmlhintcomponents/HtmlErrorsBySource.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$6, console: console_1$4 } = globals; - const file$u = "src/components/htmlhintcomponents/HtmlErrorsBySource.svelte"; - - function get_each_context$a(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[12] = list[i]; - return child_ctx; - } - - function get_each_context_1$6(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[15] = list[i]; - return child_ctx; - } - - function get_each_context_2$1(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[18] = list[i]; - return child_ctx; - } - - // (65:8) {:else} - function create_else_block$k(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$u, 65, 10, 1674); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$k.name, - type: "else", - source: "(65:8) {:else}", - ctx - }); - - return block; - } - - // (63:8) {#if !hiddenRows[url]} - function create_if_block_2$e(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$u, 63, 10, 1620); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$e.name, - type: "if", - source: "(63:8) {#if !hiddenRows[url]}", - ctx - }); - - return block; - } - - // (60:6) hideShow(url.url)} cssClass="inline-block cursor-pointer"> - function create_default_slot$f(ctx) { - let if_block_anchor; - - function select_block_type(ctx, dirty) { - if (!/*hiddenRows*/ ctx[0][/*url*/ ctx[12]]) return create_if_block_2$e; - return create_else_block$k; - } - - let current_block_type = select_block_type(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$f.name, - type: "slot", - source: "(60:6) hideShow(url.url)} cssClass=\\\"inline-block cursor-pointer\\\">", - ctx - }); - - return block; - } - - // (75:2) {#if !hiddenRows[url.url]} - function create_if_block$n(ctx) { - let table; - let thead; - let tr; - let th0; - let t0; - let t1_value = Object.keys(/*url*/ ctx[12].errors).length + ""; - let t1; - let t2; - let t3; - let th1; - let t5; - let tbody; - let t6; - let table_intro; - let table_outro; - let current; - let each_value_1 = Object.keys(/*url*/ ctx[12].errors); - validate_each_argument(each_value_1); - let each_blocks = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks[i] = create_each_block_1$6(get_each_context_1$6(ctx, each_value_1, i)); - } - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - t0 = text("Issues ("); - t1 = text(t1_value); - t2 = text(")"); - t3 = space(); - th1 = element("th"); - th1.textContent = "Locations"; - t5 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t6 = space(); - attr_dev(th0, "class", "w-2/12 px-4 py-2"); - add_location(th0, file$u, 81, 10, 2093); - attr_dev(th1, "class", "w-10/12 px-4 py-2"); - add_location(th1, file$u, 84, 10, 2203); - add_location(tr, file$u, 80, 8, 2078); - add_location(thead, file$u, 79, 6, 2062); - add_location(tbody, file$u, 87, 6, 2283); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$u, 75, 4, 1910); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(th0, t0); - append_dev(th0, t1); - append_dev(th0, t2); - append_dev(tr, t3); - append_dev(tr, th1); - append_dev(table, t5); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - append_dev(table, t6); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*allErrors*/ 4) && t1_value !== (t1_value = Object.keys(/*url*/ ctx[12].errors).length + "")) set_data_dev(t1, t1_value); - - if (dirty & /*allErrors, Object, slice, viewSource, getRuleLink, getDisplayText, ERRORS*/ 14) { - each_value_1 = Object.keys(/*url*/ ctx[12].errors); - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$6(ctx, each_value_1, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block_1$6(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(tbody, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value_1.length; - } - }, - i: function intro(local) { - if (current) return; - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$n.name, - type: "if", - source: "(75:2) {#if !hiddenRows[url.url]}", - ctx - }); - - return block; - } - - // (105:16) {#each slice(0, 49, url.errors[key]) as item} - function create_each_block_2$1(ctx) { - let div; - let a; - let t0_value = /*item*/ ctx[18] + ""; - let t0; - let t1; - let mounted; - let dispose; - - function click_handler_1() { - return /*click_handler_1*/ ctx[8](/*url*/ ctx[12], /*item*/ ctx[18], /*key*/ ctx[15]); - } - - const block = { - c: function create() { - div = element("div"); - a = element("a"); - t0 = text(t0_value); - t1 = space(); - attr_dev(a, "href", "javascript:void(0)"); - attr_dev(a, "title", "View source"); - add_location(a, file$u, 109, 20, 3318); - attr_dev(div, "class", "text-xs mr-2 my-1 uppercase tracking-wider border px-2 border-red-600 hover:bg-red-600 hover:text-white cursor-default whitespace-no-wrap"); - add_location(div, file$u, 105, 18, 3086); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, a); - append_dev(a, t0); - append_dev(div, t1); - - if (!mounted) { - dispose = listen_dev(a, "click", click_handler_1, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - if (dirty & /*allErrors*/ 4 && t0_value !== (t0_value = /*item*/ ctx[18] + "")) set_data_dev(t0, t0_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_2$1.name, - type: "each", - source: "(105:16) {#each slice(0, 49, url.errors[key]) as item}", - ctx - }); - - return block; - } - - // (119:14) {#if url.errors[key].length > 50} - function create_if_block_1$h(ctx) { - let div; - let t0_value = /*url*/ ctx[12].errors[/*key*/ ctx[15]].length - 50 + ""; - let t0; - let t1; - - const block = { - c: function create() { - div = element("div"); - t0 = text(t0_value); - t1 = text(" more.."); - attr_dev(div, "class", "text-xs mr-2 my-1 tracking-wider px-2 cursor-default"); - add_location(div, file$u, 119, 16, 3670); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, t0); - append_dev(div, t1); - }, - p: function update(ctx, dirty) { - if (dirty & /*allErrors*/ 4 && t0_value !== (t0_value = /*url*/ ctx[12].errors[/*key*/ ctx[15]].length - 50 + "")) set_data_dev(t0, t0_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$h.name, - type: "if", - source: "(119:14) {#if url.errors[key].length > 50}", - ctx - }); - - return block; - } - - // (89:8) {#each Object.keys(url.errors) as key} - function create_each_block_1$6(ctx) { - let tr; - let td0; - let i; - let i_class_value; - let i_style_value; - let t0; - let a; - let t1_value = getDisplayText(/*key*/ ctx[15]) + ""; - let t1; - let a_href_value; - let t2; - let td1; - let div; - let t3; - let t4; - let each_value_2 = slice$1(0, 49, /*url*/ ctx[12].errors[/*key*/ ctx[15]]); - validate_each_argument(each_value_2); - let each_blocks = []; - - for (let i = 0; i < each_value_2.length; i += 1) { - each_blocks[i] = create_each_block_2$1(get_each_context_2$1(ctx, each_value_2, i)); - } - - let if_block = /*url*/ ctx[12].errors[/*key*/ ctx[15]].length > 50 && create_if_block_1$h(ctx); - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - i = element("i"); - t0 = space(); - a = element("a"); - t1 = text(t1_value); - t2 = space(); - td1 = element("td"); - div = element("div"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t3 = space(); - if (if_block) if_block.c(); - t4 = space(); - - attr_dev(i, "class", i_class_value = /*ERRORS*/ ctx[1].indexOf(/*key*/ ctx[15]) >= 0 - ? 'fas fa-exclamation-circle fa-lg' - : 'fas fa-exclamation-triangle fa-lg'); - - attr_dev(i, "style", i_style_value = /*ERRORS*/ ctx[1].indexOf(/*key*/ ctx[15]) >= 0 - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i, file$u, 93, 14, 2483); - attr_dev(a, "class", "hidden md:inline-block align-baseline link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = getRuleLink(/*key*/ ctx[15])); - add_location(a, file$u, 94, 14, 2684); - attr_dev(td0, "class", "whitespace-no-wrap break-all w-2/12 border px-4 py-2 break-all"); - add_location(td0, file$u, 90, 12, 2365); - attr_dev(div, "class", "flex flex-wrap"); - add_location(div, file$u, 103, 14, 2977); - attr_dev(td1, "class", "w-10/12 border px-4 py-2 break-all"); - add_location(td1, file$u, 102, 12, 2915); - add_location(tr, file$u, 89, 10, 2348); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, i); - append_dev(td0, t0); - append_dev(td0, a); - append_dev(a, t1); - append_dev(tr, t2); - append_dev(tr, td1); - append_dev(td1, div); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(div, null); - } - } - - append_dev(td1, t3); - if (if_block) if_block.m(td1, null); - append_dev(tr, t4); - }, - p: function update(ctx, dirty) { - if (dirty & /*ERRORS, allErrors*/ 6 && i_class_value !== (i_class_value = /*ERRORS*/ ctx[1].indexOf(/*key*/ ctx[15]) >= 0 - ? 'fas fa-exclamation-circle fa-lg' - : 'fas fa-exclamation-triangle fa-lg')) { - attr_dev(i, "class", i_class_value); - } - - if (dirty & /*ERRORS, allErrors*/ 6 && i_style_value !== (i_style_value = /*ERRORS*/ ctx[1].indexOf(/*key*/ ctx[15]) >= 0 - ? 'color: red' - : 'color: #d69e2e')) { - attr_dev(i, "style", i_style_value); - } - - if (dirty & /*allErrors*/ 4 && t1_value !== (t1_value = getDisplayText(/*key*/ ctx[15]) + "")) set_data_dev(t1, t1_value); - - if (dirty & /*allErrors*/ 4 && a_href_value !== (a_href_value = getRuleLink(/*key*/ ctx[15]))) { - attr_dev(a, "href", a_href_value); - } - - if (dirty & /*viewSource, allErrors, slice, Object*/ 12) { - each_value_2 = slice$1(0, 49, /*url*/ ctx[12].errors[/*key*/ ctx[15]]); - validate_each_argument(each_value_2); - let i; - - for (i = 0; i < each_value_2.length; i += 1) { - const child_ctx = get_each_context_2$1(ctx, each_value_2, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block_2$1(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(div, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value_2.length; - } - - if (/*url*/ ctx[12].errors[/*key*/ ctx[15]].length > 50) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block_1$h(ctx); - if_block.c(); - if_block.m(td1, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - destroy_each(each_blocks, detaching); - if (if_block) if_block.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$6.name, - type: "each", - source: "(89:8) {#each Object.keys(url.errors) as key}", - ctx - }); - - return block; - } - - // (57:0) {#each allErrors as url} - function create_each_block$a(ctx) { - let div; - let span; - let icon; - let t0; - let t1; - let a; - let t2_value = /*url*/ ctx[12].url + ""; - let t2; - let a_href_value; - let t3; - let if_block_anchor; - let current; - - function click_handler() { - return /*click_handler*/ ctx[7](/*url*/ ctx[12]); - } - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot$f] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", click_handler); - let if_block = !/*hiddenRows*/ ctx[0][/*url*/ ctx[12].url] && create_if_block$n(ctx); - - const block = { - c: function create() { - div = element("div"); - span = element("span"); - create_component(icon.$$.fragment); - t0 = text("\n Issues found on:"); - t1 = space(); - a = element("a"); - t2 = text(t2_value); - t3 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(span, "class", "font-bold mr-2"); - add_location(span, file$u, 58, 4, 1446); - attr_dev(a, "class", "inline-block align-baseline link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*url*/ ctx[12].url); - add_location(a, file$u, 70, 4, 1767); - attr_dev(div, "class", "mb-3"); - add_location(div, file$u, 57, 2, 1423); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span); - mount_component(icon, span, null); - append_dev(span, t0); - append_dev(div, t1); - append_dev(div, a); - append_dev(a, t2); - insert_dev(target, t3, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows, allErrors*/ 2097157) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - if ((!current || dirty & /*allErrors*/ 4) && t2_value !== (t2_value = /*url*/ ctx[12].url + "")) set_data_dev(t2, t2_value); - - if (!current || dirty & /*allErrors*/ 4 && a_href_value !== (a_href_value = /*url*/ ctx[12].url)) { - attr_dev(a, "href", a_href_value); - } - - if (!/*hiddenRows*/ ctx[0][/*url*/ ctx[12].url]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*hiddenRows, allErrors*/ 5) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$n(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon); - if (detaching) detach_dev(t3); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$a.name, - type: "each", - source: "(57:0) {#each allErrors as url}", - ctx - }); - - return block; - } - - function create_fragment$u(ctx) { - let each_1_anchor; - let current; - let each_value = /*allErrors*/ ctx[2]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$a(get_each_context$a(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*Object, allErrors, slice, viewSource, getRuleLink, getDisplayText, ERRORS, hiddenRows, hideShow*/ 31) { - each_value = /*allErrors*/ ctx[2]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$a(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$a(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$u.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$u($$self, $$props, $$invalidate) { - let allErrors; - let htmlHintIssues; - let ERRORS; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HtmlErrorsBySource', slots, []); - let { errors = [] } = $$props; - let { codeIssues = [] } = $$props; - const dispatch = createEventDispatcher(); - - const viewSource = (url, location, key) => { - console.log(url, location); - - if (htmlHintIssues.indexOf(key) >= 0) { - dispatch("viewSource", { url, key, location }); - } else { - const snippet = codeIssues.filter(x => x.file === url && x.line === location)[0].snippet; - - dispatch("viewCode", { - snippet: `// ..........\n${snippet}\n// ..........`, - url, - key, - location - }); - } - }; - - let hiddenRows = {}; - - const viewRule = k => { - window.open(); - }; - - const hideShow = key => $$invalidate(0, hiddenRows[key] = key in hiddenRows ? !hiddenRows[key] : true, hiddenRows); - const writable_props = ['errors', 'codeIssues']; - - Object_1$6.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console_1$4.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = url => hideShow(url.url); - const click_handler_1 = (url, item, key) => viewSource(url.url, item, key); - - $$self.$$set = $$props => { - if ('errors' in $$props) $$invalidate(5, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(6, codeIssues = $$props.codeIssues); - }; - - $$self.$capture_state = () => ({ - slice: slice$1, - isInIgnored, - HTMLERRORS, - getHtmlHintIssues, - getCodeErrorRules, - getCodeErrorsByFile, - getRuleLink, - getDisplayText, - fade, - createEventDispatcher, - Icon, - errors, - codeIssues, - dispatch, - viewSource, - hiddenRows, - viewRule, - hideShow, - ERRORS, - htmlHintIssues, - allErrors - }); - - $$self.$inject_state = $$props => { - if ('errors' in $$props) $$invalidate(5, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(6, codeIssues = $$props.codeIssues); - if ('hiddenRows' in $$props) $$invalidate(0, hiddenRows = $$props.hiddenRows); - if ('ERRORS' in $$props) $$invalidate(1, ERRORS = $$props.ERRORS); - if ('htmlHintIssues' in $$props) htmlHintIssues = $$props.htmlHintIssues; - if ('allErrors' in $$props) $$invalidate(2, allErrors = $$props.allErrors); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*errors, codeIssues*/ 96) { - $$invalidate(2, allErrors = errors.concat(getCodeErrorsByFile(codeIssues))); - } - - if ($$self.$$.dirty & /*errors*/ 32) { - htmlHintIssues = getHtmlHintIssues(errors); - } - - if ($$self.$$.dirty & /*codeIssues*/ 64) { - $$invalidate(1, ERRORS = codeIssues && codeIssues.length > 0 - ? (getCodeErrorRules(codeIssues) || []).concat(HTMLERRORS) - : HTMLERRORS); - } - }; - - return [ - hiddenRows, - ERRORS, - allErrors, - viewSource, - hideShow, - errors, - codeIssues, - click_handler, - click_handler_1 - ]; - } - - class HtmlErrorsBySource extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$u, create_fragment$u, safe_not_equal, { errors: 5, codeIssues: 6 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HtmlErrorsBySource", - options, - id: create_fragment$u.name - }); - } - - get errors() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set errors(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get codeIssues() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set codeIssues(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/htmlhintcomponents/HtmlErrorsByReason.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$5 } = globals; - const file$t = "src/components/htmlhintcomponents/HtmlErrorsByReason.svelte"; - - function get_each_context$9(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[14] = list[i]; - return child_ctx; - } - - function get_each_context_1$5(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[17] = list[i]; - return child_ctx; - } - - function get_each_context_2(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[20] = list[i]; - return child_ctx; - } - - // (80:8) {:else} - function create_else_block$j(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$t, 80, 10, 2205); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$j.name, - type: "else", - source: "(80:8) {:else}", - ctx - }); - - return block; - } - - // (78:8) {#if !hiddenRows[error.error]} - function create_if_block_2$d(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$t, 78, 10, 2151); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$d.name, - type: "if", - source: "(78:8) {#if !hiddenRows[error.error]}", - ctx - }); - - return block; - } - - // (75:6) hideShow(error.error)} cssClass="inline-block cursor-pointer"> - function create_default_slot$e(ctx) { - let if_block_anchor; - - function select_block_type(ctx, dirty) { - if (!/*hiddenRows*/ ctx[0][/*error*/ ctx[14].error]) return create_if_block_2$d; - return create_else_block$j; - } - - let current_block_type = select_block_type(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$e.name, - type: "slot", - source: "(75:6) hideShow(error.error)} cssClass=\\\"inline-block cursor-pointer\\\">", - ctx - }); - - return block; - } - - // (94:2) {#if !hiddenRows[error.error]} - function create_if_block$m(ctx) { - let table; - let thead; - let tr; - let th0; - let t0; - let t1_value = /*error*/ ctx[14].pages.length + ""; - let t1; - let t2; - let t3; - let th1; - let t5; - let tbody; - let t6; - let table_intro; - let table_outro; - let current; - let each_value_1 = /*error*/ ctx[14].pages; - validate_each_argument(each_value_1); - let each_blocks = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks[i] = create_each_block_1$5(get_each_context_1$5(ctx, each_value_1, i)); - } - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - t0 = text("Page ("); - t1 = text(t1_value); - t2 = text(")"); - t3 = space(); - th1 = element("th"); - th1.textContent = "Locations (line:col)"; - t5 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t6 = space(); - attr_dev(th0, "class", "w-2/12 px-4 py-2"); - add_location(th0, file$t, 100, 10, 3015); - attr_dev(th1, "class", "w-10/12 px-4 py-2"); - add_location(th1, file$t, 101, 10, 3087); - add_location(tr, file$t, 99, 8, 3000); - add_location(thead, file$t, 98, 6, 2984); - add_location(tbody, file$t, 104, 6, 3178); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$t, 94, 4, 2832); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(th0, t0); - append_dev(th0, t1); - append_dev(th0, t2); - append_dev(tr, t3); - append_dev(tr, th1); - append_dev(table, t5); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - append_dev(table, t6); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*allErrors*/ 4) && t1_value !== (t1_value = /*error*/ ctx[14].pages.length + "")) set_data_dev(t1, t1_value); - - if (dirty & /*allErrors, slice, viewSource, truncate*/ 12) { - each_value_1 = /*error*/ ctx[14].pages; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$5(ctx, each_value_1, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block_1$5(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(tbody, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value_1.length; - } - }, - i: function intro(local) { - if (current) return; - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$m.name, - type: "if", - source: "(94:2) {#if !hiddenRows[error.error]}", - ctx - }); - - return block; - } - - // (116:16) {#each slice(0, 49, page.locations) as item} - function create_each_block_2(ctx) { - let div; - let a; - let t0_value = /*item*/ ctx[20] + ""; - let t0; - let t1; - let mounted; - let dispose; - - function click_handler_1() { - return /*click_handler_1*/ ctx[10](/*page*/ ctx[17], /*item*/ ctx[20], /*error*/ ctx[14]); - } - - const block = { - c: function create() { - div = element("div"); - a = element("a"); - t0 = text(t0_value); - t1 = space(); - attr_dev(a, "href", "javascript:void(0)"); - attr_dev(a, "title", "View source"); - add_location(a, file$t, 120, 20, 3855); - attr_dev(div, "class", "text-xs mr-2 my-1 uppercase tracking-wider border px-2 border-red-600 hover:bg-red-600 hover:text-white cursor-default whitespace-no-wrap"); - add_location(div, file$t, 116, 18, 3623); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, a); - append_dev(a, t0); - append_dev(div, t1); - - if (!mounted) { - dispose = listen_dev(a, "click", click_handler_1, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - if (dirty & /*allErrors*/ 4 && t0_value !== (t0_value = /*item*/ ctx[20] + "")) set_data_dev(t0, t0_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_2.name, - type: "each", - source: "(116:16) {#each slice(0, 49, page.locations) as item}", - ctx - }); - - return block; - } - - // (130:14) {#if page.locations.length > 50} - function create_if_block_1$g(ctx) { - let div; - let t0_value = /*page*/ ctx[17].locations.length - 50 + ""; - let t0; - let t1; - - const block = { - c: function create() { - div = element("div"); - t0 = text(t0_value); - t1 = text(" more.."); - attr_dev(div, "class", "text-xs mr-2 my-1 tracking-wider px-2 cursor-default"); - add_location(div, file$t, 130, 16, 4215); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, t0); - append_dev(div, t1); - }, - p: function update(ctx, dirty) { - if (dirty & /*allErrors*/ 4 && t0_value !== (t0_value = /*page*/ ctx[17].locations.length - 50 + "")) set_data_dev(t0, t0_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$g.name, - type: "if", - source: "(130:14) {#if page.locations.length > 50}", - ctx - }); - - return block; - } - - // (106:8) {#each error.pages as page} - function create_each_block_1$5(ctx) { - let tr; - let td0; - let t0_value = truncate(80)(/*page*/ ctx[17].url) + ""; - let t0; - let td0_title_value; - let t1; - let td1; - let div; - let t2; - let t3; - let each_value_2 = slice$1(0, 49, /*page*/ ctx[17].locations); - validate_each_argument(each_value_2); - let each_blocks = []; - - for (let i = 0; i < each_value_2.length; i += 1) { - each_blocks[i] = create_each_block_2(get_each_context_2(ctx, each_value_2, i)); - } - - let if_block = /*page*/ ctx[17].locations.length > 50 && create_if_block_1$g(ctx); - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - t0 = text(t0_value); - t1 = space(); - td1 = element("td"); - div = element("div"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t2 = space(); - if (if_block) if_block.c(); - t3 = space(); - attr_dev(td0, "class", "whitespace-no-wrap break-all w-2/12 border px-4 py-2 break-all"); - attr_dev(td0, "title", td0_title_value = /*page*/ ctx[17].url); - add_location(td0, file$t, 107, 12, 3249); - attr_dev(div, "class", "flex flex-wrap"); - add_location(div, file$t, 114, 14, 3515); - attr_dev(td1, "class", "w-10/12 border px-4 py-2 break-all"); - add_location(td1, file$t, 113, 12, 3453); - add_location(tr, file$t, 106, 10, 3232); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, t0); - append_dev(tr, t1); - append_dev(tr, td1); - append_dev(td1, div); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(div, null); - } - } - - append_dev(td1, t2); - if (if_block) if_block.m(td1, null); - append_dev(tr, t3); - }, - p: function update(ctx, dirty) { - if (dirty & /*allErrors*/ 4 && t0_value !== (t0_value = truncate(80)(/*page*/ ctx[17].url) + "")) set_data_dev(t0, t0_value); - - if (dirty & /*allErrors*/ 4 && td0_title_value !== (td0_title_value = /*page*/ ctx[17].url)) { - attr_dev(td0, "title", td0_title_value); - } - - if (dirty & /*viewSource, allErrors, slice*/ 12) { - each_value_2 = slice$1(0, 49, /*page*/ ctx[17].locations); - validate_each_argument(each_value_2); - let i; - - for (i = 0; i < each_value_2.length; i += 1) { - const child_ctx = get_each_context_2(ctx, each_value_2, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block_2(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(div, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value_2.length; - } - - if (/*page*/ ctx[17].locations.length > 50) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block_1$g(ctx); - if_block.c(); - if_block.m(td1, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - destroy_each(each_blocks, detaching); - if (if_block) if_block.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$5.name, - type: "each", - source: "(106:8) {#each error.pages as page}", - ctx - }); - - return block; - } - - // (72:0) {#each allErrors as error} - function create_each_block$9(ctx) { - let div; - let span0; - let icon; - let t0; - let i; - let i_class_value; - let i_style_value; - let t1; - let a; - let t2_value = getDisplayText(/*error*/ ctx[14].error) + ""; - let t2; - let a_class_value; - let a_href_value; - let t3; - let span1; - let t4; - let t5_value = /*getTotalHtmlErrorsOccurence*/ ctx[4](/*error*/ ctx[14].pages) + ""; - let t5; - let t6; - let t7; - let if_block_anchor; - let current; - - function click_handler() { - return /*click_handler*/ ctx[9](/*error*/ ctx[14]); - } - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot$e] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", click_handler); - let if_block = !/*hiddenRows*/ ctx[0][/*error*/ ctx[14].error] && create_if_block$m(ctx); - - const block = { - c: function create() { - div = element("div"); - span0 = element("span"); - create_component(icon.$$.fragment); - t0 = space(); - i = element("i"); - t1 = space(); - a = element("a"); - t2 = text(t2_value); - t3 = space(); - span1 = element("span"); - t4 = text("("); - t5 = text(t5_value); - t6 = text(")"); - t7 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(span0, "class", "font-bold mr-2"); - add_location(span0, file$t, 73, 4, 1965); - - attr_dev(i, "class", i_class_value = /*ERRORS*/ ctx[1].indexOf(/*error*/ ctx[14].error) >= 0 - ? 'fas fa-exclamation-circle fa-lg' - : 'fas fa-exclamation-triangle fa-lg'); - - attr_dev(i, "style", i_style_value = /*ERRORS*/ ctx[1].indexOf(/*error*/ ctx[14].error) >= 0 - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i, file$t, 84, 4, 2275); - - attr_dev(a, "class", a_class_value = "" + ((getRuleLink(/*error*/ ctx[14].error) - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline")); - - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = getRuleLink(/*error*/ ctx[14].error)); - add_location(a, file$t, 85, 4, 2482); - attr_dev(span1, "class", "font-bold"); - add_location(span1, file$t, 91, 4, 2710); - attr_dev(div, "class", "mb-3"); - add_location(div, file$t, 72, 2, 1942); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span0); - mount_component(icon, span0, null); - append_dev(div, t0); - append_dev(div, i); - append_dev(div, t1); - append_dev(div, a); - append_dev(a, t2); - append_dev(div, t3); - append_dev(div, span1); - append_dev(span1, t4); - append_dev(span1, t5); - append_dev(span1, t6); - insert_dev(target, t7, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows, allErrors*/ 8388613) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - - if (!current || dirty & /*ERRORS, allErrors*/ 6 && i_class_value !== (i_class_value = /*ERRORS*/ ctx[1].indexOf(/*error*/ ctx[14].error) >= 0 - ? 'fas fa-exclamation-circle fa-lg' - : 'fas fa-exclamation-triangle fa-lg')) { - attr_dev(i, "class", i_class_value); - } - - if (!current || dirty & /*ERRORS, allErrors*/ 6 && i_style_value !== (i_style_value = /*ERRORS*/ ctx[1].indexOf(/*error*/ ctx[14].error) >= 0 - ? 'color: red' - : 'color: #d69e2e')) { - attr_dev(i, "style", i_style_value); - } - - if ((!current || dirty & /*allErrors*/ 4) && t2_value !== (t2_value = getDisplayText(/*error*/ ctx[14].error) + "")) set_data_dev(t2, t2_value); - - if (!current || dirty & /*allErrors*/ 4 && a_class_value !== (a_class_value = "" + ((getRuleLink(/*error*/ ctx[14].error) - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline"))) { - attr_dev(a, "class", a_class_value); - } - - if (!current || dirty & /*allErrors*/ 4 && a_href_value !== (a_href_value = getRuleLink(/*error*/ ctx[14].error))) { - attr_dev(a, "href", a_href_value); - } - - if ((!current || dirty & /*allErrors*/ 4) && t5_value !== (t5_value = /*getTotalHtmlErrorsOccurence*/ ctx[4](/*error*/ ctx[14].pages) + "")) set_data_dev(t5, t5_value); - - if (!/*hiddenRows*/ ctx[0][/*error*/ ctx[14].error]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*hiddenRows, allErrors*/ 5) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$m(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon); - if (detaching) detach_dev(t7); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$9.name, - type: "each", - source: "(72:0) {#each allErrors as error}", - ctx - }); - - return block; - } - - function create_fragment$t(ctx) { - let each_1_anchor; - let current; - let each_value = /*allErrors*/ ctx[2]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$9(get_each_context$9(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*allErrors, slice, viewSource, truncate, hiddenRows, getTotalHtmlErrorsOccurence, getRuleLink, getDisplayText, ERRORS, hideShow*/ 63) { - each_value = /*allErrors*/ ctx[2]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$9(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$9(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$t.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$t($$self, $$props, $$invalidate) { - let reasons; - let allErrors; - let htmlHintIssues; - let ERRORS; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HtmlErrorsByReason', slots, []); - let { errors = [] } = $$props; - let { codeIssues = [] } = $$props; - const dispatch = createEventDispatcher(); - - const viewSource = (url, location, key) => { - if (htmlHintIssues.indexOf(key) >= 0) { - dispatch("viewSource", { url, key, location }); - } else { - const snippet = codeIssues.filter(x => x.file === url && x.line === location)[0].snippet; - - dispatch("viewCode", { - snippet: `// ..........\n${snippet}\n// ..........`, - url, - key, - location - }); - } - }; - - const getTotalHtmlErrorsOccurence = pages => { - var sum = 0; - - for (let i = 0; i < pages.length; i++) { - sum += pages[i].locations.length; - } - - return sum; - }; - - // Assigning key values to each rules to collapse reason line by default - var arr = htmlHintRules.map(x => ({ [x.rule]: true })).concat(customHtmlHintRules.map(x => ({ [x.rule]: true }))); - - let hiddenRows = {}; - - arr.forEach((x, i) => { - Object.assign(hiddenRows, arr[i]); - }); - - const hideShow = key => { - return $$invalidate(0, hiddenRows[key] = key in hiddenRows ? !hiddenRows[key] : true, hiddenRows); - }; - - const writable_props = ['errors', 'codeIssues']; - - Object_1$5.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = error => hideShow(error.error); - const click_handler_1 = (page, item, error) => viewSource(page.url, item, error.error); - - $$self.$$set = $$props => { - if ('errors' in $$props) $$invalidate(6, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(7, codeIssues = $$props.codeIssues); - }; - - $$self.$capture_state = () => ({ - slice: slice$1, - getHtmlErrorsByReason, - truncate, - getCodeErrorRules, - getHtmlHintIssues, - getCodeErrorsByRule, - HTMLERRORS, - getRuleLink, - getDisplayText, - fade, - createEventDispatcher, - Icon, - htmlHintRules, - customHtmlHintRules, - errors, - codeIssues, - dispatch, - viewSource, - getTotalHtmlErrorsOccurence, - arr, - hiddenRows, - hideShow, - ERRORS, - htmlHintIssues, - reasons, - allErrors - }); - - $$self.$inject_state = $$props => { - if ('errors' in $$props) $$invalidate(6, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(7, codeIssues = $$props.codeIssues); - if ('arr' in $$props) arr = $$props.arr; - if ('hiddenRows' in $$props) $$invalidate(0, hiddenRows = $$props.hiddenRows); - if ('ERRORS' in $$props) $$invalidate(1, ERRORS = $$props.ERRORS); - if ('htmlHintIssues' in $$props) htmlHintIssues = $$props.htmlHintIssues; - if ('reasons' in $$props) $$invalidate(8, reasons = $$props.reasons); - if ('allErrors' in $$props) $$invalidate(2, allErrors = $$props.allErrors); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*errors*/ 64) { - $$invalidate(8, reasons = getHtmlErrorsByReason(errors)); - } - - if ($$self.$$.dirty & /*reasons, codeIssues*/ 384) { - $$invalidate(2, allErrors = reasons.concat(getCodeErrorsByRule(codeIssues))); - } - - if ($$self.$$.dirty & /*errors*/ 64) { - htmlHintIssues = getHtmlHintIssues(errors); - } - - if ($$self.$$.dirty & /*codeIssues*/ 128) { - $$invalidate(1, ERRORS = codeIssues && codeIssues.length > 0 - ? (getCodeErrorRules(codeIssues) || []).concat(HTMLERRORS) - : HTMLERRORS); - } - }; - - return [ - hiddenRows, - ERRORS, - allErrors, - viewSource, - getTotalHtmlErrorsOccurence, - hideShow, - errors, - codeIssues, - reasons, - click_handler, - click_handler_1 - ]; - } - - class HtmlErrorsByReason extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$t, create_fragment$t, safe_not_equal, { errors: 6, codeIssues: 7 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HtmlErrorsByReason", - options, - id: create_fragment$t.name - }); - } - - get errors() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set errors(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get codeIssues() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set codeIssues(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/htmlhintcomponents/HtmlErrorsTable.svelte generated by Svelte v3.59.1 */ - - const { console: console_1$3 } = globals; - const file$s = "src/components/htmlhintcomponents/HtmlErrorsTable.svelte"; - - // (133:0) {:else} - function create_else_block$i(ctx) { - let div2; - let div0; - let button0; - let span0; - let t1; - let button1; - let span1; - let t3; - let div1; - let button2; - let icon; - let t4; - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - cssClass: "", - $$slots: { default: [create_default_slot_3$2] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const if_block_creators = [create_if_block_2$c, create_else_block_1$5]; - const if_blocks = []; - - function select_block_type_1(ctx, dirty) { - if (/*displayMode*/ ctx[2] === 0) return 0; - return 1; - } - - current_block_type_index = select_block_type_1(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - div2 = element("div"); - div0 = element("div"); - button0 = element("button"); - span0 = element("span"); - span0.textContent = "By Page"; - t1 = space(); - button1 = element("button"); - span1 = element("span"); - span1.textContent = "By Reason"; - t3 = space(); - div1 = element("div"); - button2 = element("button"); - create_component(icon.$$.fragment); - t4 = space(); - if_block.c(); - if_block_anchor = empty(); - add_location(span0, file$s, 143, 8, 3923); - attr_dev(button0, "class", "inline-flex items-center transition-colors duration-300 ease-in focus:outline-none hover:text-blue-400 focus:text-blue-400 rounded-l-full px-4 py-2 svelte-eei9cp"); - toggle_class(button0, "active", /*displayMode*/ ctx[2] === 0); - add_location(button0, file$s, 137, 6, 3646); - add_location(span1, file$s, 151, 8, 4243); - attr_dev(button1, "class", "inline-flex items-center transition-colors duration-300 ease-in focus:outline-none hover:text-blue-400 focus:text-blue-400 rounded-r-full px-4 py-2 svelte-eei9cp"); - toggle_class(button1, "active", /*displayMode*/ ctx[2] === 1); - add_location(button1, file$s, 145, 6, 3966); - attr_dev(div0, "class", "bg-gray-200 text-sm textgrey leading-none border-2 border-gray-200 rounded-full inline-flex"); - add_location(div0, file$s, 134, 4, 3522); - attr_dev(button2, "title", "Download CSV"); - attr_dev(button2, "class", "bg-gray-300 hover:bg-gray-400 text-gray-800 font-bold py-1 px-1 rounded-lg inline-flex items-center"); - add_location(button2, file$s, 155, 6, 4329); - attr_dev(div1, "class", "float-right"); - add_location(div1, file$s, 154, 4, 4297); - attr_dev(div2, "class", "my-4"); - add_location(div2, file$s, 133, 2, 3499); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, div0); - append_dev(div0, button0); - append_dev(button0, span0); - append_dev(div0, t1); - append_dev(div0, button1); - append_dev(button1, span1); - append_dev(div2, t3); - append_dev(div2, div1); - append_dev(div1, button2); - mount_component(icon, button2, null); - insert_dev(target, t4, anchor); - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(button0, "click", /*click_handler*/ ctx[14], false, false, false, false), - listen_dev(button1, "click", /*click_handler_1*/ ctx[15], false, false, false, false), - listen_dev(button2, "click", /*download*/ ctx[9], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (!current || dirty & /*displayMode*/ 4) { - toggle_class(button0, "active", /*displayMode*/ ctx[2] === 0); - } - - if (!current || dirty & /*displayMode*/ 4) { - toggle_class(button1, "active", /*displayMode*/ ctx[2] === 1); - } - - const icon_changes = {}; - - if (dirty & /*$$scope*/ 16777216) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_1(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - destroy_component(icon); - if (detaching) detach_dev(t4); - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$i.name, - type: "else", - source: "(133:0) {:else}", - ctx - }); - - return block; - } - - // (119:0) {#if errors.length === 0 && codeIssues.length === 0} - function create_if_block_1$f(ctx) { - let div; - let icon0; - let t; - let icon1; - let current; - - icon0 = new Icon({ - props: { - cssClass: "inline-block", - $$slots: { default: [create_default_slot_2$9] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon1 = new Icon({ - props: { - cssClass: "inline-block", - $$slots: { default: [create_default_slot_1$d] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - create_component(icon0.$$.fragment); - t = text("\n No HTML issues found in this build!!\n "); - create_component(icon1.$$.fragment); - attr_dev(div, "class", "mb-6 text-center text-xl py-8"); - add_location(div, file$s, 119, 2, 3021); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - mount_component(icon0, div, null); - append_dev(div, t); - mount_component(icon1, div, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon0_changes = {}; - - if (dirty & /*$$scope*/ 16777216) { - icon0_changes.$$scope = { dirty, ctx }; - } - - icon0.$set(icon0_changes); - const icon1_changes = {}; - - if (dirty & /*$$scope*/ 16777216) { - icon1_changes.$$scope = { dirty, ctx }; - } - - icon1.$set(icon1_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon0.$$.fragment, local); - transition_in(icon1.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon0.$$.fragment, local); - transition_out(icon1.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon0); - destroy_component(icon1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$f.name, - type: "if", - source: "(119:0) {#if errors.length === 0 && codeIssues.length === 0}", - ctx - }); - - return block; - } - - // (161:8) - function create_default_slot_3$2(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"); - add_location(path, file$s, 161, 10, 4556); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_3$2.name, - type: "slot", - source: "(161:8) ", - ctx - }); - - return block; - } - - // (175:2) {:else} - function create_else_block_1$5(ctx) { - let htmlerrorsbyreason; - let current; - - htmlerrorsbyreason = new HtmlErrorsByReason({ - props: { - errors: /*errors*/ ctx[0], - codeIssues: /*codeIssues*/ ctx[1] - }, - $$inline: true - }); - - htmlerrorsbyreason.$on("viewSource", /*viewPageSource*/ ctx[10]); - htmlerrorsbyreason.$on("viewCode", /*viewCode*/ ctx[11]); - - const block = { - c: function create() { - create_component(htmlerrorsbyreason.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(htmlerrorsbyreason, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const htmlerrorsbyreason_changes = {}; - if (dirty & /*errors*/ 1) htmlerrorsbyreason_changes.errors = /*errors*/ ctx[0]; - if (dirty & /*codeIssues*/ 2) htmlerrorsbyreason_changes.codeIssues = /*codeIssues*/ ctx[1]; - htmlerrorsbyreason.$set(htmlerrorsbyreason_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(htmlerrorsbyreason.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(htmlerrorsbyreason.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(htmlerrorsbyreason, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$5.name, - type: "else", - source: "(175:2) {:else}", - ctx - }); - - return block; - } - - // (169:2) {#if displayMode === 0} - function create_if_block_2$c(ctx) { - let htmlerrorsbysource; - let current; - - htmlerrorsbysource = new HtmlErrorsBySource({ - props: { - errors: /*errors*/ ctx[0], - codeIssues: /*codeIssues*/ ctx[1] - }, - $$inline: true - }); - - htmlerrorsbysource.$on("viewSource", /*viewPageSource*/ ctx[10]); - htmlerrorsbysource.$on("viewCode", /*viewCode*/ ctx[11]); - - const block = { - c: function create() { - create_component(htmlerrorsbysource.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(htmlerrorsbysource, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const htmlerrorsbysource_changes = {}; - if (dirty & /*errors*/ 1) htmlerrorsbysource_changes.errors = /*errors*/ ctx[0]; - if (dirty & /*codeIssues*/ 2) htmlerrorsbysource_changes.codeIssues = /*codeIssues*/ ctx[1]; - htmlerrorsbysource.$set(htmlerrorsbysource_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(htmlerrorsbysource.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(htmlerrorsbysource.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(htmlerrorsbysource, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$c.name, - type: "if", - source: "(169:2) {#if displayMode === 0}", - ctx - }); - - return block; - } - - // (121:4) - function create_default_slot_2$9(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$s, 121, 6, 3106); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$9.name, - type: "slot", - source: "(121:4) ", - ctx - }); - - return block; - } - - // (127:4) - function create_default_slot_1$d(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$s, 127, 6, 3334); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$d.name, - type: "slot", - source: "(127:4) ", - ctx - }); - - return block; - } - - // (189:2) {#if loading} - function create_if_block$l(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$l.name, - type: "if", - source: "(189:2) {#if loading}", - ctx - }); - - return block; - } - - // (184:0) - function create_default_slot$d(ctx) { - let t; - let div; - let current; - let if_block = /*loading*/ ctx[6] && create_if_block$l(ctx); - - const block = { - c: function create() { - if (if_block) if_block.c(); - t = space(); - div = element("div"); - attr_dev(div, "id", "codeEditor"); - attr_dev(div, "class", "svelte-eei9cp"); - toggle_class(div, "border", !/*loading*/ ctx[6]); - add_location(div, file$s, 191, 2, 5161); - }, - m: function mount(target, anchor) { - if (if_block) if_block.m(target, anchor); - insert_dev(target, t, anchor); - insert_dev(target, div, anchor); - /*div_binding*/ ctx[16](div); - current = true; - }, - p: function update(ctx, dirty) { - if (/*loading*/ ctx[6]) { - if (if_block) { - if (dirty & /*loading*/ 64) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$l(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(t.parentNode, t); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - - if (!current || dirty & /*loading*/ 64) { - toggle_class(div, "border", !/*loading*/ ctx[6]); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(t); - if (detaching) detach_dev(div); - /*div_binding*/ ctx[16](null); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$d.name, - type: "slot", - source: "(184:0) ", - ctx - }); - - return block; - } - - function create_fragment$s(ctx) { - let current_block_type_index; - let if_block; - let t; - let modal; - let updating_show; - let current; - const if_block_creators = [create_if_block_1$f, create_else_block$i]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*errors*/ ctx[0].length === 0 && /*codeIssues*/ ctx[1].length === 0) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - function modal_show_binding(value) { - /*modal_show_binding*/ ctx[17](value); - } - - let modal_props = { - header: /*ruleName*/ ctx[4] + ': ' + /*viewUrlSource*/ ctx[3], - full: true, - $$slots: { default: [create_default_slot$d] }, - $$scope: { ctx } - }; - - if (/*showSource*/ ctx[5] !== void 0) { - modal_props.show = /*showSource*/ ctx[5]; - } - - modal = new Modal({ props: modal_props, $$inline: true }); - binding_callbacks.push(() => bind$2(modal, 'show', modal_show_binding)); - modal.$on("dismiss", /*dismiss*/ ctx[8]); - - const block = { - c: function create() { - if_block.c(); - t = space(); - create_component(modal.$$.fragment); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, t, anchor); - mount_component(modal, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(t.parentNode, t); - } - - const modal_changes = {}; - if (dirty & /*ruleName, viewUrlSource*/ 24) modal_changes.header = /*ruleName*/ ctx[4] + ': ' + /*viewUrlSource*/ ctx[3]; - - if (dirty & /*$$scope, codediv, loading*/ 16777408) { - modal_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*showSource*/ 32) { - updating_show = true; - modal_changes.show = /*showSource*/ ctx[5]; - add_flush_callback(() => updating_show = false); - } - - modal.$set(modal_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - transition_in(modal.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - transition_out(modal.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(t); - destroy_component(modal, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$s.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$s($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HtmlErrorsTable', slots, []); - let { errors = [] } = $$props; - let { codeIssues = [] } = $$props; - let { currentRoute } = $$props; - let displayMode = 0; - let viewUrlSource = ""; - let viewLocation = ""; - let ruleName = ""; - let codeLocation = ""; - let source; - let showSource; - let loading; - let codeViewer; - let codediv; - - const dismiss = () => { - $$invalidate(5, showSource = false); - codeViewer = null; - $$invalidate(7, codediv.innerHTML = "", codediv); - }; - - const dispatch = createEventDispatcher(); - const download = () => dispatch("download"); - - function showSourceWindow() { - $$invalidate(5, showSource = true); - - setTimeout( - () => { - const element = document.getElementById("codeEditor"); - console.log("element", element); - - codeViewer = window.CodeMirror(element, { - value: source, - mode: "htmlmixed", - lineNumbers: true, - styleSelectedText: true, - foldGutter: true, - gutters: ["CodeMirror-linenumbers"] - }); - - codeViewer.setSize("100%", "100%"); - const [line, char] = viewLocation.split(":"); - codeViewer.scrollIntoView({ line: +line, char: +char }, 400); - - codeViewer.markText({ line: line - 1, ch: +char }, { line: line - 1, ch: +char + 50 }, { - className: "border border-red-500 bg-red-200" - }); - }, - 10 - ); - } - - async function viewPageSource(event) { - viewLocation = event.detail.location; - - if (viewUrlSource === event.detail.url) { - showSourceWindow(); - return; - } - - $$invalidate(3, viewUrlSource = event.detail.url); - $$invalidate(4, ruleName = event.detail.key); - $$invalidate(5, showSource = true); - $$invalidate(6, loading = true); - const res = await fetch(`${CONSTS.API2}/viewsource?url=${encodeURIComponent(viewUrlSource)}`); - source = await res.text(); - $$invalidate(6, loading = false); - showSourceWindow(); - } - - async function viewCode(event) { - source = event.detail.snippet; - $$invalidate(3, viewUrlSource = event.detail.url); - $$invalidate(4, ruleName = event.detail.key); - codeLocation = event.detail.location; - viewLocation = "4:0"; - showSourceWindow(); - } - - const changeMode = m => { - $$invalidate(2, displayMode = m); - updateQuery(queryString.stringify({ displayMode })); - }; - - onMount(() => { - if (currentRoute && currentRoute.queryParams.displayMode) { - setTimeout( - () => { - changeMode(+currentRoute.queryParams.displayMode); - }, - 0 - ); - } - }); - - $$self.$$.on_mount.push(function () { - if (currentRoute === undefined && !('currentRoute' in $$props || $$self.$$.bound[$$self.$$.props['currentRoute']])) { - console_1$3.warn(" was created without expected prop 'currentRoute'"); - } - }); - - const writable_props = ['errors', 'codeIssues', 'currentRoute']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console_1$3.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => changeMode(0); - const click_handler_1 = () => changeMode(1); - - function div_binding($$value) { - binding_callbacks[$$value ? 'unshift' : 'push'](() => { - codediv = $$value; - $$invalidate(7, codediv); - }); - } - - function modal_show_binding(value) { - showSource = value; - $$invalidate(5, showSource); - } - - $$self.$$set = $$props => { - if ('errors' in $$props) $$invalidate(0, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(1, codeIssues = $$props.codeIssues); - if ('currentRoute' in $$props) $$invalidate(13, currentRoute = $$props.currentRoute); - }; - - $$self.$capture_state = () => ({ - updateQuery, - CONSTS, - Icon, - Modal, - LoadingFlat, - ParsedQuery: queryString, - HtmlErrorsBySource, - HtmlErrorsByReason, - onMount, - createEventDispatcher, - errors, - codeIssues, - currentRoute, - displayMode, - viewUrlSource, - viewLocation, - ruleName, - codeLocation, - source, - showSource, - loading, - codeViewer, - codediv, - dismiss, - dispatch, - download, - showSourceWindow, - viewPageSource, - viewCode, - changeMode - }); - - $$self.$inject_state = $$props => { - if ('errors' in $$props) $$invalidate(0, errors = $$props.errors); - if ('codeIssues' in $$props) $$invalidate(1, codeIssues = $$props.codeIssues); - if ('currentRoute' in $$props) $$invalidate(13, currentRoute = $$props.currentRoute); - if ('displayMode' in $$props) $$invalidate(2, displayMode = $$props.displayMode); - if ('viewUrlSource' in $$props) $$invalidate(3, viewUrlSource = $$props.viewUrlSource); - if ('viewLocation' in $$props) viewLocation = $$props.viewLocation; - if ('ruleName' in $$props) $$invalidate(4, ruleName = $$props.ruleName); - if ('codeLocation' in $$props) codeLocation = $$props.codeLocation; - if ('source' in $$props) source = $$props.source; - if ('showSource' in $$props) $$invalidate(5, showSource = $$props.showSource); - if ('loading' in $$props) $$invalidate(6, loading = $$props.loading); - if ('codeViewer' in $$props) codeViewer = $$props.codeViewer; - if ('codediv' in $$props) $$invalidate(7, codediv = $$props.codediv); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - errors, - codeIssues, - displayMode, - viewUrlSource, - ruleName, - showSource, - loading, - codediv, - dismiss, - download, - viewPageSource, - viewCode, - changeMode, - currentRoute, - click_handler, - click_handler_1, - div_binding, - modal_show_binding - ]; - } - - class HtmlErrorsTable extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$s, create_fragment$s, safe_not_equal, { - errors: 0, - codeIssues: 1, - currentRoute: 13 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HtmlErrorsTable", - options, - id: create_fragment$s.name - }); - } - - get errors() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set errors(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get codeIssues() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set codeIssues(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/misccomponents/Breadcrumbs.svelte generated by Svelte v3.59.1 */ - const file$r = "src/components/misccomponents/Breadcrumbs.svelte"; - - // (14:2) - function create_default_slot_2$8(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$r, 14, 4, 360); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$8.name, - type: "slot", - source: "(14:2) ", - ctx - }); - - return block; - } - - // (22:2) - function create_default_slot_1$c(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$r, 22, 4, 572); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$c.name, - type: "slot", - source: "(22:2) ", - ctx - }); - - return block; - } - - // (28:2) - function create_default_slot$c(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$r, 28, 4, 773); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$c.name, - type: "slot", - source: "(28:2) ", - ctx - }); - - return block; - } - - function create_fragment$r(ctx) { - let p; - let a0; - let t1; - let icon0; - let t2; - let a1; - let t4; - let icon1; - let t5; - let span0; - let t7; - let icon2; - let t8; - let span1; - let t9; - let current; - - icon0 = new Icon({ - props: { - cssClass: "inline-block", - height: "20", - width: "20", - $$slots: { default: [create_default_slot_2$8] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon1 = new Icon({ - props: { - cssClass: "inline-block", - height: "20", - width: "20", - $$slots: { default: [create_default_slot_1$c] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon2 = new Icon({ - props: { - cssClass: "inline-block", - height: "20", - width: "20", - $$slots: { default: [create_default_slot$c] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - p = element("p"); - a0 = element("a"); - a0.textContent = "Home"; - t1 = space(); - create_component(icon0.$$.fragment); - t2 = space(); - a1 = element("a"); - a1.textContent = "Scans"; - t4 = space(); - create_component(icon1.$$.fragment); - t5 = space(); - span0 = element("span"); - span0.textContent = "Scan Results"; - t7 = space(); - create_component(icon2.$$.fragment); - t8 = space(); - span1 = element("span"); - t9 = text(/*displayMode*/ ctx[0]); - attr_dev(a0, "class", "inline-block align-baseline text-blue hover:text-blue-darker"); - attr_dev(a0, "href", "/"); - add_location(a0, file$r, 8, 2, 194); - attr_dev(a1, "class", "inline-block align-baseline text-blue hover:text-blue-darker"); - attr_dev(a1, "href", "/explore"); - add_location(a1, file$r, 16, 2, 398); - attr_dev(span0, "class", "inline-block align-baseline text-blue hover:text-blue-darker"); - add_location(span0, file$r, 24, 2, 610); - attr_dev(span1, "class", "inline-block align-baseline text-blue hover:text-blue-darker"); - add_location(span1, file$r, 30, 2, 811); - attr_dev(p, "class", "hidden md:block text-sm text-gray-800 pb-3 pt-4"); - add_location(p, file$r, 7, 0, 132); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, a0); - append_dev(p, t1); - mount_component(icon0, p, null); - append_dev(p, t2); - append_dev(p, a1); - append_dev(p, t4); - mount_component(icon1, p, null); - append_dev(p, t5); - append_dev(p, span0); - append_dev(p, t7); - mount_component(icon2, p, null); - append_dev(p, t8); - append_dev(p, span1); - append_dev(span1, t9); - current = true; - }, - p: function update(ctx, [dirty]) { - const icon0_changes = {}; - - if (dirty & /*$$scope*/ 8) { - icon0_changes.$$scope = { dirty, ctx }; - } - - icon0.$set(icon0_changes); - const icon1_changes = {}; - - if (dirty & /*$$scope*/ 8) { - icon1_changes.$$scope = { dirty, ctx }; - } - - icon1.$set(icon1_changes); - const icon2_changes = {}; - - if (dirty & /*$$scope*/ 8) { - icon2_changes.$$scope = { dirty, ctx }; - } - - icon2.$set(icon2_changes); - if (!current || dirty & /*displayMode*/ 1) set_data_dev(t9, /*displayMode*/ ctx[0]); - }, - i: function intro(local) { - if (current) return; - transition_in(icon0.$$.fragment, local); - transition_in(icon1.$$.fragment, local); - transition_in(icon2.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon0.$$.fragment, local); - transition_out(icon1.$$.fragment, local); - transition_out(icon2.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - destroy_component(icon0); - destroy_component(icon1); - destroy_component(icon2); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$r.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$r($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Breadcrumbs', slots, []); - let { build = {} } = $$props; - let { runId } = $$props; - let { displayMode = "" } = $$props; - - $$self.$$.on_mount.push(function () { - if (runId === undefined && !('runId' in $$props || $$self.$$.bound[$$self.$$.props['runId']])) { - console.warn(" was created without expected prop 'runId'"); - } - }); - - const writable_props = ['build', 'runId', 'displayMode']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(1, build = $$props.build); - if ('runId' in $$props) $$invalidate(2, runId = $$props.runId); - if ('displayMode' in $$props) $$invalidate(0, displayMode = $$props.displayMode); - }; - - $$self.$capture_state = () => ({ Icon, build, runId, displayMode }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(1, build = $$props.build); - if ('runId' in $$props) $$invalidate(2, runId = $$props.runId); - if ('displayMode' in $$props) $$invalidate(0, displayMode = $$props.displayMode); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [displayMode, build, runId]; - } - - class Breadcrumbs extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$r, create_fragment$r, safe_not_equal, { build: 1, runId: 2, displayMode: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Breadcrumbs", - options, - id: create_fragment$r.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get runId() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set runId(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get displayMode() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set displayMode(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - var exportToCsv = createCommonjsModule(function (module, exports) { - Object.defineProperty(exports, "__esModule", { value: true }); - var CsvConfigConsts = (function () { - function CsvConfigConsts() { - } - CsvConfigConsts.EOL = "\r\n"; - CsvConfigConsts.BOM = "\ufeff"; - CsvConfigConsts.DEFAULT_FIELD_SEPARATOR = ','; - CsvConfigConsts.DEFAULT_DECIMAL_SEPARATOR = '.'; - CsvConfigConsts.DEFAULT_QUOTE = '"'; - CsvConfigConsts.DEFAULT_SHOW_TITLE = false; - CsvConfigConsts.DEFAULT_TITLE = 'My Generated Report'; - CsvConfigConsts.DEFAULT_FILENAME = 'generated'; - CsvConfigConsts.DEFAULT_SHOW_LABELS = false; - CsvConfigConsts.DEFAULT_USE_TEXT_FILE = false; - CsvConfigConsts.DEFAULT_USE_BOM = true; - CsvConfigConsts.DEFAULT_HEADER = []; - CsvConfigConsts.DEFAULT_KEYS_AS_HEADERS = false; - return CsvConfigConsts; - }()); - exports.CsvConfigConsts = CsvConfigConsts; - exports.ConfigDefaults = { - filename: CsvConfigConsts.DEFAULT_FILENAME, - fieldSeparator: CsvConfigConsts.DEFAULT_FIELD_SEPARATOR, - quoteStrings: CsvConfigConsts.DEFAULT_QUOTE, - decimalSeparator: CsvConfigConsts.DEFAULT_DECIMAL_SEPARATOR, - showLabels: CsvConfigConsts.DEFAULT_SHOW_LABELS, - showTitle: CsvConfigConsts.DEFAULT_SHOW_TITLE, - title: CsvConfigConsts.DEFAULT_TITLE, - useTextFile: CsvConfigConsts.DEFAULT_USE_TEXT_FILE, - useBom: CsvConfigConsts.DEFAULT_USE_BOM, - headers: CsvConfigConsts.DEFAULT_HEADER, - useKeysAsHeaders: CsvConfigConsts.DEFAULT_KEYS_AS_HEADERS, - }; - var ExportToCsv = (function () { - function ExportToCsv(options) { - this._csv = ""; - var config = options || {}; - this._options = objectAssign({}, exports.ConfigDefaults, config); - if (this._options.useKeysAsHeaders - && this._options.headers - && this._options.headers.length > 0) { - console.warn('Option to use object keys as headers was set, but headers were still passed!'); - } - } - Object.defineProperty(ExportToCsv.prototype, "options", { - get: function () { - return this._options; - }, - set: function (options) { - this._options = objectAssign({}, exports.ConfigDefaults, options); - }, - enumerable: true, - configurable: true - }); - /** - * Generate and Download Csv - */ - ExportToCsv.prototype.generateCsv = function (jsonData, shouldReturnCsv) { - if (shouldReturnCsv === void 0) { shouldReturnCsv = false; } - // Make sure to reset csv data on each run - this._csv = ''; - this._parseData(jsonData); - if (this._options.useBom) { - this._csv += CsvConfigConsts.BOM; - } - if (this._options.showTitle) { - this._csv += this._options.title + '\r\n\n'; - } - this._getHeaders(); - this._getBody(); - if (this._csv == '') { - console.log("Invalid data"); - return; - } - // When the consumer asks for the data, exit the function - // by returning the CSV data built at this point - if (shouldReturnCsv) { - return this._csv; - } - // Create CSV blob to download if requesting in the browser and the - // consumer doesn't set the shouldReturnCsv param - var FileType = this._options.useTextFile ? 'plain' : 'csv'; - var fileExtension = this._options.useTextFile ? '.txt' : '.csv'; - var blob = new Blob([this._csv], { "type": "text/" + FileType + ";charset=utf8;" }); - if (navigator.msSaveBlob) { - var filename = this._options.filename.replace(/ /g, "_") + fileExtension; - navigator.msSaveBlob(blob, filename); - } - else { - var attachmentType = this._options.useTextFile ? 'text' : 'csv'; - 'data:attachment/' + attachmentType + ';charset=utf-8,' + encodeURI(this._csv); - var link = document.createElement("a"); - link.href = URL.createObjectURL(blob); - link.setAttribute('visibility', 'hidden'); - link.download = this._options.filename.replace(/ /g, "_") + fileExtension; - document.body.appendChild(link); - link.click(); - document.body.removeChild(link); - } - }; - /** - * Create Headers - */ - ExportToCsv.prototype._getHeaders = function () { - if (!this._options.showLabels && !this._options.useKeysAsHeaders) { - return; - } - var useKeysAsHeaders = this._options.useKeysAsHeaders; - var headers = useKeysAsHeaders ? Object.keys(this._data[0]) : this._options.headers; - if (headers.length > 0) { - var row = ""; - for (var keyPos = 0; keyPos < headers.length; keyPos++) { - row += headers[keyPos] + this._options.fieldSeparator; - } - row = row.slice(0, -1); - this._csv += row + CsvConfigConsts.EOL; - } - }; - /** - * Create Body - */ - ExportToCsv.prototype._getBody = function () { - var keys = Object.keys(this._data[0]); - for (var i = 0; i < this._data.length; i++) { - var row = ""; - for (var keyPos = 0; keyPos < keys.length; keyPos++) { - var key = keys[keyPos]; - row += this._formatData(this._data[i][key]) + this._options.fieldSeparator; - } - row = row.slice(0, -1); - this._csv += row + CsvConfigConsts.EOL; - } - }; - /** - * Format Data - * @param {any} data - */ - ExportToCsv.prototype._formatData = function (data) { - if (this._options.decimalSeparator === 'locale' && this._isFloat(data)) { - return data.toLocaleString(); - } - if (this._options.decimalSeparator !== '.' && this._isFloat(data)) { - return data.toString().replace('.', this._options.decimalSeparator); - } - if (typeof data === 'string') { - data = data.replace(/"/g, '""'); - if (this._options.quoteStrings || data.indexOf(',') > -1 || data.indexOf('\n') > -1 || data.indexOf('\r') > -1) { - data = this._options.quoteStrings + data + this._options.quoteStrings; - } - return data; - } - if (typeof data === 'boolean') { - return data ? 'TRUE' : 'FALSE'; - } - return data; - }; - /** - * Check if is Float - * @param {any} input - */ - ExportToCsv.prototype._isFloat = function (input) { - return +input === input && (!isFinite(input) || Boolean(input % 1)); - }; - /** - * Parse the collection given to it - * - * @private - * @param {*} jsonData - * @returns {any[]} - * @memberof ExportToCsv - */ - ExportToCsv.prototype._parseData = function (jsonData) { - this._data = typeof jsonData != 'object' ? JSON.parse(jsonData) : jsonData; - return this._data; - }; - return ExportToCsv; - }()); - exports.ExportToCsv = ExportToCsv; - var hasOwnProperty = Object.prototype.hasOwnProperty; - var propIsEnumerable = Object.prototype.propertyIsEnumerable; - /** - * Convet to Object - * @param {any} val - */ - function toObject(val) { - if (val === null || val === undefined) { - throw new TypeError('Object.assign cannot be called with null or undefined'); - } - return Object(val); - } - /** - * Assign data to new Object - * @param {any} target - * @param {any[]} ...source - */ - function objectAssign(target) { - var from; - var to = toObject(target); - var symbols; - for (var s = 1; s < arguments.length; s++) { - from = Object(arguments[s]); - for (var key in from) { - if (hasOwnProperty.call(from, key)) { - to[key] = from[key]; - } - } - if (Object.getOwnPropertySymbols) { - symbols = Object.getOwnPropertySymbols(from); - for (var i = 0; i < symbols.length; i++) { - if (propIsEnumerable.call(from, symbols[i])) { - to[symbols[i]] = from[symbols[i]]; - } - } - } - } - return to; - } - - }); - - unwrapExports(exportToCsv); - exportToCsv.CsvConfigConsts; - exportToCsv.ConfigDefaults; - exportToCsv.ExportToCsv; - - var build = createCommonjsModule(function (module, exports) { - function __export(m) { - for (var p in m) if (!exports.hasOwnProperty(p)) exports[p] = m[p]; - } - Object.defineProperty(exports, "__esModule", { value: true }); - __export(exportToCsv); - - }); - - unwrapExports(build); - var build_1 = build.ExportToCsv; - - /* src/components/misccomponents/SendAlertModal.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$4 } = globals; - const file$q = "src/components/misccomponents/SendAlertModal.svelte"; - - function get_each_context$8(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[16] = list[i]; - child_ctx[17] = list; - child_ctx[18] = i; - return child_ctx; - } - - // (97:6) {:else} - function create_else_block$h(ctx) { - let div4; - let div2; - let div0; - let input; - let t0; - let div1; - let button; - let t2; - let t3; - let div3; - let t5; - let mounted; - let dispose; - let if_block = /*showErrorPromp*/ ctx[4] && create_if_block_2$b(ctx); - let each_value = /*sharedEmailAddresses*/ ctx[1]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$8(get_each_context$8(ctx, each_value, i)); - } - - const block = { - c: function create() { - div4 = element("div"); - div2 = element("div"); - div0 = element("div"); - input = element("input"); - t0 = space(); - div1 = element("div"); - button = element("button"); - button.textContent = "Add"; - t2 = space(); - if (if_block) if_block.c(); - t3 = space(); - div3 = element("div"); - div3.textContent = "Currently receiving alerts:"; - t5 = space(); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - attr_dev(input, "class", "appearance-none block w-full text-gray-700 border border-red-700 rounded py-3 px-4 leading-tight focus:outline-none focus:bg-white focus:border-red-800"); - attr_dev(input, "type", /*type*/ ctx[5]); - input.value = /*emailAddress*/ ctx[3]; - attr_dev(input, "placeholder", "Email address"); - toggle_class(input, "border-red-300", !/*emailAddress*/ ctx[3]); - toggle_class(input, "focus:border-red-500", !/*emailAddress*/ ctx[3]); - add_location(input, file$q, 101, 14, 2821); - attr_dev(div0, "class", "col-span-2"); - add_location(div0, file$q, 100, 12, 2782); - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bg-black hover:bg-gray-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$q, 114, 14, 3359); - add_location(div1, file$q, 113, 12, 3339); - attr_dev(div2, "class", "grid grid-cols-3 gap-x-4"); - add_location(div2, file$q, 99, 10, 2731); - attr_dev(div3, "class", "font-sans font-bold mt-5"); - add_location(div3, file$q, 124, 10, 3770); - attr_dev(div4, "class", "modal-body py-5 overflow-y-auto"); - add_location(div4, file$q, 98, 8, 2675); - }, - m: function mount(target, anchor) { - insert_dev(target, div4, anchor); - append_dev(div4, div2); - append_dev(div2, div0); - append_dev(div0, input); - append_dev(div2, t0); - append_dev(div2, div1); - append_dev(div1, button); - append_dev(div2, t2); - if (if_block) if_block.m(div2, null); - append_dev(div4, t3); - append_dev(div4, div3); - append_dev(div4, t5); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(div4, null); - } - } - - if (!mounted) { - dispose = [ - listen_dev(input, "input", /*handleInput*/ ctx[7], false, false, false, false), - listen_dev(button, "click", /*updateEmailAddress*/ ctx[9], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (dirty & /*emailAddress*/ 8 && input.value !== /*emailAddress*/ ctx[3]) { - prop_dev(input, "value", /*emailAddress*/ ctx[3]); - } - - if (dirty & /*emailAddress*/ 8) { - toggle_class(input, "border-red-300", !/*emailAddress*/ ctx[3]); - } - - if (dirty & /*emailAddress*/ 8) { - toggle_class(input, "focus:border-red-500", !/*emailAddress*/ ctx[3]); - } - - if (/*showErrorPromp*/ ctx[4]) { - if (if_block) ; else { - if_block = create_if_block_2$b(ctx); - if_block.c(); - if_block.m(div2, null); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - - if (dirty & /*sharedEmailAddresses, removeAlertEmail*/ 258) { - each_value = /*sharedEmailAddresses*/ ctx[1]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$8(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$8(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(div4, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div4); - if (if_block) if_block.d(); - destroy_each(each_blocks, detaching); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$h.name, - type: "else", - source: "(97:6) {:else}", - ctx - }); - - return block; - } - - // (95:6) {#if isLoading} - function create_if_block$k(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$k.name, - type: "if", - source: "(95:6) {#if isLoading}", - ctx - }); - - return block; - } - - // (121:12) {#if showErrorPromp} - function create_if_block_2$b(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - div.textContent = "Invalid email input"; - attr_dev(div, "class", "text-red-700 font-sans"); - add_location(div, file$q, 121, 14, 3663); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$b.name, - type: "if", - source: "(121:12) {#if showErrorPromp}", - ctx - }); - - return block; - } - - // (135:14) {#if item.showDeleteIcon} - function create_if_block_1$e(ctx) { - let i; - let mounted; - let dispose; - - function click_handler() { - return /*click_handler*/ ctx[12](/*item*/ ctx[16]); - } - - const block = { - c: function create() { - i = element("i"); - attr_dev(i, "class", "fas fa-trash-can fa-sm text-red-600 ml-1 cursor-pointer"); - add_location(i, file$q, 135, 16, 4230); - }, - m: function mount(target, anchor) { - insert_dev(target, i, anchor); - - if (!mounted) { - dispose = listen_dev(i, "click", click_handler, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(i); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$e.name, - type: "if", - source: "(135:14) {#if item.showDeleteIcon}", - ctx - }); - - return block; - } - - // (128:10) {#each sharedEmailAddresses as item} - function create_each_block$8(ctx) { - let li; - let t0_value = /*item*/ ctx[16].emailAddress + ""; - let t0; - let t1; - let t2; - let mounted; - let dispose; - let if_block = /*item*/ ctx[16].showDeleteIcon && create_if_block_1$e(ctx); - - function mouseover_handler() { - return /*mouseover_handler*/ ctx[13](/*item*/ ctx[16], /*each_value*/ ctx[17], /*item_index*/ ctx[18]); - } - - function mouseleave_handler() { - return /*mouseleave_handler*/ ctx[14](/*item*/ ctx[16], /*each_value*/ ctx[17], /*item_index*/ ctx[18]); - } - - const block = { - c: function create() { - li = element("li"); - t0 = text(t0_value); - t1 = space(); - if (if_block) if_block.c(); - t2 = space(); - attr_dev(li, "class", "cursor-pointer"); - add_location(li, file$q, 128, 12, 3925); - }, - m: function mount(target, anchor) { - insert_dev(target, li, anchor); - append_dev(li, t0); - append_dev(li, t1); - if (if_block) if_block.m(li, null); - append_dev(li, t2); - - if (!mounted) { - dispose = [ - listen_dev(li, "mouseover", mouseover_handler, false, false, false, false), - listen_dev(li, "mouseleave", mouseleave_handler, false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - if (dirty & /*sharedEmailAddresses*/ 2 && t0_value !== (t0_value = /*item*/ ctx[16].emailAddress + "")) set_data_dev(t0, t0_value); - - if (/*item*/ ctx[16].showDeleteIcon) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block_1$e(ctx); - if_block.c(); - if_block.m(li, t2); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(li); - if (if_block) if_block.d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$8.name, - type: "each", - source: "(128:10) {#each sharedEmailAddresses as item}", - ctx - }); - - return block; - } - - function create_fragment$q(ctx) { - let div5; - let div0; - let t0; - let div4; - let div3; - let div1; - let p; - let t2; - let current_block_type_index; - let if_block; - let t3; - let div2; - let span; - let current; - let mounted; - let dispose; - const if_block_creators = [create_if_block$k, create_else_block$h]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*isLoading*/ ctx[2]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - div5 = element("div"); - div0 = element("div"); - t0 = space(); - div4 = element("div"); - div3 = element("div"); - div1 = element("div"); - p = element("p"); - p.textContent = "Send email alerts for future scans:"; - t2 = space(); - if_block.c(); - t3 = space(); - div2 = element("div"); - span = element("span"); - span.textContent = "Close"; - attr_dev(div0, "class", "modal-overlay absolute w-full h-full bg-gray-900 opacity-50"); - add_location(div0, file$q, 80, 2, 2049); - attr_dev(p, "class", "text-2xl font-bold"); - add_location(p, file$q, 92, 8, 2489); - attr_dev(div1, "class", "flex justify-between items-center pb-3"); - add_location(div1, file$q, 91, 6, 2428); - attr_dev(span, "class", "link cursor-pointer"); - add_location(span, file$q, 143, 8, 4497); - attr_dev(div2, "class", "flex justify-end pt-2 mb-3"); - add_location(div2, file$q, 142, 6, 4448); - attr_dev(div3, "class", "modal-content py-4 text-left px-6"); - add_location(div3, file$q, 89, 4, 2355); - attr_dev(div4, "class", `modal-container bg-white w-11/12 md:max-w-lg mx-auto rounded shadow-lg z-50 overflow-y-auto`); - add_location(div4, file$q, 85, 2, 2157); - attr_dev(div5, "class", "modal opacity-0 pointer-events-none fixed w-full h-full top-0 left-0 flex items-center justify-center"); - toggle_class(div5, "opacity-0", !/*show*/ ctx[0]); - toggle_class(div5, "pointer-events-none", !/*show*/ ctx[0]); - add_location(div5, file$q, 74, 0, 1864); - }, - l: function claim(nodes) { - throw new Error_1$4("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div5, anchor); - append_dev(div5, div0); - append_dev(div5, t0); - append_dev(div5, div4); - append_dev(div4, div3); - append_dev(div3, div1); - append_dev(div1, p); - append_dev(div3, t2); - if_blocks[current_block_type_index].m(div3, null); - append_dev(div3, t3); - append_dev(div3, div2); - append_dev(div2, span); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(div0, "click", /*dismiss*/ ctx[6], false, false, false, false), - listen_dev(span, "click", /*dismiss*/ ctx[6], false, false, false, false), - listen_dev(span, "keypress", /*dismiss*/ ctx[6], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(div3, t3); - } - - if (!current || dirty & /*show*/ 1) { - toggle_class(div5, "opacity-0", !/*show*/ ctx[0]); - } - - if (!current || dirty & /*show*/ 1) { - toggle_class(div5, "pointer-events-none", !/*show*/ ctx[0]); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div5); - if_blocks[current_block_type_index].d(); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$q.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$q($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('SendAlertModal', slots, []); - let { show } = $$props; - let { url } = $$props; - let { userApiKey } = $$props; - let { sharedEmailAddresses = [] } = $$props; - let isLoading; - let emailAddress = ""; - let type = "text"; - let showErrorPromp = false; - const dismiss = () => $$invalidate(0, show = false); - - const handleInput = e => { - $$invalidate(3, emailAddress = validateEmail(e.target.value) ? e.target.value : null); - }; - - const reloadSharedEmailList = async () => { - let fullUrl = convertSpecialCharUrl(url); - const res = await fetch(`${CONSTS.API}/api/getalertemailaddresses/${userApiKey}/${fullUrl}`); - $$invalidate(1, sharedEmailAddresses = await res.json()); - }; - - const removeAlertEmail = async e => { - $$invalidate(2, isLoading = true); - - const res = await fetch(`${CONSTS.API}/api/deletealertemailaddress`, { - method: "DELETE", - body: JSON.stringify({ api: e.partitionKey, rowkey: e.rowKey }), - headers: { "Content-Type": "application/json" } - }); - - if (res.ok) { - $$invalidate(2, isLoading = false); - reloadSharedEmailList(); - } else { - throw new Error("Failed to load"); - } - }; - - const updateEmailAddress = async () => { - if (emailAddress) { - $$invalidate(4, showErrorPromp = false); - $$invalidate(2, isLoading = true); - - const res = await fetch(`${CONSTS.API}/api/${userApiKey}/addalertemailaddresses`, { - method: "PUT", - body: JSON.stringify({ - url, - emailAddress, - authorToken: userApiKey - }), - headers: { "Content-Type": "application/json" } - }); - - if (res.ok) { - $$invalidate(2, isLoading = false); - reloadSharedEmailList(); - } else { - throw new Error("Failed to load"); - } - } else { - $$invalidate(4, showErrorPromp = true); - } - }; - - $$self.$$.on_mount.push(function () { - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (url === undefined && !('url' in $$props || $$self.$$.bound[$$self.$$.props['url']])) { - console.warn(" was created without expected prop 'url'"); - } - - if (userApiKey === undefined && !('userApiKey' in $$props || $$self.$$.bound[$$self.$$.props['userApiKey']])) { - console.warn(" was created without expected prop 'userApiKey'"); - } - }); - - const writable_props = ['show', 'url', 'userApiKey', 'sharedEmailAddresses']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = item => removeAlertEmail(item); - - const mouseover_handler = (item, each_value, item_index) => { - $$invalidate(1, each_value[item_index] = { ...item, showDeleteIcon: true }, sharedEmailAddresses); - }; - - const mouseleave_handler = (item, each_value, item_index) => { - $$invalidate(1, each_value[item_index] = { ...item, showDeleteIcon: false }, sharedEmailAddresses); - }; - - $$self.$$set = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('url' in $$props) $$invalidate(10, url = $$props.url); - if ('userApiKey' in $$props) $$invalidate(11, userApiKey = $$props.userApiKey); - if ('sharedEmailAddresses' in $$props) $$invalidate(1, sharedEmailAddresses = $$props.sharedEmailAddresses); - }; - - $$self.$capture_state = () => ({ - LoadingFlat, - CONSTS, - validateEmail, - convertSpecialCharUrl, - show, - url, - userApiKey, - sharedEmailAddresses, - isLoading, - emailAddress, - type, - showErrorPromp, - dismiss, - handleInput, - reloadSharedEmailList, - removeAlertEmail, - updateEmailAddress - }); - - $$self.$inject_state = $$props => { - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('url' in $$props) $$invalidate(10, url = $$props.url); - if ('userApiKey' in $$props) $$invalidate(11, userApiKey = $$props.userApiKey); - if ('sharedEmailAddresses' in $$props) $$invalidate(1, sharedEmailAddresses = $$props.sharedEmailAddresses); - if ('isLoading' in $$props) $$invalidate(2, isLoading = $$props.isLoading); - if ('emailAddress' in $$props) $$invalidate(3, emailAddress = $$props.emailAddress); - if ('type' in $$props) $$invalidate(5, type = $$props.type); - if ('showErrorPromp' in $$props) $$invalidate(4, showErrorPromp = $$props.showErrorPromp); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - show, - sharedEmailAddresses, - isLoading, - emailAddress, - showErrorPromp, - type, - dismiss, - handleInput, - removeAlertEmail, - updateEmailAddress, - url, - userApiKey, - click_handler, - mouseover_handler, - mouseleave_handler - ]; - } - - class SendAlertModal extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$q, create_fragment$q, safe_not_equal, { - show: 0, - url: 10, - userApiKey: 11, - sharedEmailAddresses: 1 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "SendAlertModal", - options, - id: create_fragment$q.name - }); - } - - get show() { - throw new Error_1$4(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error_1$4(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get url() { - throw new Error_1$4(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error_1$4(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get userApiKey() { - throw new Error_1$4(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set userApiKey(value) { - throw new Error_1$4(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get sharedEmailAddresses() { - throw new Error_1$4(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set sharedEmailAddresses(value) { - throw new Error_1$4(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/summaryitemcomponents/CardSummary.svelte generated by Svelte v3.59.1 */ - const file$p = "src/components/summaryitemcomponents/CardSummary.svelte"; - - // (68:4) {#if previousScans.length > 1} - function create_if_block_1$d(ctx) { - let button; - let i; - let t; - let mounted; - let dispose; - - const block = { - c: function create() { - button = element("button"); - i = element("i"); - t = text(" Compare to latest scan"); - attr_dev(i, "class", "fas fa-code-compare"); - add_location(i, file$p, 73, 8, 2601); - attr_dev(button, "type", "button"); - attr_dev(button, "class", "bg-black hover:bg-gray-800 text-white font-semibold py-2 px-4 border rounded"); - add_location(button, file$p, 68, 6, 2328); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - append_dev(button, i); - append_dev(button, t); - - if (!mounted) { - dispose = listen_dev( - button, - "click", - function () { - if (is_function(src_3(`/scanCompare/${/*value*/ ctx[0].partitionKey}/${convertSpecialCharUrl(/*value*/ ctx[0].url.slice(12))}/${/*value*/ ctx[0].buildDate}`))) src_3(`/scanCompare/${/*value*/ ctx[0].partitionKey}/${convertSpecialCharUrl(/*value*/ ctx[0].url.slice(12))}/${/*value*/ ctx[0].buildDate}`).apply(this, arguments); - }, - false, - false, - false, - false - ); - - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$d.name, - type: "if", - source: "(68:4) {#if previousScans.length > 1}", - ctx - }); - - return block; - } - - // (85:4) {#if (value.buildDate && isHtmlHintComp)} - function create_if_block$j(ctx) { - let button; - let span; - let mounted; - let dispose; - - const block = { - c: function create() { - button = element("button"); - span = element("span"); - span.textContent = "Enabled Rules"; - attr_dev(span, "class", "ml-2"); - add_location(span, file$p, 89, 8, 3166); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$p, 85, 6, 2990); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - append_dev(button, span); - - if (!mounted) { - dispose = listen_dev(button, "click", /*htmlHintThreshold*/ ctx[6], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$j.name, - type: "if", - source: "(85:4) {#if (value.buildDate && isHtmlHintComp)}", - ctx - }); - - return block; - } - - function create_fragment$p(ctx) { - let div6; - let div3; - let div0; - let a; - let t0_value = /*value*/ ctx[0].url + ""; - let t0; - let a_href_value; - let t1; - let div1; - let span0; - let t2; - let strong; - let t3_value = format(new Date(/*value*/ ctx[0].buildDate), 'dd MMM yyyy') + ""; - let t3; - let t4; - let t5_value = formatDistanceToNow(new Date(/*value*/ ctx[0].buildDate), { addSuffix: true }) + ""; - let t5; - let t6; - let t7_value = format(new Date(/*value*/ ctx[0].buildDate), 'hh:mmaaa') + ""; - let t7; - let t8; - let t9; - let div2; - let span1; - let t10; - let t11_value = printTimeDiff(+/*value*/ ctx[0].scanDuration) + ""; - let t11; - let t12; - let div4; - let t13; - let button; - let i; - let t14; - let t15; - let div5; - let t16; - let sendalertmodal; - let updating_show; - let current; - let mounted; - let dispose; - let if_block0 = /*previousScans*/ ctx[3].length > 1 && create_if_block_1$d(ctx); - let if_block1 = /*value*/ ctx[0].buildDate && /*isHtmlHintComp*/ ctx[1] && create_if_block$j(ctx); - - function sendalertmodal_show_binding(value) { - /*sendalertmodal_show_binding*/ ctx[8](value); - } - - let sendalertmodal_props = { - sharedEmailAddresses: /*sharedEmailAddresses*/ ctx[4], - userApiKey: /*userApiKey*/ ctx[5], - url: /*value*/ ctx[0].url - }; - - if (/*showShareAlert*/ ctx[2] !== void 0) { - sendalertmodal_props.show = /*showShareAlert*/ ctx[2]; - } - - sendalertmodal = new SendAlertModal({ - props: sendalertmodal_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(sendalertmodal, 'show', sendalertmodal_show_binding)); - - const block = { - c: function create() { - div6 = element("div"); - div3 = element("div"); - div0 = element("div"); - a = element("a"); - t0 = text(t0_value); - t1 = space(); - div1 = element("div"); - span0 = element("span"); - t2 = text("Last\n scanned: \n "); - strong = element("strong"); - t3 = text(t3_value); - t4 = text("\n ("); - t5 = text(t5_value); - t6 = text(" at "); - t7 = text(t7_value); - t8 = text(")"); - t9 = space(); - div2 = element("div"); - span1 = element("span"); - t10 = text("Duration: "); - t11 = text(t11_value); - t12 = space(); - div4 = element("div"); - if (if_block0) if_block0.c(); - t13 = space(); - button = element("button"); - i = element("i"); - t14 = text(" Send Email Alerts"); - t15 = space(); - div5 = element("div"); - if (if_block1) if_block1.c(); - t16 = space(); - create_component(sendalertmodal.$$.fragment); - attr_dev(a, "href", a_href_value = /*value*/ ctx[0].url); - attr_dev(a, "target", "_blank"); - attr_dev(a, "class", "underline text-xl font-sans font-bold text-gray-800 hover:text-red-600"); - add_location(a, file$p, 48, 6, 1535); - attr_dev(div0, "class", "text-center"); - add_location(div0, file$p, 47, 4, 1503); - add_location(strong, file$p, 56, 8, 1836); - attr_dev(span0, "class", "text-xl font-sans block lg:inline-block text-gray-600"); - add_location(span0, file$p, 54, 6, 1737); - attr_dev(div1, "class", "text-center"); - add_location(div1, file$p, 53, 4, 1705); - attr_dev(span1, "class", "text-xl font-sans block lg:inline-block text-gray-600"); - add_location(span1, file$p, 61, 6, 2096); - attr_dev(div2, "class", "text-center"); - add_location(div2, file$p, 60, 4, 2064); - add_location(div3, file$p, 46, 2, 1493); - attr_dev(i, "class", "fas fa-paper-plane"); - add_location(i, file$p, 80, 6, 2835); - attr_dev(button, "class", "bg-black hover:bg-gray-800 text-white font-semibold py-2 px-4 border rounded"); - add_location(button, file$p, 76, 4, 2690); - attr_dev(div4, "class", "text-center mt-3"); - add_location(div4, file$p, 66, 2, 2256); - attr_dev(div5, "class", "text-right"); - add_location(div5, file$p, 83, 2, 2913); - attr_dev(div6, "class", "hidden md:grid grid-cols"); - add_location(div6, file$p, 45, 0, 1452); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div6, anchor); - append_dev(div6, div3); - append_dev(div3, div0); - append_dev(div0, a); - append_dev(a, t0); - append_dev(div3, t1); - append_dev(div3, div1); - append_dev(div1, span0); - append_dev(span0, t2); - append_dev(span0, strong); - append_dev(strong, t3); - append_dev(span0, t4); - append_dev(span0, t5); - append_dev(span0, t6); - append_dev(span0, t7); - append_dev(span0, t8); - append_dev(div3, t9); - append_dev(div3, div2); - append_dev(div2, span1); - append_dev(span1, t10); - append_dev(span1, t11); - append_dev(div6, t12); - append_dev(div6, div4); - if (if_block0) if_block0.m(div4, null); - append_dev(div4, t13); - append_dev(div4, button); - append_dev(button, i); - append_dev(button, t14); - append_dev(div6, t15); - append_dev(div6, div5); - if (if_block1) if_block1.m(div5, null); - insert_dev(target, t16, anchor); - mount_component(sendalertmodal, target, anchor); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", /*emailAlertModal*/ ctx[7], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if ((!current || dirty & /*value*/ 1) && t0_value !== (t0_value = /*value*/ ctx[0].url + "")) set_data_dev(t0, t0_value); - - if (!current || dirty & /*value*/ 1 && a_href_value !== (a_href_value = /*value*/ ctx[0].url)) { - attr_dev(a, "href", a_href_value); - } - - if ((!current || dirty & /*value*/ 1) && t3_value !== (t3_value = format(new Date(/*value*/ ctx[0].buildDate), 'dd MMM yyyy') + "")) set_data_dev(t3, t3_value); - if ((!current || dirty & /*value*/ 1) && t5_value !== (t5_value = formatDistanceToNow(new Date(/*value*/ ctx[0].buildDate), { addSuffix: true }) + "")) set_data_dev(t5, t5_value); - if ((!current || dirty & /*value*/ 1) && t7_value !== (t7_value = format(new Date(/*value*/ ctx[0].buildDate), 'hh:mmaaa') + "")) set_data_dev(t7, t7_value); - if ((!current || dirty & /*value*/ 1) && t11_value !== (t11_value = printTimeDiff(+/*value*/ ctx[0].scanDuration) + "")) set_data_dev(t11, t11_value); - - if (/*previousScans*/ ctx[3].length > 1) { - if (if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0 = create_if_block_1$d(ctx); - if_block0.c(); - if_block0.m(div4, t13); - } - } else if (if_block0) { - if_block0.d(1); - if_block0 = null; - } - - if (/*value*/ ctx[0].buildDate && /*isHtmlHintComp*/ ctx[1]) { - if (if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1 = create_if_block$j(ctx); - if_block1.c(); - if_block1.m(div5, null); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - const sendalertmodal_changes = {}; - if (dirty & /*sharedEmailAddresses*/ 16) sendalertmodal_changes.sharedEmailAddresses = /*sharedEmailAddresses*/ ctx[4]; - if (dirty & /*userApiKey*/ 32) sendalertmodal_changes.userApiKey = /*userApiKey*/ ctx[5]; - if (dirty & /*value*/ 1) sendalertmodal_changes.url = /*value*/ ctx[0].url; - - if (!updating_show && dirty & /*showShareAlert*/ 4) { - updating_show = true; - sendalertmodal_changes.show = /*showShareAlert*/ ctx[2]; - add_flush_callback(() => updating_show = false); - } - - sendalertmodal.$set(sendalertmodal_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(sendalertmodal.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(sendalertmodal.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div6); - if (if_block0) if_block0.d(); - if (if_block1) if_block1.d(); - if (detaching) detach_dev(t16); - destroy_component(sendalertmodal, detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$p.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$p($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('CardSummary', slots, []); - let { value } = $$props; - let { isHtmlHintComp } = $$props; - let showShareAlert; - let previousScans = []; - let sharedEmailAddresses = []; - let userApiKey; - const dispatch = createEventDispatcher(); - const htmlHintThreshold = () => dispatch("htmlHintThreshold"); - - const emailAlertModal = () => { - userSession$.subscribe(async x => { - $$invalidate(5, userApiKey = x.apiKey); - let fullUrl = convertSpecialCharUrl(value.url); - const res = await fetch(`${CONSTS.API}/api/getalertemailaddresses/${userApiKey}/${fullUrl}`); - $$invalidate(4, sharedEmailAddresses = await res.json()); - $$invalidate(2, showShareAlert = true); - }); - }; - - onMount(async () => { - // Check if scan has any previous scans - userSession$.subscribe(async x => { - $$invalidate(5, userApiKey = x.apiKey); - let fullUrl = convertSpecialCharUrl(value.url); - const res = await fetch(`${CONSTS.API}/api/scanSummaryFromUrl/${userApiKey}/${fullUrl}`); - $$invalidate(3, previousScans = await res.json()); - }); - }); - - $$self.$$.on_mount.push(function () { - if (value === undefined && !('value' in $$props || $$self.$$.bound[$$self.$$.props['value']])) { - console.warn(" was created without expected prop 'value'"); - } - - if (isHtmlHintComp === undefined && !('isHtmlHintComp' in $$props || $$self.$$.bound[$$self.$$.props['isHtmlHintComp']])) { - console.warn(" was created without expected prop 'isHtmlHintComp'"); - } - }); - - const writable_props = ['value', 'isHtmlHintComp']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function sendalertmodal_show_binding(value) { - showShareAlert = value; - $$invalidate(2, showShareAlert); - } - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('isHtmlHintComp' in $$props) $$invalidate(1, isHtmlHintComp = $$props.isHtmlHintComp); - }; - - $$self.$capture_state = () => ({ - format, - formatDistanceToNow, - createEventDispatcher, - printTimeDiff, - convertSpecialCharUrl, - SendAlertModal, - userSession$, - CONSTS, - navigateTo: src_3, - onMount, - value, - isHtmlHintComp, - showShareAlert, - previousScans, - sharedEmailAddresses, - userApiKey, - dispatch, - htmlHintThreshold, - emailAlertModal - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(0, value = $$props.value); - if ('isHtmlHintComp' in $$props) $$invalidate(1, isHtmlHintComp = $$props.isHtmlHintComp); - if ('showShareAlert' in $$props) $$invalidate(2, showShareAlert = $$props.showShareAlert); - if ('previousScans' in $$props) $$invalidate(3, previousScans = $$props.previousScans); - if ('sharedEmailAddresses' in $$props) $$invalidate(4, sharedEmailAddresses = $$props.sharedEmailAddresses); - if ('userApiKey' in $$props) $$invalidate(5, userApiKey = $$props.userApiKey); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - value, - isHtmlHintComp, - showShareAlert, - previousScans, - sharedEmailAddresses, - userApiKey, - htmlHintThreshold, - emailAlertModal, - sendalertmodal_show_binding - ]; - } - - class CardSummary extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$p, create_fragment$p, safe_not_equal, { value: 0, isHtmlHintComp: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "CardSummary", - options, - id: create_fragment$p.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get isHtmlHintComp() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set isHtmlHintComp(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/htmlhintcomponents/UpdateHTMLRules.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$3 } = globals; - const file$o = "src/components/htmlhintcomponents/UpdateHTMLRules.svelte"; - - function get_each_context$7(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[27] = list[i]; - child_ctx[28] = list; - child_ctx[29] = i; - return child_ctx; - } - - function get_each_context_1$4(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[27] = list[i]; - child_ctx[30] = list; - child_ctx[31] = i; - return child_ctx; - } - - // (111:2) {:else} - function create_else_block$g(ctx) { - let label; - let input; - let t0; - let p; - let t2; - let h30; - let t4; - let t5; - let br; - let t6; - let h31; - let t8; - let each1_anchor; - let binding_group; - let mounted; - let dispose; - let each_value_1 = /*htmlHintSelectedRules*/ ctx[8]; - validate_each_argument(each_value_1); - let each_blocks_1 = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks_1[i] = create_each_block_1$4(get_each_context_1$4(ctx, each_value_1, i)); - } - - let each_value = /*customHtmlHintSelectedRules*/ ctx[9]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$7(get_each_context$7(ctx, each_value, i)); - } - - binding_group = init_binding_group(/*$$binding_groups*/ ctx[16][1]); - - const block = { - c: function create() { - label = element("label"); - input = element("input"); - t0 = space(); - p = element("p"); - p.textContent = "Select All"; - t2 = space(); - h30 = element("h3"); - h30.textContent = "HTML Hint Rules:"; - t4 = space(); - - for (let i = 0; i < each_blocks_1.length; i += 1) { - each_blocks_1[i].c(); - } - - t5 = space(); - br = element("br"); - t6 = space(); - h31 = element("h3"); - h31.textContent = "Custom HTML Rules:"; - t8 = space(); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each1_anchor = empty(); - attr_dev(input, "type", "checkbox"); - input.__value = true; - input.value = input.__value; - add_location(input, file$o, 113, 6, 3564); - attr_dev(p, "class", "inline-block align-baseline"); - add_location(p, file$o, 114, 6, 3634); - add_location(label, file$o, 112, 4, 3550); - attr_dev(h30, "class", "font-bold"); - add_location(h30, file$o, 116, 4, 3705); - add_location(br, file$o, 128, 4, 4335); - attr_dev(h31, "class", "font-bold"); - add_location(h31, file$o, 129, 4, 4346); - binding_group.p(input); - }, - m: function mount(target, anchor) { - insert_dev(target, label, anchor); - append_dev(label, input); - input.checked = ~(/*selectOption*/ ctx[3] || []).indexOf(input.__value); - append_dev(label, t0); - append_dev(label, p); - insert_dev(target, t2, anchor); - insert_dev(target, h30, anchor); - insert_dev(target, t4, anchor); - - for (let i = 0; i < each_blocks_1.length; i += 1) { - if (each_blocks_1[i]) { - each_blocks_1[i].m(target, anchor); - } - } - - insert_dev(target, t5, anchor); - insert_dev(target, br, anchor); - insert_dev(target, t6, anchor); - insert_dev(target, h31, anchor); - insert_dev(target, t8, anchor); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each1_anchor, anchor); - - if (!mounted) { - dispose = listen_dev(input, "change", /*input_change_handler*/ ctx[15]); - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (dirty[0] & /*selectOption*/ 8) { - input.checked = ~(/*selectOption*/ ctx[3] || []).indexOf(input.__value); - } - - if (dirty[0] & /*htmlHintSelectedRules, selection*/ 384) { - each_value_1 = /*htmlHintSelectedRules*/ ctx[8]; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$4(ctx, each_value_1, i); - - if (each_blocks_1[i]) { - each_blocks_1[i].p(child_ctx, dirty); - } else { - each_blocks_1[i] = create_each_block_1$4(child_ctx); - each_blocks_1[i].c(); - each_blocks_1[i].m(t5.parentNode, t5); - } - } - - for (; i < each_blocks_1.length; i += 1) { - each_blocks_1[i].d(1); - } - - each_blocks_1.length = each_value_1.length; - } - - if (dirty[0] & /*customHtmlHintSelectedRules, selection*/ 640) { - each_value = /*customHtmlHintSelectedRules*/ ctx[9]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$7(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$7(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(each1_anchor.parentNode, each1_anchor); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(label); - if (detaching) detach_dev(t2); - if (detaching) detach_dev(h30); - if (detaching) detach_dev(t4); - destroy_each(each_blocks_1, detaching); - if (detaching) detach_dev(t5); - if (detaching) detach_dev(br); - if (detaching) detach_dev(t6); - if (detaching) detach_dev(h31); - if (detaching) detach_dev(t8); - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each1_anchor); - binding_group.r(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$g.name, - type: "else", - source: "(111:2) {:else}", - ctx - }); - - return block; - } - - // (109:2) {#if loading} - function create_if_block$i(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$i.name, - type: "if", - source: "(109:2) {#if loading}", - ctx - }); - - return block; - } - - // (118:4) {#each htmlHintSelectedRules as rule} - function create_each_block_1$4(ctx) { - let label; - let input; - let input_value_value; - let value_has_changed = false; - let t0; - let a; - let i; - let i_class_value; - let i_style_value; - let t1; - let t2_value = /*rule*/ ctx[27].displayName + ""; - let t2; - let a_href_value; - let binding_group; - let mounted; - let dispose; - - function input_change_handler_1() { - /*input_change_handler_1*/ ctx[17].call(input, /*each_value_1*/ ctx[30], /*rule_index_1*/ ctx[31]); - } - - binding_group = init_binding_group(/*$$binding_groups*/ ctx[16][0]); - - const block = { - c: function create() { - label = element("label"); - input = element("input"); - t0 = space(); - a = element("a"); - i = element("i"); - t1 = space(); - t2 = text(t2_value); - attr_dev(input, "type", "checkbox"); - input.__value = input_value_value = /*rule*/ ctx[27].rule; - input.value = input.__value; - add_location(input, file$o, 119, 8, 3814); - - attr_dev(i, "class", i_class_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md'); - - attr_dev(i, "style", i_style_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i, file$o, 123, 12, 4063); - attr_dev(a, "class", "inline-block align-baseline link"); - attr_dev(a, "href", a_href_value = "https://htmlhint.com/docs/user-guide/rules/" + /*rule*/ ctx[27].rule); - add_location(a, file$o, 120, 10, 3922); - add_location(label, file$o, 118, 6, 3798); - binding_group.p(input); - }, - m: function mount(target, anchor) { - insert_dev(target, label, anchor); - append_dev(label, input); - input.checked = ~(/*selection*/ ctx[7] || []).indexOf(input.__value); - input.checked = /*rule*/ ctx[27].isChecked; - append_dev(label, t0); - append_dev(label, a); - append_dev(a, i); - append_dev(a, t1); - append_dev(a, t2); - - if (!mounted) { - dispose = listen_dev(input, "change", input_change_handler_1); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - - if (dirty[0] & /*htmlHintSelectedRules*/ 256 && input_value_value !== (input_value_value = /*rule*/ ctx[27].rule)) { - prop_dev(input, "__value", input_value_value); - input.value = input.__value; - value_has_changed = true; - } - - if (value_has_changed || dirty[0] & /*selection, customHtmlHintSelectedRules*/ 640) { - input.checked = ~(/*selection*/ ctx[7] || []).indexOf(input.__value); - } - - if (dirty[0] & /*htmlHintSelectedRules*/ 256) { - input.checked = /*rule*/ ctx[27].isChecked; - } - - if (dirty[0] & /*htmlHintSelectedRules*/ 256 && i_class_value !== (i_class_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md')) { - attr_dev(i, "class", i_class_value); - } - - if (dirty[0] & /*htmlHintSelectedRules*/ 256 && i_style_value !== (i_style_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e')) { - attr_dev(i, "style", i_style_value); - } - - if (dirty[0] & /*htmlHintSelectedRules*/ 256 && t2_value !== (t2_value = /*rule*/ ctx[27].displayName + "")) set_data_dev(t2, t2_value); - - if (dirty[0] & /*htmlHintSelectedRules*/ 256 && a_href_value !== (a_href_value = "https://htmlhint.com/docs/user-guide/rules/" + /*rule*/ ctx[27].rule)) { - attr_dev(a, "href", a_href_value); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(label); - binding_group.r(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$4.name, - type: "each", - source: "(118:4) {#each htmlHintSelectedRules as rule}", - ctx - }); - - return block; - } - - // (131:4) {#each customHtmlHintSelectedRules as rule} - function create_each_block$7(ctx) { - let label; - let input; - let input_value_value; - let value_has_changed = false; - let t0; - let a; - let i; - let i_class_value; - let i_style_value; - let t1; - let t2_value = /*rule*/ ctx[27].displayName + ""; - let t2; - let a_class_value; - let a_href_value; - let t3; - let binding_group; - let mounted; - let dispose; - - function input_change_handler_2() { - /*input_change_handler_2*/ ctx[18].call(input, /*each_value*/ ctx[28], /*rule_index*/ ctx[29]); - } - - binding_group = init_binding_group(/*$$binding_groups*/ ctx[16][0]); - - const block = { - c: function create() { - label = element("label"); - input = element("input"); - t0 = space(); - a = element("a"); - i = element("i"); - t1 = space(); - t2 = text(t2_value); - t3 = space(); - attr_dev(input, "type", "checkbox"); - input.__value = input_value_value = /*rule*/ ctx[27].rule; - input.value = input.__value; - add_location(input, file$o, 132, 8, 4463); - - attr_dev(i, "class", i_class_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md'); - - attr_dev(i, "style", i_style_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i, file$o, 136, 12, 4726); - - attr_dev(a, "class", a_class_value = "" + ((/*rule*/ ctx[27].ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline")); - - attr_dev(a, "href", a_href_value = /*rule*/ ctx[27].ruleLink); - add_location(a, file$o, 133, 10, 4571); - add_location(label, file$o, 131, 6, 4447); - binding_group.p(input); - }, - m: function mount(target, anchor) { - insert_dev(target, label, anchor); - append_dev(label, input); - input.checked = ~(/*selection*/ ctx[7] || []).indexOf(input.__value); - input.checked = /*rule*/ ctx[27].isChecked; - append_dev(label, t0); - append_dev(label, a); - append_dev(a, i); - append_dev(a, t1); - append_dev(a, t2); - append_dev(label, t3); - - if (!mounted) { - dispose = listen_dev(input, "change", input_change_handler_2); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && input_value_value !== (input_value_value = /*rule*/ ctx[27].rule)) { - prop_dev(input, "__value", input_value_value); - input.value = input.__value; - value_has_changed = true; - } - - if (value_has_changed || dirty[0] & /*selection, customHtmlHintSelectedRules*/ 640) { - input.checked = ~(/*selection*/ ctx[7] || []).indexOf(input.__value); - } - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512) { - input.checked = /*rule*/ ctx[27].isChecked; - } - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && i_class_value !== (i_class_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md')) { - attr_dev(i, "class", i_class_value); - } - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && i_style_value !== (i_style_value = /*rule*/ ctx[27].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e')) { - attr_dev(i, "style", i_style_value); - } - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && t2_value !== (t2_value = /*rule*/ ctx[27].displayName + "")) set_data_dev(t2, t2_value); - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && a_class_value !== (a_class_value = "" + ((/*rule*/ ctx[27].ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline"))) { - attr_dev(a, "class", a_class_value); - } - - if (dirty[0] & /*customHtmlHintSelectedRules*/ 512 && a_href_value !== (a_href_value = /*rule*/ ctx[27].ruleLink)) { - attr_dev(a, "href", a_href_value); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(label); - binding_group.r(); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$7.name, - type: "each", - source: "(131:4) {#each customHtmlHintSelectedRules as rule}", - ctx - }); - - return block; - } - - // (102:0) - function create_default_slot_2$7(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$i, create_else_block$g]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*loading*/ ctx[2]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$7.name, - type: "slot", - source: "(102:0) ", - ctx - }); - - return block; - } - - // (145:0) - function create_default_slot_1$b(ctx) { - let p; - let t1; - let span; - let a; - let t2; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "HTML Rules updated for"; - t1 = space(); - span = element("span"); - a = element("a"); - t2 = text(/*url*/ ctx[1]); - attr_dev(p, "class", "font-bold"); - add_location(p, file$o, 145, 2, 5048); - attr_dev(a, "href", /*url*/ ctx[1]); - attr_dev(a, "target", "_blank"); - add_location(a, file$o, 147, 4, 5168); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm link"); - add_location(span, file$o, 146, 2, 5098); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, span, anchor); - append_dev(span, a); - append_dev(a, t2); - }, - p: function update(ctx, dirty) { - if (dirty[0] & /*url*/ 2) set_data_dev(t2, /*url*/ ctx[1]); - - if (dirty[0] & /*url*/ 2) { - attr_dev(a, "href", /*url*/ ctx[1]); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$b.name, - type: "slot", - source: "(145:0) ", - ctx - }); - - return block; - } - - // (152:0) - function create_default_slot$b(ctx) { - let p; - let t1; - let span; - let a; - let t2; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "Please select at least one rule to check"; - t1 = space(); - span = element("span"); - a = element("a"); - t2 = text(/*url*/ ctx[1]); - attr_dev(p, "class", "font-bold"); - add_location(p, file$o, 152, 2, 5262); - attr_dev(a, "href", /*url*/ ctx[1]); - attr_dev(a, "target", "_blank"); - add_location(a, file$o, 154, 4, 5400); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm link"); - add_location(span, file$o, 153, 2, 5330); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, span, anchor); - append_dev(span, a); - append_dev(a, t2); - }, - p: function update(ctx, dirty) { - if (dirty[0] & /*url*/ 2) set_data_dev(t2, /*url*/ ctx[1]); - - if (dirty[0] & /*url*/ 2) { - attr_dev(a, "href", /*url*/ ctx[1]); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$b.name, - type: "slot", - source: "(152:0) ", - ctx - }); - - return block; - } - - function create_fragment$o(ctx) { - let modal; - let updating_show; - let updating_loading; - let t0; - let toastr0; - let updating_show_1; - let t1; - let toastr1; - let updating_show_2; - let current; - - function modal_show_binding(value) { - /*modal_show_binding*/ ctx[19](value); - } - - function modal_loading_binding(value) { - /*modal_loading_binding*/ ctx[20](value); - } - - let modal_props = { - header: "Enabled Rules:", - mainAction: "Save", - $$slots: { default: [create_default_slot_2$7] }, - $$scope: { ctx } - }; - - if (/*show*/ ctx[0] !== void 0) { - modal_props.show = /*show*/ ctx[0]; - } - - if (/*saving*/ ctx[4] !== void 0) { - modal_props.loading = /*saving*/ ctx[4]; - } - - modal = new Modal({ props: modal_props, $$inline: true }); - binding_callbacks.push(() => bind$2(modal, 'show', modal_show_binding)); - binding_callbacks.push(() => bind$2(modal, 'loading', modal_loading_binding)); - modal.$on("action", /*updateCustomHtmlRules*/ ctx[11]); - modal.$on("dismiss", /*dismiss*/ ctx[10]); - - function toastr0_show_binding(value) { - /*toastr0_show_binding*/ ctx[21](value); - } - - let toastr0_props = { - $$slots: { default: [create_default_slot_1$b] }, - $$scope: { ctx } - }; - - if (/*addedSuccess*/ ctx[5] !== void 0) { - toastr0_props.show = /*addedSuccess*/ ctx[5]; - } - - toastr0 = new Toastr({ props: toastr0_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr0, 'show', toastr0_show_binding)); - - function toastr1_show_binding(value) { - /*toastr1_show_binding*/ ctx[22](value); - } - - let toastr1_props = { - $$slots: { default: [create_default_slot$b] }, - $$scope: { ctx } - }; - - if (/*addedFail*/ ctx[6] !== void 0) { - toastr1_props.show = /*addedFail*/ ctx[6]; - } - - toastr1 = new Toastr({ props: toastr1_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr1, 'show', toastr1_show_binding)); - - const block = { - c: function create() { - create_component(modal.$$.fragment); - t0 = space(); - create_component(toastr0.$$.fragment); - t1 = space(); - create_component(toastr1.$$.fragment); - }, - l: function claim(nodes) { - throw new Error_1$3("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - mount_component(modal, target, anchor); - insert_dev(target, t0, anchor); - mount_component(toastr0, target, anchor); - insert_dev(target, t1, anchor); - mount_component(toastr1, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const modal_changes = {}; - - if (dirty[0] & /*loading, customHtmlHintSelectedRules, selection, htmlHintSelectedRules, selectOption*/ 908 | dirty[1] & /*$$scope*/ 2) { - modal_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty[0] & /*show*/ 1) { - updating_show = true; - modal_changes.show = /*show*/ ctx[0]; - add_flush_callback(() => updating_show = false); - } - - if (!updating_loading && dirty[0] & /*saving*/ 16) { - updating_loading = true; - modal_changes.loading = /*saving*/ ctx[4]; - add_flush_callback(() => updating_loading = false); - } - - modal.$set(modal_changes); - const toastr0_changes = {}; - - if (dirty[0] & /*url*/ 2 | dirty[1] & /*$$scope*/ 2) { - toastr0_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_1 && dirty[0] & /*addedSuccess*/ 32) { - updating_show_1 = true; - toastr0_changes.show = /*addedSuccess*/ ctx[5]; - add_flush_callback(() => updating_show_1 = false); - } - - toastr0.$set(toastr0_changes); - const toastr1_changes = {}; - - if (dirty[0] & /*url*/ 2 | dirty[1] & /*$$scope*/ 2) { - toastr1_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_2 && dirty[0] & /*addedFail*/ 64) { - updating_show_2 = true; - toastr1_changes.show = /*addedFail*/ ctx[6]; - add_flush_callback(() => updating_show_2 = false); - } - - toastr1.$set(toastr1_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(modal.$$.fragment, local); - transition_in(toastr0.$$.fragment, local); - transition_in(toastr1.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(modal.$$.fragment, local); - transition_out(toastr0.$$.fragment, local); - transition_out(toastr1.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(modal, detaching); - if (detaching) detach_dev(t0); - destroy_component(toastr0, detaching); - if (detaching) detach_dev(t1); - destroy_component(toastr1, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$o.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$o($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('UpdateHTMLRules', slots, []); - let { url } = $$props; - let { show } = $$props; - let { loading } = $$props; - let { user } = $$props; - let { htmlRules } = $$props; - let { threshold } = $$props; - let saving; - let addedSuccess; - let addedFail; - let selection = []; - let selectOption = []; - - // Check all selected htmlhint rules - let htmlHintSelectedRules = []; - - let customHtmlHintSelectedRules = []; - const dispatch = createEventDispatcher(); - const updateHtmlRules = () => dispatch("updateHtmlRules"); - - onMount(() => { - if (htmlRules) { - let selectedHTMLRules = htmlRules.selectedRules.split(/[,]+/); - - $$invalidate(8, htmlHintSelectedRules = htmlHintRules.map(htmlRule => ({ - ...htmlRule, - isChecked: selectedHTMLRules.includes(htmlRule.rule) - }))); - - $$invalidate(9, customHtmlHintSelectedRules = customHtmlHintRules.map(htmlRule => ({ - ...htmlRule, - isChecked: selectedHTMLRules.includes(htmlRule.rule) - }))); - } else { - if (threshold) { - let selectedHTMLRules = threshold.selectedRules.split(/[,]+/); - - $$invalidate(8, htmlHintSelectedRules = htmlHintRules.map(htmlRule => ({ - ...htmlRule, - isChecked: selectedHTMLRules.includes(htmlRule.rule) - }))); - - $$invalidate(9, customHtmlHintSelectedRules = customHtmlHintRules.map(htmlRule => ({ - ...htmlRule, - isChecked: selectedHTMLRules.includes(htmlRule.rule) - }))); - } else { - $$invalidate(8, htmlHintSelectedRules = htmlHintRules.map(htmlRule => ({ ...htmlRule, isChecked: true }))); - $$invalidate(9, customHtmlHintSelectedRules = customHtmlHintRules.map(htmlRule => ({ ...htmlRule, isChecked: true }))); - } - } - }); - - const selectAllRules = () => { - $$invalidate(8, htmlHintSelectedRules = htmlHintSelectedRules.map(rule => ({ ...rule, isChecked: true }))); - $$invalidate(9, customHtmlHintSelectedRules = customHtmlHintSelectedRules.map(rule => ({ ...rule, isChecked: true }))); - - htmlHintSelectedRules.forEach(htmlRule => { - selection.push(htmlRule.rule); - }); - - customHtmlHintSelectedRules.forEach(customRule => { - selection.push(customRule.rule); - }); - }; - - const deselectAllRules = () => { - $$invalidate(8, htmlHintSelectedRules = htmlHintSelectedRules.map(rule => ({ ...rule, isChecked: false }))); - $$invalidate(9, customHtmlHintSelectedRules = customHtmlHintSelectedRules.map(rule => ({ ...rule, isChecked: false }))); - $$invalidate(7, selection = []); - }; - - const dismiss = () => $$invalidate(0, show = false); - - const updateCustomHtmlRules = async () => { - const selectedRules = selection.toString(); - $$invalidate(4, saving = true); - - if (selection.length > 0) { - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/htmlhintrules`, { - method: "PUT", - body: JSON.stringify({ url, selectedRules }), - headers: { "Content-Type": "application/json" } - }); - - if (res.ok) { - $$invalidate(4, saving = false); - $$invalidate(0, show = false); - $$invalidate(5, addedSuccess = true); - updateHtmlRules(); - } else { - throw new Error("Failed to load"); - } - } else { - $$invalidate(6, addedFail = true); - $$invalidate(4, saving = false); - } - }; - - $$self.$$.on_mount.push(function () { - if (url === undefined && !('url' in $$props || $$self.$$.bound[$$self.$$.props['url']])) { - console.warn(" was created without expected prop 'url'"); - } - - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (loading === undefined && !('loading' in $$props || $$self.$$.bound[$$self.$$.props['loading']])) { - console.warn(" was created without expected prop 'loading'"); - } - - if (user === undefined && !('user' in $$props || $$self.$$.bound[$$self.$$.props['user']])) { - console.warn(" was created without expected prop 'user'"); - } - - if (htmlRules === undefined && !('htmlRules' in $$props || $$self.$$.bound[$$self.$$.props['htmlRules']])) { - console.warn(" was created without expected prop 'htmlRules'"); - } - - if (threshold === undefined && !('threshold' in $$props || $$self.$$.bound[$$self.$$.props['threshold']])) { - console.warn(" was created without expected prop 'threshold'"); - } - }); - - const writable_props = ['url', 'show', 'loading', 'user', 'htmlRules', 'threshold']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const $$binding_groups = [[], []]; - - function input_change_handler() { - selectOption = get_binding_group_value($$binding_groups[1], this.__value, this.checked); - $$invalidate(3, selectOption); - } - - function input_change_handler_1(each_value_1, rule_index_1) { - selection = get_binding_group_value($$binding_groups[0], this.__value, this.checked); - each_value_1[rule_index_1].isChecked = this.checked; - $$invalidate(7, selection); - $$invalidate(8, htmlHintSelectedRules); - } - - function input_change_handler_2(each_value, rule_index) { - selection = get_binding_group_value($$binding_groups[0], this.__value, this.checked); - each_value[rule_index].isChecked = this.checked; - $$invalidate(7, selection); - $$invalidate(9, customHtmlHintSelectedRules); - } - - function modal_show_binding(value) { - show = value; - $$invalidate(0, show); - } - - function modal_loading_binding(value) { - saving = value; - $$invalidate(4, saving); - } - - function toastr0_show_binding(value) { - addedSuccess = value; - $$invalidate(5, addedSuccess); - } - - function toastr1_show_binding(value) { - addedFail = value; - $$invalidate(6, addedFail); - } - - $$self.$$set = $$props => { - if ('url' in $$props) $$invalidate(1, url = $$props.url); - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('loading' in $$props) $$invalidate(2, loading = $$props.loading); - if ('user' in $$props) $$invalidate(12, user = $$props.user); - if ('htmlRules' in $$props) $$invalidate(13, htmlRules = $$props.htmlRules); - if ('threshold' in $$props) $$invalidate(14, threshold = $$props.threshold); - }; - - $$self.$capture_state = () => ({ - Toastr, - CONSTS, - htmlHintRules, - customHtmlHintRules, - RuleType, - Modal, - LoadingFlat, - onMount, - createEventDispatcher, - url, - show, - loading, - user, - htmlRules, - threshold, - saving, - addedSuccess, - addedFail, - selection, - selectOption, - htmlHintSelectedRules, - customHtmlHintSelectedRules, - dispatch, - updateHtmlRules, - selectAllRules, - deselectAllRules, - dismiss, - updateCustomHtmlRules - }); - - $$self.$inject_state = $$props => { - if ('url' in $$props) $$invalidate(1, url = $$props.url); - if ('show' in $$props) $$invalidate(0, show = $$props.show); - if ('loading' in $$props) $$invalidate(2, loading = $$props.loading); - if ('user' in $$props) $$invalidate(12, user = $$props.user); - if ('htmlRules' in $$props) $$invalidate(13, htmlRules = $$props.htmlRules); - if ('threshold' in $$props) $$invalidate(14, threshold = $$props.threshold); - if ('saving' in $$props) $$invalidate(4, saving = $$props.saving); - if ('addedSuccess' in $$props) $$invalidate(5, addedSuccess = $$props.addedSuccess); - if ('addedFail' in $$props) $$invalidate(6, addedFail = $$props.addedFail); - if ('selection' in $$props) $$invalidate(7, selection = $$props.selection); - if ('selectOption' in $$props) $$invalidate(3, selectOption = $$props.selectOption); - if ('htmlHintSelectedRules' in $$props) $$invalidate(8, htmlHintSelectedRules = $$props.htmlHintSelectedRules); - if ('customHtmlHintSelectedRules' in $$props) $$invalidate(9, customHtmlHintSelectedRules = $$props.customHtmlHintSelectedRules); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty[0] & /*selectOption*/ 8) { - (selectOption[0] === true - ? selectAllRules() - : deselectAllRules()); - } - }; - - return [ - show, - url, - loading, - selectOption, - saving, - addedSuccess, - addedFail, - selection, - htmlHintSelectedRules, - customHtmlHintSelectedRules, - dismiss, - updateCustomHtmlRules, - user, - htmlRules, - threshold, - input_change_handler, - $$binding_groups, - input_change_handler_1, - input_change_handler_2, - modal_show_binding, - modal_loading_binding, - toastr0_show_binding, - toastr1_show_binding - ]; - } - - class UpdateHTMLRules extends SvelteComponentDev { - constructor(options) { - super(options); - - init( - this, - options, - instance$o, - create_fragment$o, - safe_not_equal, - { - url: 1, - show: 0, - loading: 2, - user: 12, - htmlRules: 13, - threshold: 14 - }, - null, - [-1, -1] - ); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "UpdateHTMLRules", - options, - id: create_fragment$o.name - }); - } - - get url() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get show() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get loading() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set loading(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get user() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set user(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get htmlRules() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set htmlRules(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get threshold() { - throw new Error_1$3(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set threshold(value) { - throw new Error_1$3(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/htmlhintcomponents/HTMLHintDetailsCard.svelte generated by Svelte v3.59.1 */ - const file$n = "src/components/htmlhintcomponents/HTMLHintDetailsCard.svelte"; - - function get_each_context$6(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[14] = list[i]; - return child_ctx; - } - - // (39:2) {:else} - function create_else_block$f(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-orange-500 h-2"); - add_location(div, file$n, 39, 4, 1028); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$f.name, - type: "else", - source: "(39:2) {:else}", - ctx - }); - - return block; - } - - // (37:36) - function create_if_block_6(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-green-500 h-2"); - add_location(div, file$n, 37, 4, 981); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_6.name, - type: "if", - source: "(37:36) ", - ctx - }); - - return block; - } - - // (35:2) {#if val.finalEval == 'FAIL'} - function create_if_block_5$1(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-red-500 h-2"); - add_location(div, file$n, 35, 4, 909); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_5$1.name, - type: "if", - source: "(35:2) {#if val.finalEval == 'FAIL'}", - ctx - }); - - return block; - } - - // (57:8) {#if val.performanceScore} - function create_if_block_4$1(ctx) { - let div; - let h2; - let span; - let t1; - let lighthousesummary; - let current; - - lighthousesummary = new LighthouseSummary({ - props: { value: /*val*/ ctx[2] }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - h2 = element("h2"); - span = element("span"); - span.textContent = "LIGHTHOUSE"; - t1 = space(); - create_component(lighthousesummary.$$.fragment); - attr_dev(span, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span, file$n, 59, 14, 1716); - attr_dev(h2, "class", "svelte-1fv0uxu"); - add_location(h2, file$n, 58, 12, 1697); - attr_dev(div, "class", "md:row-span-1 text-sm my-2"); - add_location(div, file$n, 57, 10, 1644); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, h2); - append_dev(h2, span); - append_dev(div, t1); - mount_component(lighthousesummary, div, null); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(lighthousesummary); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_4$1.name, - type: "if", - source: "(57:8) {#if val.performanceScore}", - ctx - }); - - return block; - } - - // (77:6) {#if htmlRules} - function create_if_block$h(ctx) { - let p; - let t0; - let t1_value = /*htmlRules*/ ctx[0].selectedRules.split(/[,]+/).length + ""; - let t1; - let t2; - let span; - let i; - let t3; - let if_block_anchor; - let mounted; - let dispose; - let if_block = /*isCollapsedRules*/ ctx[1] && create_if_block_1$c(ctx); - - const block = { - c: function create() { - p = element("p"); - t0 = text("HTML Rules Scanned: "); - t1 = text(t1_value); - t2 = space(); - span = element("span"); - i = element("i"); - t3 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(p, "class", "inline"); - add_location(p, file$n, 77, 8, 2210); - attr_dev(i, "class", "fas fa-angle-down"); - add_location(i, file$n, 79, 10, 2391); - attr_dev(span, "type", "button"); - attr_dev(span, "class", "inline cursor-pointer"); - add_location(span, file$n, 78, 8, 2307); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t0); - append_dev(p, t1); - insert_dev(target, t2, anchor); - insert_dev(target, span, anchor); - append_dev(span, i); - insert_dev(target, t3, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - - if (!mounted) { - dispose = listen_dev(span, "click", /*handleClick*/ ctx[4], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (dirty & /*htmlRules*/ 1 && t1_value !== (t1_value = /*htmlRules*/ ctx[0].selectedRules.split(/[,]+/).length + "")) set_data_dev(t1, t1_value); - - if (/*isCollapsedRules*/ ctx[1]) { - if (if_block) { - if_block.p(ctx, dirty); - } else { - if_block = create_if_block_1$c(ctx); - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - if_block.d(1); - if_block = null; - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - if (detaching) detach_dev(t2); - if (detaching) detach_dev(span); - if (detaching) detach_dev(t3); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$h.name, - type: "if", - source: "(77:6) {#if htmlRules}", - ctx - }); - - return block; - } - - // (82:10) {#if isCollapsedRules} - function create_if_block_1$c(ctx) { - let each_1_anchor; - let each_value = /*htmlRules*/ ctx[0].selectedRules.split(/[,]+/); - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$6(get_each_context$6(ctx, each_value, i)); - } - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (dirty & /*customHtmlHintRules, htmlRules, htmlHintRules*/ 1) { - each_value = /*htmlRules*/ ctx[0].selectedRules.split(/[,]+/); - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$6(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$6(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$c.name, - type: "if", - source: "(82:10) {#if isCollapsedRules}", - ctx - }); - - return block; - } - - // (92:67) - function create_if_block_3$3(ctx) { - let a; - let t_value = htmlHintRules.find(func_5).displayName + ""; - let t; - let a_class_value; - let a_href_value; - - function func_5(...args) { - return /*func_5*/ ctx[11](/*rule*/ ctx[14], ...args); - } - - function func_6(...args) { - return /*func_6*/ ctx[12](/*rule*/ ctx[14], ...args); - } - - function func_7(...args) { - return /*func_7*/ ctx[13](/*rule*/ ctx[14], ...args); - } - - const block = { - c: function create() { - a = element("a"); - t = text(t_value); - - attr_dev(a, "class", a_class_value = "" + ((htmlHintRules.find(func_6).ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline")); - - attr_dev(a, "href", a_href_value = htmlHintRules.find(func_7).ruleLink); - add_location(a, file$n, 92, 18, 3122); - }, - m: function mount(target, anchor) { - insert_dev(target, a, anchor); - append_dev(a, t); - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - if (dirty & /*htmlRules*/ 1 && t_value !== (t_value = htmlHintRules.find(func_5).displayName + "")) set_data_dev(t, t_value); - - if (dirty & /*htmlRules*/ 1 && a_class_value !== (a_class_value = "" + ((htmlHintRules.find(func_6).ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline"))) { - attr_dev(a, "class", a_class_value); - } - - if (dirty & /*htmlRules*/ 1 && a_href_value !== (a_href_value = htmlHintRules.find(func_7).ruleLink)) { - attr_dev(a, "href", a_href_value); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(a); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$3.name, - type: "if", - source: "(92:67) ", - ctx - }); - - return block; - } - - // (85:16) {#if customHtmlHintRules.some(x => x.rule === rule)} - function create_if_block_2$a(ctx) { - let a; - let t_value = customHtmlHintRules.find(func_2).displayName + ""; - let t; - let a_class_value; - let a_href_value; - - function func_2(...args) { - return /*func_2*/ ctx[8](/*rule*/ ctx[14], ...args); - } - - function func_3(...args) { - return /*func_3*/ ctx[9](/*rule*/ ctx[14], ...args); - } - - function func_4(...args) { - return /*func_4*/ ctx[10](/*rule*/ ctx[14], ...args); - } - - const block = { - c: function create() { - a = element("a"); - t = text(t_value); - - attr_dev(a, "class", a_class_value = "" + ((customHtmlHintRules.find(func_3).ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline")); - - attr_dev(a, "href", a_href_value = customHtmlHintRules.find(func_4).ruleLink); - add_location(a, file$n, 85, 18, 2660); - }, - m: function mount(target, anchor) { - insert_dev(target, a, anchor); - append_dev(a, t); - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - if (dirty & /*htmlRules*/ 1 && t_value !== (t_value = customHtmlHintRules.find(func_2).displayName + "")) set_data_dev(t, t_value); - - if (dirty & /*htmlRules*/ 1 && a_class_value !== (a_class_value = "" + ((customHtmlHintRules.find(func_3).ruleLink - ? 'link' - : 'hover:no-underline cursor-text') + " inline-block align-baseline"))) { - attr_dev(a, "class", a_class_value); - } - - if (dirty & /*htmlRules*/ 1 && a_href_value !== (a_href_value = customHtmlHintRules.find(func_4).ruleLink)) { - attr_dev(a, "href", a_href_value); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(a); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$a.name, - type: "if", - source: "(85:16) {#if customHtmlHintRules.some(x => x.rule === rule)}", - ctx - }); - - return block; - } - - // (83:12) {#each htmlRules.selectedRules.split(/[,]+/) as rule} - function create_each_block$6(ctx) { - let div; - let show_if; - let show_if_1; - let t; - - function func(...args) { - return /*func*/ ctx[6](/*rule*/ ctx[14], ...args); - } - - function func_1(...args) { - return /*func_1*/ ctx[7](/*rule*/ ctx[14], ...args); - } - - function select_block_type_1(ctx, dirty) { - if (dirty & /*htmlRules*/ 1) show_if = null; - if (dirty & /*htmlRules*/ 1) show_if_1 = null; - if (show_if == null) show_if = !!customHtmlHintRules.some(func); - if (show_if) return create_if_block_2$a; - if (show_if_1 == null) show_if_1 = !!htmlHintRules.some(func_1); - if (show_if_1) return create_if_block_3$3; - } - - let current_block_type = select_block_type_1(ctx, -1); - let if_block = current_block_type && current_block_type(ctx); - - const block = { - c: function create() { - div = element("div"); - if (if_block) if_block.c(); - t = space(); - attr_dev(div, "class", "ml-3"); - add_location(div, file$n, 83, 14, 2554); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - if (if_block) if_block.m(div, null); - append_dev(div, t); - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - - if (current_block_type === (current_block_type = select_block_type_1(ctx, dirty)) && if_block) { - if_block.p(ctx, dirty); - } else { - if (if_block) if_block.d(1); - if_block = current_block_type && current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(div, t); - } - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - - if (if_block) { - if_block.d(); - } - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$6.name, - type: "each", - source: "(83:12) {#each htmlRules.selectedRules.split(/[,]+/) as rule}", - ctx - }); - - return block; - } - - function create_fragment$n(ctx) { - let div9; - let t0; - let div8; - let div6; - let div0; - let t1; - let div4; - let div1; - let h20; - let span0; - let t3; - let linksummary; - let t4; - let div2; - let h21; - let span1; - let t6; - let codesummary; - let t7; - let t8; - let div3; - let h22; - let span2; - let t10; - let artillerysummary; - let t11; - let div5; - let t12; - let span3; - let t13; - let div7; - let span4; - let current; - - function select_block_type(ctx, dirty) { - if (/*val*/ ctx[2].finalEval == 'FAIL') return create_if_block_5$1; - if (/*val*/ ctx[2].finalEval == 'PASS') return create_if_block_6; - return create_else_block$f; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - - linksummary = new LinkSummary({ - props: { - value: /*val*/ ctx[2], - brokenLinks: /*brokenLinks*/ ctx[3].length - }, - $$inline: true - }); - - codesummary = new CodeSummary({ - props: { value: /*val*/ ctx[2] }, - $$inline: true - }); - - let if_block1 = /*val*/ ctx[2].performanceScore && create_if_block_4$1(ctx); - - artillerysummary = new ArtillerySummary({ - props: { value: /*val*/ ctx[2] }, - $$inline: true - }); - - let if_block2 = /*htmlRules*/ ctx[0] && create_if_block$h(ctx); - - const block = { - c: function create() { - div9 = element("div"); - if_block0.c(); - t0 = space(); - div8 = element("div"); - div6 = element("div"); - div0 = element("div"); - t1 = space(); - div4 = element("div"); - div1 = element("div"); - h20 = element("h2"); - span0 = element("span"); - span0.textContent = "LINKS"; - t3 = space(); - create_component(linksummary.$$.fragment); - t4 = space(); - div2 = element("div"); - h21 = element("h2"); - span1 = element("span"); - span1.textContent = "CODE"; - t6 = space(); - create_component(codesummary.$$.fragment); - t7 = space(); - if (if_block1) if_block1.c(); - t8 = space(); - div3 = element("div"); - h22 = element("h2"); - span2 = element("span"); - span2.textContent = "LOAD TEST"; - t10 = space(); - create_component(artillerysummary.$$.fragment); - t11 = space(); - div5 = element("div"); - t12 = space(); - span3 = element("span"); - if (if_block2) if_block2.c(); - t13 = space(); - div7 = element("div"); - span4 = element("span"); - span4.textContent = `Build Version: ${/*val*/ ctx[2].buildVersion}`; - add_location(div0, file$n, 44, 6, 1138); - attr_dev(span0, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span0, file$n, 47, 14, 1261); - attr_dev(h20, "class", "svelte-1fv0uxu"); - add_location(h20, file$n, 47, 10, 1257); - attr_dev(div1, "class", "md:row-span-1 text-sm my-2"); - add_location(div1, file$n, 46, 8, 1206); - attr_dev(span1, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span1, file$n, 52, 14, 1478); - attr_dev(h21, "class", "svelte-1fv0uxu"); - add_location(h21, file$n, 52, 10, 1474); - attr_dev(div2, "class", "md:row-span-1 text-sm my-2"); - add_location(div2, file$n, 51, 8, 1423); - attr_dev(span2, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span2, file$n, 67, 12, 1956); - attr_dev(h22, "class", "svelte-1fv0uxu"); - add_location(h22, file$n, 66, 10, 1939); - attr_dev(div3, "class", "md:row-span-1 text-sm my-2"); - add_location(div3, file$n, 65, 8, 1888); - attr_dev(div4, "class", "grid grid-rows-3 col-span-4"); - add_location(div4, file$n, 45, 6, 1156); - add_location(div5, file$n, 72, 6, 2114); - attr_dev(div6, "class", "grid grid-cols-6"); - add_location(div6, file$n, 43, 4, 1101); - attr_dev(span3, "class", "font-sans text-lg pt-2"); - add_location(span3, file$n, 75, 4, 2142); - attr_dev(span4, "class", "font-sans text-lg pt-2"); - add_location(span4, file$n, 106, 6, 3619); - attr_dev(div7, "class", "text-left"); - add_location(div7, file$n, 105, 4, 3589); - attr_dev(div8, "class", "px-6 py-2"); - add_location(div8, file$n, 42, 2, 1073); - attr_dev(div9, "class", "overflow-hidden shadow-lg my-5"); - add_location(div9, file$n, 33, 0, 828); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div9, anchor); - if_block0.m(div9, null); - append_dev(div9, t0); - append_dev(div9, div8); - append_dev(div8, div6); - append_dev(div6, div0); - append_dev(div6, t1); - append_dev(div6, div4); - append_dev(div4, div1); - append_dev(div1, h20); - append_dev(h20, span0); - append_dev(div1, t3); - mount_component(linksummary, div1, null); - append_dev(div4, t4); - append_dev(div4, div2); - append_dev(div2, h21); - append_dev(h21, span1); - append_dev(div2, t6); - mount_component(codesummary, div2, null); - append_dev(div4, t7); - if (if_block1) if_block1.m(div4, null); - append_dev(div4, t8); - append_dev(div4, div3); - append_dev(div3, h22); - append_dev(h22, span2); - append_dev(div3, t10); - mount_component(artillerysummary, div3, null); - append_dev(div6, t11); - append_dev(div6, div5); - append_dev(div8, t12); - append_dev(div8, span3); - if (if_block2) if_block2.m(span3, null); - append_dev(div8, t13); - append_dev(div8, div7); - append_dev(div7, span4); - current = true; - }, - p: function update(ctx, [dirty]) { - if (/*val*/ ctx[2].performanceScore) if_block1.p(ctx, dirty); - - if (/*htmlRules*/ ctx[0]) { - if (if_block2) { - if_block2.p(ctx, dirty); - } else { - if_block2 = create_if_block$h(ctx); - if_block2.c(); - if_block2.m(span3, null); - } - } else if (if_block2) { - if_block2.d(1); - if_block2 = null; - } - }, - i: function intro(local) { - if (current) return; - transition_in(linksummary.$$.fragment, local); - transition_in(codesummary.$$.fragment, local); - transition_in(if_block1); - transition_in(artillerysummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(linksummary.$$.fragment, local); - transition_out(codesummary.$$.fragment, local); - transition_out(if_block1); - transition_out(artillerysummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div9); - if_block0.d(); - destroy_component(linksummary); - destroy_component(codesummary); - if (if_block1) if_block1.d(); - destroy_component(artillerysummary); - if (if_block2) if_block2.d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$n.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$n($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HTMLHintDetailsCard', slots, []); - let { build = {} } = $$props; - let { htmlRules } = $$props; - let val = build.summary; - let brokenLinks = build.brokenLinks; - let isCollapsedRules = false; - - function handleClick() { - $$invalidate(1, isCollapsedRules = !isCollapsedRules); - } - - $$self.$$.on_mount.push(function () { - if (htmlRules === undefined && !('htmlRules' in $$props || $$self.$$.bound[$$self.$$.props['htmlRules']])) { - console.warn(" was created without expected prop 'htmlRules'"); - } - }); - - const writable_props = ['build', 'htmlRules']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const func = (rule, x) => x.rule === rule; - const func_1 = (rule, x) => x.rule === rule; - const func_2 = (rule, x) => x.rule === rule; - const func_3 = (rule, x) => x.rule === rule; - const func_4 = (rule, x) => x.rule === rule; - const func_5 = (rule, x) => x.rule === rule; - const func_6 = (rule, x) => x.rule === rule; - const func_7 = (rule, x) => x.rule === rule; - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(5, build = $$props.build); - if ('htmlRules' in $$props) $$invalidate(0, htmlRules = $$props.htmlRules); - }; - - $$self.$capture_state = () => ({ - LighthouseSummary, - CodeSummary, - LinkSummary, - ArtillerySummary, - htmlHintRules, - customHtmlHintRules, - build, - htmlRules, - val, - brokenLinks, - isCollapsedRules, - handleClick - }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(5, build = $$props.build); - if ('htmlRules' in $$props) $$invalidate(0, htmlRules = $$props.htmlRules); - if ('val' in $$props) $$invalidate(2, val = $$props.val); - if ('brokenLinks' in $$props) $$invalidate(3, brokenLinks = $$props.brokenLinks); - if ('isCollapsedRules' in $$props) $$invalidate(1, isCollapsedRules = $$props.isCollapsedRules); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - htmlRules, - isCollapsedRules, - val, - brokenLinks, - handleClick, - build, - func, - func_1, - func_2, - func_3, - func_4, - func_5, - func_6, - func_7 - ]; - } - - class HTMLHintDetailsCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$n, create_fragment$n, safe_not_equal, { build: 5, htmlRules: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HTMLHintDetailsCard", - options, - id: create_fragment$n.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get htmlRules() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set htmlRules(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/HtmlHints.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$4, console: console_1$2 } = globals; - const file$m = "src/containers/HtmlHints.svelte"; - - // (148:4) {:catch error} - function create_catch_block$4(ctx) { - let p; - let t_value = /*error*/ ctx[28].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - attr_dev(p, "class", "text-red-600 mx-auto text-2xl py-8"); - add_location(p, file$m, 148, 6, 4363); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block$4.name, - type: "catch", - source: "(148:4) {:catch error}", - ctx - }); - - return block; - } - - // (127:4) {:then data} - function create_then_block$4(ctx) { - let breadcrumbs; - let t0; - let br; - let t1; - let cardsummary; - let t2; - let htmlhintdetailscard; - let t3; - let tabs; - let t4; - let htmlerrorstable; - let current; - - breadcrumbs = new Breadcrumbs({ - props: { - build: /*data*/ ctx[27] ? /*data*/ ctx[27].summary : {}, - runId: /*currentRoute*/ ctx[0].namedParams.id, - displayMode: "Code Issues" - }, - $$inline: true - }); - - function htmlHintThreshold_handler() { - return /*htmlHintThreshold_handler*/ ctx[14](/*data*/ ctx[27]); - } - - cardsummary = new CardSummary({ - props: { - value: /*data*/ ctx[27].summary, - isHtmlHintComp: true - }, - $$inline: true - }); - - cardsummary.$on("htmlHintThreshold", htmlHintThreshold_handler); - - htmlhintdetailscard = new HTMLHintDetailsCard({ - props: { - htmlRules: /*htmlRules*/ ctx[7], - build: /*data*/ ctx[27] ? /*data*/ ctx[27] : {} - }, - $$inline: true - }); - - tabs = new Tabs({ - props: { - build: /*data*/ ctx[27] ? /*data*/ ctx[27] : {}, - displayMode: "code" - }, - $$inline: true - }); - - function download_handler() { - return /*download_handler*/ ctx[15](/*data*/ ctx[27]); - } - - htmlerrorstable = new HtmlErrorsTable({ - props: { - errors: /*data*/ ctx[27].htmlHint, - codeIssues: /*data*/ ctx[27].codeIssues, - currentRoute: /*currentRoute*/ ctx[0] - }, - $$inline: true - }); - - htmlerrorstable.$on("download", download_handler); - - const block = { - c: function create() { - create_component(breadcrumbs.$$.fragment); - t0 = space(); - br = element("br"); - t1 = space(); - create_component(cardsummary.$$.fragment); - t2 = space(); - create_component(htmlhintdetailscard.$$.fragment); - t3 = space(); - create_component(tabs.$$.fragment); - t4 = space(); - create_component(htmlerrorstable.$$.fragment); - add_location(br, file$m, 132, 4, 3876); - }, - m: function mount(target, anchor) { - mount_component(breadcrumbs, target, anchor); - insert_dev(target, t0, anchor); - insert_dev(target, br, anchor); - insert_dev(target, t1, anchor); - mount_component(cardsummary, target, anchor); - insert_dev(target, t2, anchor); - mount_component(htmlhintdetailscard, target, anchor); - insert_dev(target, t3, anchor); - mount_component(tabs, target, anchor); - insert_dev(target, t4, anchor); - mount_component(htmlerrorstable, target, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const breadcrumbs_changes = {}; - if (dirty & /*currentRoute*/ 1) breadcrumbs_changes.runId = /*currentRoute*/ ctx[0].namedParams.id; - breadcrumbs.$set(breadcrumbs_changes); - const htmlhintdetailscard_changes = {}; - if (dirty & /*htmlRules*/ 128) htmlhintdetailscard_changes.htmlRules = /*htmlRules*/ ctx[7]; - htmlhintdetailscard.$set(htmlhintdetailscard_changes); - const htmlerrorstable_changes = {}; - if (dirty & /*currentRoute*/ 1) htmlerrorstable_changes.currentRoute = /*currentRoute*/ ctx[0]; - htmlerrorstable.$set(htmlerrorstable_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(breadcrumbs.$$.fragment, local); - transition_in(cardsummary.$$.fragment, local); - transition_in(htmlhintdetailscard.$$.fragment, local); - transition_in(tabs.$$.fragment, local); - transition_in(htmlerrorstable.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(breadcrumbs.$$.fragment, local); - transition_out(cardsummary.$$.fragment, local); - transition_out(htmlhintdetailscard.$$.fragment, local); - transition_out(tabs.$$.fragment, local); - transition_out(htmlerrorstable.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(breadcrumbs, detaching); - if (detaching) detach_dev(t0); - if (detaching) detach_dev(br); - if (detaching) detach_dev(t1); - destroy_component(cardsummary, detaching); - if (detaching) detach_dev(t2); - destroy_component(htmlhintdetailscard, detaching); - if (detaching) detach_dev(t3); - destroy_component(tabs, detaching); - if (detaching) detach_dev(t4); - destroy_component(htmlerrorstable, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block$4.name, - type: "then", - source: "(127:4) {:then data}", - ctx - }); - - return block; - } - - // (125:20) {:then data} - function create_pending_block$4(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_pending_block$4.name, - type: "pending", - source: "(125:20) {:then data}", - ctx - }); - - return block; - } - - // (160:6) - function create_default_slot_1$a(ctx) { - let t; - - const block = { - c: function create() { - t = text("Sign in"); - }, - m: function mount(target, anchor) { - insert_dev(target, t, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$a.name, - type: "slot", - source: "(160:6) ", - ctx - }); - - return block; - } - - // (154:0) - function create_default_slot$a(ctx) { - let p0; - let t1; - let p1; - let span; - let navigate; - let current; - - navigate = new src_7({ - props: { - to: "/login", - $$slots: { default: [create_default_slot_1$a] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - p0 = element("p"); - p0.textContent = "Sign in to unlock this feature!"; - t1 = space(); - p1 = element("p"); - span = element("span"); - create_component(navigate.$$.fragment); - add_location(p0, file$m, 154, 2, 4528); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - add_location(span, file$m, 156, 4, 4598); - attr_dev(p1, "class", "text-sm pt-2"); - add_location(p1, file$m, 155, 2, 4569); - }, - m: function mount(target, anchor) { - insert_dev(target, p0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, p1, anchor); - append_dev(p1, span); - mount_component(navigate, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const navigate_changes = {}; - - if (dirty & /*$$scope*/ 536870912) { - navigate_changes.$$scope = { dirty, ctx }; - } - - navigate.$set(navigate_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(navigate.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(navigate.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(p1); - destroy_component(navigate); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$a.name, - type: "slot", - source: "(154:0) ", - ctx - }); - - return block; - } - - // (174:0) {:else} - function create_else_block$e(ctx) { - let updatehtmlrules; - let updating_show; - let current; - - function updatehtmlrules_show_binding_1(value) { - /*updatehtmlrules_show_binding_1*/ ctx[19](value); - } - - let updatehtmlrules_props = { - url: /*scanUrl*/ ctx[3], - loading: /*loadingHtmlHintSettings*/ ctx[6], - user: /*$userSession$*/ ctx[8], - htmlRules: null - }; - - if (/*htmlHintRulesShown*/ ctx[5] !== void 0) { - updatehtmlrules_props.show = /*htmlHintRulesShown*/ ctx[5]; - } - - updatehtmlrules = new UpdateHTMLRules({ - props: updatehtmlrules_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updatehtmlrules, 'show', updatehtmlrules_show_binding_1)); - updatehtmlrules.$on("updateHtmlRules", /*updateHtmlRules_handler_1*/ ctx[20]); - - const block = { - c: function create() { - create_component(updatehtmlrules.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(updatehtmlrules, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const updatehtmlrules_changes = {}; - if (dirty & /*scanUrl*/ 8) updatehtmlrules_changes.url = /*scanUrl*/ ctx[3]; - if (dirty & /*loadingHtmlHintSettings*/ 64) updatehtmlrules_changes.loading = /*loadingHtmlHintSettings*/ ctx[6]; - if (dirty & /*$userSession$*/ 256) updatehtmlrules_changes.user = /*$userSession$*/ ctx[8]; - - if (!updating_show && dirty & /*htmlHintRulesShown*/ 32) { - updating_show = true; - updatehtmlrules_changes.show = /*htmlHintRulesShown*/ ctx[5]; - add_flush_callback(() => updating_show = false); - } - - updatehtmlrules.$set(updatehtmlrules_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(updatehtmlrules.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(updatehtmlrules.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(updatehtmlrules, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$e.name, - type: "else", - source: "(174:0) {:else}", - ctx - }); - - return block; - } - - // (165:0) {#if !(Object.keys(threshold).length === 0)} - function create_if_block$g(ctx) { - let updatehtmlrules; - let updating_show; - let current; - - function updatehtmlrules_show_binding(value) { - /*updatehtmlrules_show_binding*/ ctx[17](value); - } - - let updatehtmlrules_props = { - url: /*scanUrl*/ ctx[3], - loading: /*loadingHtmlHintSettings*/ ctx[6], - user: /*$userSession$*/ ctx[8], - htmlRules: /*htmlRules*/ ctx[7], - threshold: /*threshold*/ ctx[4] - }; - - if (/*htmlHintRulesShown*/ ctx[5] !== void 0) { - updatehtmlrules_props.show = /*htmlHintRulesShown*/ ctx[5]; - } - - updatehtmlrules = new UpdateHTMLRules({ - props: updatehtmlrules_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updatehtmlrules, 'show', updatehtmlrules_show_binding)); - updatehtmlrules.$on("updateHtmlRules", /*updateHtmlRules_handler*/ ctx[18]); - - const block = { - c: function create() { - create_component(updatehtmlrules.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(updatehtmlrules, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const updatehtmlrules_changes = {}; - if (dirty & /*scanUrl*/ 8) updatehtmlrules_changes.url = /*scanUrl*/ ctx[3]; - if (dirty & /*loadingHtmlHintSettings*/ 64) updatehtmlrules_changes.loading = /*loadingHtmlHintSettings*/ ctx[6]; - if (dirty & /*$userSession$*/ 256) updatehtmlrules_changes.user = /*$userSession$*/ ctx[8]; - if (dirty & /*htmlRules*/ 128) updatehtmlrules_changes.htmlRules = /*htmlRules*/ ctx[7]; - if (dirty & /*threshold*/ 16) updatehtmlrules_changes.threshold = /*threshold*/ ctx[4]; - - if (!updating_show && dirty & /*htmlHintRulesShown*/ 32) { - updating_show = true; - updatehtmlrules_changes.show = /*htmlHintRulesShown*/ ctx[5]; - add_flush_callback(() => updating_show = false); - } - - updatehtmlrules.$set(updatehtmlrules_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(updatehtmlrules.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(updatehtmlrules.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(updatehtmlrules, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$g.name, - type: "if", - source: "(165:0) {#if !(Object.keys(threshold).length === 0)}", - ctx - }); - - return block; - } - - function create_fragment$m(ctx) { - let div1; - let div0; - let t0; - let toastr; - let updating_show; - let t1; - let show_if; - let current_block_type_index; - let if_block; - let t2; - let updateignoreurl; - let updating_show_1; - let current; - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block$4, - then: create_then_block$4, - catch: create_catch_block$4, - value: 27, - error: 28, - blocks: [,,,] - }; - - handle_promise(/*promise*/ ctx[9], info); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[16](value); - } - - let toastr_props = { - timeout: 10000, - mode: "warn", - $$slots: { default: [create_default_slot$a] }, - $$scope: { ctx } - }; - - if (/*userNotLoginToast*/ ctx[1] !== void 0) { - toastr_props.show = /*userNotLoginToast*/ ctx[1]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - const if_block_creators = [create_if_block$g, create_else_block$e]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (dirty & /*threshold*/ 16) show_if = null; - if (show_if == null) show_if = !!!(Object.keys(/*threshold*/ ctx[4]).length === 0); - if (show_if) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx, -1); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - function updateignoreurl_show_binding(value) { - /*updateignoreurl_show_binding*/ ctx[21](value); - } - - let updateignoreurl_props = { - url: /*urlToIgnore*/ ctx[10], - scanUrl: /*scanUrl*/ ctx[3], - user: /*$userSession$*/ ctx[8] - }; - - if (/*ignoreUrlShown*/ ctx[2] !== void 0) { - updateignoreurl_props.show = /*ignoreUrlShown*/ ctx[2]; - } - - updateignoreurl = new UpdateIgnoreUrl({ - props: updateignoreurl_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updateignoreurl, 'show', updateignoreurl_show_binding)); - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - info.block.c(); - t0 = space(); - create_component(toastr.$$.fragment); - t1 = space(); - if_block.c(); - t2 = space(); - create_component(updateignoreurl.$$.fragment); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 mb-6 flex flex-col pb-6"); - add_location(div0, file$m, 122, 2, 3608); - attr_dev(div1, "class", "container mx-auto"); - add_location(div1, file$m, 121, 0, 3574); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - info.block.m(div0, info.anchor = null); - info.mount = () => div0; - info.anchor = null; - insert_dev(target, t0, anchor); - mount_component(toastr, target, anchor); - insert_dev(target, t1, anchor); - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, t2, anchor); - mount_component(updateignoreurl, target, anchor); - current = true; - }, - p: function update(new_ctx, [dirty]) { - ctx = new_ctx; - update_await_block_branch(info, ctx, dirty); - const toastr_changes = {}; - - if (dirty & /*$$scope*/ 536870912) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*userNotLoginToast*/ 2) { - updating_show = true; - toastr_changes.show = /*userNotLoginToast*/ ctx[1]; - add_flush_callback(() => updating_show = false); - } - - toastr.$set(toastr_changes); - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx, dirty); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(t2.parentNode, t2); - } - - const updateignoreurl_changes = {}; - if (dirty & /*scanUrl*/ 8) updateignoreurl_changes.scanUrl = /*scanUrl*/ ctx[3]; - if (dirty & /*$userSession$*/ 256) updateignoreurl_changes.user = /*$userSession$*/ ctx[8]; - - if (!updating_show_1 && dirty & /*ignoreUrlShown*/ 4) { - updating_show_1 = true; - updateignoreurl_changes.show = /*ignoreUrlShown*/ ctx[2]; - add_flush_callback(() => updating_show_1 = false); - } - - updateignoreurl.$set(updateignoreurl_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - transition_in(toastr.$$.fragment, local); - transition_in(if_block); - transition_in(updateignoreurl.$$.fragment, local); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - transition_out(toastr.$$.fragment, local); - transition_out(if_block); - transition_out(updateignoreurl.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - info.block.d(); - info.token = null; - info = null; - if (detaching) detach_dev(t0); - destroy_component(toastr, detaching); - if (detaching) detach_dev(t1); - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(t2); - destroy_component(updateignoreurl, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$m.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$m($$self, $$props, $$invalidate) { - let $userSession$; - validate_store(userSession$, 'userSession$'); - component_subscribe($$self, userSession$, $$value => $$invalidate(8, $userSession$ = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HtmlHints', slots, []); - let { currentRoute } = $$props; - let runId = currentRoute.namedParams.id; - let promise = getHtmlHints(runId); - - async function getHtmlHints(id) { - const d = await fetch(`${CONSTS.BlobURL}/htmlhint/${id}.json`); - let htmlHint = await d.json(); - let summary = await getBuildDetails(id); - let codeIssues = []; - - if (summary.summary.codeIssues) { - const c = await fetch(`${CONSTS.BlobURL}/codeauditor/${id}.json`); - codeIssues = await c.json(); - } - - return { - htmlHint, - summary: summary.summary, - codeIssues, - brokenLinks: summary.brokenLinks - }; - } - - let userNotLoginToast; - let ignoreUrlShown; - let perfThresholdShown; - let urlToIgnore; - let scanUrl; - let lastBuild; - let loadingPerfSettings; - let threshold = {}; - let htmlHintRulesShown; - let loadingHtmlHintSettings; - - const onDownload = data => { - const csvExporter = new build_1({ useKeysAsHeaders: true }); - - const exportToflat = pipe( - map$1(pipe(x => { - let errors = []; - - Object.keys(x.errors).forEach(e => { - errors.push({ - url: x.url, - issue: e, - level: HTMLERRORS.indexOf(e) >= 0 ? "error" : "warning", - locations: x.errors[e].join(" "), - ruleUrl: "https://htmlhint.com/docs/user-guide/rules/" + e - }); - }); - - return errors; - })), - flatten$1 - ); - - csvExporter.generateCsv(exportToflat(data.htmlHint)); - }; - - const showHtmlHintThreshold = async (summary, user) => { - if (!user) { - $$invalidate(1, userNotLoginToast = true); - return; - } - - $$invalidate(3, scanUrl = summary.url); - lastBuild = summary; - $$invalidate(5, htmlHintRulesShown = true); - $$invalidate(6, loadingHtmlHintSettings = true); - - try { - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/htmlhintrules/${slug(scanUrl)}`); - const result = await res.json(); - $$invalidate(4, threshold = result || {}); - } catch(error) { - console.error("error getting threshold", error); - $$invalidate(4, threshold = {}); - } finally { - $$invalidate(6, loadingHtmlHintSettings = false); - } - }; - - let htmlRules; - - const getSelectedHtmlRules = async () => { - await promise.then(data => { - userSession$.subscribe(async x => { - const res = await fetch(`${CONSTS.API}/api/config/htmlhintrulesbyrunid/${runId}`); - $$invalidate(7, htmlRules = await res.json()); - }); - }); - }; - - onMount(() => { - getSelectedHtmlRules(); - }); - - $$self.$$.on_mount.push(function () { - if (currentRoute === undefined && !('currentRoute' in $$props || $$self.$$.bound[$$self.$$.props['currentRoute']])) { - console_1$2.warn(" was created without expected prop 'currentRoute'"); - } - }); - - const writable_props = ['currentRoute']; - - Object_1$4.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console_1$2.warn(` was created with unknown prop '${key}'`); - }); - - const htmlHintThreshold_handler = data => showHtmlHintThreshold(data.summary, $userSession$); - const download_handler = data => onDownload(data); - - function toastr_show_binding(value) { - userNotLoginToast = value; - $$invalidate(1, userNotLoginToast); - } - - function updatehtmlrules_show_binding(value) { - htmlHintRulesShown = value; - $$invalidate(5, htmlHintRulesShown); - } - - const updateHtmlRules_handler = () => getSelectedHtmlRules(); - - function updatehtmlrules_show_binding_1(value) { - htmlHintRulesShown = value; - $$invalidate(5, htmlHintRulesShown); - } - - const updateHtmlRules_handler_1 = () => getSelectedHtmlRules(); - - function updateignoreurl_show_binding(value) { - ignoreUrlShown = value; - $$invalidate(2, ignoreUrlShown); - } - - $$self.$$set = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - }; - - $$self.$capture_state = () => ({ - getBuildDetails, - userApi, - userSession$, - getIgnoreList, - Tabs, - pipe, - map: map$1, - flatten: flatten$1, - HtmlErrorsTable, - Breadcrumbs, - Toastr, - CONSTS, - HTMLERRORS, - ExportToCsv: build_1, - Navigate: src_7, - LoadingFlat, - UpdateIgnoreUrl, - CardSummary, - UpdateHtmlRules: UpdateHTMLRules, - HtmlHintDetailsCard: HTMLHintDetailsCard, - slug, - onMount, - currentRoute, - runId, - promise, - getHtmlHints, - userNotLoginToast, - ignoreUrlShown, - perfThresholdShown, - urlToIgnore, - scanUrl, - lastBuild, - loadingPerfSettings, - threshold, - htmlHintRulesShown, - loadingHtmlHintSettings, - onDownload, - showHtmlHintThreshold, - htmlRules, - getSelectedHtmlRules, - $userSession$ - }); - - $$self.$inject_state = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - if ('runId' in $$props) runId = $$props.runId; - if ('promise' in $$props) $$invalidate(9, promise = $$props.promise); - if ('userNotLoginToast' in $$props) $$invalidate(1, userNotLoginToast = $$props.userNotLoginToast); - if ('ignoreUrlShown' in $$props) $$invalidate(2, ignoreUrlShown = $$props.ignoreUrlShown); - if ('perfThresholdShown' in $$props) perfThresholdShown = $$props.perfThresholdShown; - if ('urlToIgnore' in $$props) $$invalidate(10, urlToIgnore = $$props.urlToIgnore); - if ('scanUrl' in $$props) $$invalidate(3, scanUrl = $$props.scanUrl); - if ('lastBuild' in $$props) lastBuild = $$props.lastBuild; - if ('loadingPerfSettings' in $$props) loadingPerfSettings = $$props.loadingPerfSettings; - if ('threshold' in $$props) $$invalidate(4, threshold = $$props.threshold); - if ('htmlHintRulesShown' in $$props) $$invalidate(5, htmlHintRulesShown = $$props.htmlHintRulesShown); - if ('loadingHtmlHintSettings' in $$props) $$invalidate(6, loadingHtmlHintSettings = $$props.loadingHtmlHintSettings); - if ('htmlRules' in $$props) $$invalidate(7, htmlRules = $$props.htmlRules); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - currentRoute, - userNotLoginToast, - ignoreUrlShown, - scanUrl, - threshold, - htmlHintRulesShown, - loadingHtmlHintSettings, - htmlRules, - $userSession$, - promise, - urlToIgnore, - onDownload, - showHtmlHintThreshold, - getSelectedHtmlRules, - htmlHintThreshold_handler, - download_handler, - toastr_show_binding, - updatehtmlrules_show_binding, - updateHtmlRules_handler, - updatehtmlrules_show_binding_1, - updateHtmlRules_handler_1, - updateignoreurl_show_binding - ]; - } - - class HtmlHints extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$m, create_fragment$m, safe_not_equal, { currentRoute: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HtmlHints", - options, - id: create_fragment$m.name - }); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/linkauditorcomponents/DetailsByDest.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$3 } = globals; - const file$l = "src/components/linkauditorcomponents/DetailsByDest.svelte"; - - function get_each_context$5(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[10] = list[i]; - return child_ctx; - } - - function get_each_context_1$3(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[13] = list[i]; - return child_ctx; - } - - // (37:8) {:else} - function create_else_block_1$4(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$l, 37, 10, 1124); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$4.name, - type: "else", - source: "(37:8) {:else}", - ctx - }); - - return block; - } - - // (35:8) {#if !hiddenRows[url]} - function create_if_block_2$9(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$l, 35, 10, 1070); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$9.name, - type: "if", - source: "(35:8) {#if !hiddenRows[url]}", - ctx - }); - - return block; - } - - // (32:6) hideShow(url)}> - function create_default_slot_2$6(ctx) { - let if_block_anchor; - - function select_block_type(ctx, dirty) { - if (!/*hiddenRows*/ ctx[3][/*url*/ ctx[10]]) return create_if_block_2$9; - return create_else_block_1$4; - } - - let current_block_type = select_block_type(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$6.name, - type: "slot", - source: "(32:6) hideShow(url)}>", - ctx - }); - - return block; - } - - // (56:4) {:else} - function create_else_block$d(ctx) { - let button; - let icon; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - $$slots: { default: [create_default_slot_1$9] }, - $$scope: { ctx } - }, - $$inline: true - }); - - function click_handler_1() { - return /*click_handler_1*/ ctx[8](/*url*/ ctx[10]); - } - - const block = { - c: function create() { - button = element("button"); - create_component(icon.$$.fragment); - attr_dev(button, "title", "Ignore this broken link in the next scan"); - attr_dev(button, "class", "hover:bg-gray-400 rounded inline-flex align-middle mr-3"); - add_location(button, file$l, 56, 6, 1760); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - mount_component(icon, button, null); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", click_handler_1, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - destroy_component(icon); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$d.name, - type: "else", - source: "(56:4) {:else}", - ctx - }); - - return block; - } - - // (47:4) {#if isInIgnored(url, ignoredPatterns)} - function create_if_block_1$b(ctx) { - let span; - let icon; - let current; - - icon = new Icon({ - props: { - cssClass: "text-red-600 inline-block", - $$slots: { default: [create_default_slot$9] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - span = element("span"); - create_component(icon.$$.fragment); - attr_dev(span, "title", "This is URL is in the ignored lists. Go to Settings to remove it"); - add_location(span, file$l, 47, 6, 1430); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - mount_component(icon, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - destroy_component(icon); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$b.name, - type: "if", - source: "(47:4) {#if isInIgnored(url, ignoredPatterns)}", - ctx - }); - - return block; - } - - // (61:8) - function create_default_slot_1$9(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0 015.636\n 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$l, 61, 10, 1960); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$9.name, - type: "slot", - source: "(61:8) ", - ctx - }); - - return block; - } - - // (50:8) - function create_default_slot$9(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0 015.636\n 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$l, 50, 10, 1580); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$9.name, - type: "slot", - source: "(50:8) ", - ctx - }); - - return block; - } - - // (71:2) {#if !hiddenRows[url]} - function create_if_block$f(ctx) { - let table; - let thead; - let tr; - let th0; - let t0; - let t1_value = /*destinations*/ ctx[0][/*url*/ ctx[10]].length + ""; - let t1; - let t2; - let t3; - let th1; - let t5; - let tbody; - let t6; - let table_intro; - let table_outro; - let current; - let each_value_1 = /*destinations*/ ctx[0][/*url*/ ctx[10]]; - validate_each_argument(each_value_1); - let each_blocks = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks[i] = create_each_block_1$3(get_each_context_1$3(ctx, each_value_1, i)); - } - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - t0 = text("Found on Page ("); - t1 = text(t1_value); - t2 = text(")"); - t3 = space(); - th1 = element("th"); - th1.textContent = "Anchor Text"; - t5 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t6 = space(); - attr_dev(th0, "class", "w-6/12 px-4 py-2"); - add_location(th0, file$l, 77, 10, 2357); - attr_dev(th1, "class", "w-6/12 px-4 py-2"); - add_location(th1, file$l, 80, 10, 2468); - add_location(tr, file$l, 76, 8, 2342); - add_location(thead, file$l, 75, 6, 2326); - add_location(tbody, file$l, 83, 6, 2549); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$l, 71, 4, 2174); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(th0, t0); - append_dev(th0, t1); - append_dev(th0, t2); - append_dev(tr, t3); - append_dev(tr, th1); - append_dev(table, t5); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - append_dev(table, t6); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*destinations, destinationsKeys*/ 3) && t1_value !== (t1_value = /*destinations*/ ctx[0][/*url*/ ctx[10]].length + "")) set_data_dev(t1, t1_value); - - if (dirty & /*destinations, destinationsKeys*/ 3) { - each_value_1 = /*destinations*/ ctx[0][/*url*/ ctx[10]]; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$3(ctx, each_value_1, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block_1$3(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(tbody, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value_1.length; - } - }, - i: function intro(local) { - if (current) return; - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$f.name, - type: "if", - source: "(71:2) {#if !hiddenRows[url]}", - ctx - }); - - return block; - } - - // (85:8) {#each destinations[url] as val} - function create_each_block_1$3(ctx) { - let tr; - let td0; - let a; - let t0_value = /*val*/ ctx[13].src + ""; - let t0; - let a_href_value; - let t1; - let td1; - let t2_value = (/*val*/ ctx[13].link || '') + ""; - let t2; - let t3; - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - a = element("a"); - t0 = text(t0_value); - t1 = space(); - td1 = element("td"); - t2 = text(t2_value); - t3 = space(); - attr_dev(a, "class", "link inline-block align-baseline link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*val*/ ctx[13].src); - add_location(a, file$l, 87, 14, 2686); - attr_dev(td0, "class", "w-6/12 border px-4 py-2 break-all"); - add_location(td0, file$l, 86, 12, 2625); - attr_dev(td1, "class", "w-6/12 border px-4 py-2 break-all"); - add_location(td1, file$l, 94, 12, 2890); - add_location(tr, file$l, 85, 10, 2608); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, a); - append_dev(a, t0); - append_dev(tr, t1); - append_dev(tr, td1); - append_dev(td1, t2); - append_dev(tr, t3); - }, - p: function update(ctx, dirty) { - if (dirty & /*destinations, destinationsKeys*/ 3 && t0_value !== (t0_value = /*val*/ ctx[13].src + "")) set_data_dev(t0, t0_value); - - if (dirty & /*destinations, destinationsKeys*/ 3 && a_href_value !== (a_href_value = /*val*/ ctx[13].src)) { - attr_dev(a, "href", a_href_value); - } - - if (dirty & /*destinations, destinationsKeys*/ 3 && t2_value !== (t2_value = (/*val*/ ctx[13].link || '') + "")) set_data_dev(t2, t2_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$3.name, - type: "each", - source: "(85:8) {#each destinations[url] as val}", - ctx - }); - - return block; - } - - // (29:0) {#each destinationsKeys as url} - function create_each_block$5(ctx) { - let div; - let span; - let icon; - let t0; - let t1_value = /*destinations*/ ctx[0][/*url*/ ctx[10]][0].statusmsg + ""; - let t1; - let t2; - let t3_value = (/*destinations*/ ctx[0][/*url*/ ctx[10]][0].statuscode || 0) + ""; - let t3; - let t4; - let t5; - let a; - let t6_value = /*url*/ ctx[10] + ""; - let t6; - let a_href_value; - let t7; - let show_if; - let current_block_type_index; - let if_block0; - let t8; - let if_block1_anchor; - let current; - - function click_handler() { - return /*click_handler*/ ctx[7](/*url*/ ctx[10]); - } - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot_2$6] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", click_handler); - const if_block_creators = [create_if_block_1$b, create_else_block$d]; - const if_blocks = []; - - function select_block_type_1(ctx, dirty) { - if (dirty & /*destinationsKeys, ignoredPatterns*/ 6) show_if = null; - if (show_if == null) show_if = !!isInIgnored(/*url*/ ctx[10], /*ignoredPatterns*/ ctx[2]); - if (show_if) return 0; - return 1; - } - - current_block_type_index = select_block_type_1(ctx, -1); - if_block0 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - let if_block1 = !/*hiddenRows*/ ctx[3][/*url*/ ctx[10]] && create_if_block$f(ctx); - - const block = { - c: function create() { - div = element("div"); - span = element("span"); - create_component(icon.$$.fragment); - t0 = space(); - t1 = text(t1_value); - t2 = text(" ("); - t3 = text(t3_value); - t4 = text(")\n :"); - t5 = space(); - a = element("a"); - t6 = text(t6_value); - t7 = space(); - if_block0.c(); - t8 = space(); - if (if_block1) if_block1.c(); - if_block1_anchor = empty(); - attr_dev(span, "class", "font-bold mr-2"); - add_location(span, file$l, 30, 4, 900); - attr_dev(a, "class", "mr-2 inline-block align-baseline link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*url*/ ctx[10]); - add_location(a, file$l, 43, 4, 1282); - attr_dev(div, "class", "mb-3"); - add_location(div, file$l, 29, 2, 877); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span); - mount_component(icon, span, null); - append_dev(span, t0); - append_dev(span, t1); - append_dev(span, t2); - append_dev(span, t3); - append_dev(span, t4); - append_dev(div, t5); - append_dev(div, a); - append_dev(a, t6); - append_dev(div, t7); - if_blocks[current_block_type_index].m(div, null); - insert_dev(target, t8, anchor); - if (if_block1) if_block1.m(target, anchor); - insert_dev(target, if_block1_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows, destinationsKeys*/ 65546) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - if ((!current || dirty & /*destinations, destinationsKeys*/ 3) && t1_value !== (t1_value = /*destinations*/ ctx[0][/*url*/ ctx[10]][0].statusmsg + "")) set_data_dev(t1, t1_value); - if ((!current || dirty & /*destinations, destinationsKeys*/ 3) && t3_value !== (t3_value = (/*destinations*/ ctx[0][/*url*/ ctx[10]][0].statuscode || 0) + "")) set_data_dev(t3, t3_value); - if ((!current || dirty & /*destinationsKeys*/ 2) && t6_value !== (t6_value = /*url*/ ctx[10] + "")) set_data_dev(t6, t6_value); - - if (!current || dirty & /*destinationsKeys*/ 2 && a_href_value !== (a_href_value = /*url*/ ctx[10])) { - attr_dev(a, "href", a_href_value); - } - - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_1(ctx, dirty); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block0 = if_blocks[current_block_type_index]; - - if (!if_block0) { - if_block0 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block0.c(); - } else { - if_block0.p(ctx, dirty); - } - - transition_in(if_block0, 1); - if_block0.m(div, null); - } - - if (!/*hiddenRows*/ ctx[3][/*url*/ ctx[10]]) { - if (if_block1) { - if_block1.p(ctx, dirty); - - if (dirty & /*hiddenRows, destinationsKeys*/ 10) { - transition_in(if_block1, 1); - } - } else { - if_block1 = create_if_block$f(ctx); - if_block1.c(); - transition_in(if_block1, 1); - if_block1.m(if_block1_anchor.parentNode, if_block1_anchor); - } - } else if (if_block1) { - group_outros(); - - transition_out(if_block1, 1, 1, () => { - if_block1 = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block0); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block0); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon); - if_blocks[current_block_type_index].d(); - if (detaching) detach_dev(t8); - if (if_block1) if_block1.d(detaching); - if (detaching) detach_dev(if_block1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$5.name, - type: "each", - source: "(29:0) {#each destinationsKeys as url}", - ctx - }); - - return block; - } - - function create_fragment$l(ctx) { - let each_1_anchor; - let current; - let each_value = /*destinationsKeys*/ ctx[1]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$5(get_each_context$5(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*destinations, destinationsKeys, hiddenRows, isInIgnored, ignoredPatterns, ignore, hideShow*/ 63) { - each_value = /*destinationsKeys*/ ctx[1]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$5(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$5(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$l.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$l($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('DetailsByDest', slots, []); - const dispatch = createEventDispatcher(); - let { builds = [] } = $$props; - const ignore = url => dispatch("ignore", url); - let destinations; - let destinationsKeys = []; - let ignoredPatterns = []; - ignoredUrls$.subscribe(x => $$invalidate(2, ignoredPatterns = x)); - let hiddenRows = {}; - const hideShow = key => $$invalidate(3, hiddenRows[key] = key in hiddenRows ? !hiddenRows[key] : true, hiddenRows); - const writable_props = ['builds']; - - Object_1$3.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = url => hideShow(url); - const click_handler_1 = url => ignore(url); - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - }; - - $$self.$capture_state = () => ({ - fade, - fly, - Icon, - groupBy: groupBy$1, - props: props$1, - ignoredUrls$, - deleteIgnoreUrl, - isInIgnored, - createEventDispatcher, - dispatch, - builds, - ignore, - destinations, - destinationsKeys, - ignoredPatterns, - hiddenRows, - hideShow - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - if ('destinations' in $$props) $$invalidate(0, destinations = $$props.destinations); - if ('destinationsKeys' in $$props) $$invalidate(1, destinationsKeys = $$props.destinationsKeys); - if ('ignoredPatterns' in $$props) $$invalidate(2, ignoredPatterns = $$props.ignoredPatterns); - if ('hiddenRows' in $$props) $$invalidate(3, hiddenRows = $$props.hiddenRows); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*builds, destinations*/ 65) { - if (builds.length > 0) { - $$invalidate(0, destinations = groupBy$1(props$1(["dst"]))(builds)); - $$invalidate(1, destinationsKeys = Object.keys(destinations)); - } - } - }; - - return [ - destinations, - destinationsKeys, - ignoredPatterns, - hiddenRows, - ignore, - hideShow, - builds, - click_handler, - click_handler_1 - ]; - } - - class DetailsByDest extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$l, create_fragment$l, safe_not_equal, { builds: 6 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "DetailsByDest", - options, - id: create_fragment$l.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/linkauditorcomponents/DetailsBySource.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$2 } = globals; - const file$k = "src/components/linkauditorcomponents/DetailsBySource.svelte"; - - function get_each_context$4(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[10] = list[i]; - return child_ctx; - } - - function get_each_context_1$2(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[13] = list[i]; - return child_ctx; - } - - // (45:8) {:else} - function create_else_block_1$3(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$k, 45, 10, 1194); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$3.name, - type: "else", - source: "(45:8) {:else}", - ctx - }); - - return block; - } - - // (43:8) {#if !hiddenRows[url]} - function create_if_block_2$8(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$k, 43, 10, 1140); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$8.name, - type: "if", - source: "(43:8) {#if !hiddenRows[url]}", - ctx - }); - - return block; - } - - // (40:6) hideShow(url)} cssClass="inline-block cursor-pointer"> - function create_default_slot_2$5(ctx) { - let if_block_anchor; - - function select_block_type(ctx, dirty) { - if (!/*hiddenRows*/ ctx[3][/*url*/ ctx[10]]) return create_if_block_2$8; - return create_else_block_1$3; - } - - let current_block_type = select_block_type(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$5.name, - type: "slot", - source: "(40:6) hideShow(url)} cssClass=\\\"inline-block cursor-pointer\\\">", - ctx - }); - - return block; - } - - // (55:2) {#if !hiddenRows[url]} - function create_if_block$e(ctx) { - let table; - let thead; - let tr; - let th0; - let t0; - let t1_value = /*sources*/ ctx[0][/*url*/ ctx[10]].length + ""; - let t1; - let t2; - let t3; - let th1; - let t5; - let th2; - let t7; - let th3; - let t9; - let tbody; - let t10; - let table_intro; - let table_outro; - let current; - let each_value_1 = /*sources*/ ctx[0][/*url*/ ctx[10]]; - validate_each_argument(each_value_1); - let each_blocks = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks[i] = create_each_block_1$2(get_each_context_1$2(ctx, each_value_1, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - t0 = text("Broken Link ("); - t1 = text(t1_value); - t2 = text(")"); - t3 = space(); - th1 = element("th"); - th1.textContent = "Anchor Text"; - t5 = space(); - th2 = element("th"); - th2.textContent = "Status"; - t7 = space(); - th3 = element("th"); - th3.textContent = "Message"; - t9 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t10 = space(); - attr_dev(th0, "class", "w-6/12 px-4 py-2"); - add_location(th0, file$k, 61, 10, 1601); - attr_dev(th1, "class", "hidden md:table-cell w-3/12 px-4 py-2"); - add_location(th1, file$k, 62, 10, 1681); - attr_dev(th2, "class", "w-1/12 px-4 py-2 text-right"); - add_location(th2, file$k, 63, 10, 1758); - attr_dev(th3, "class", "hidden md:table-cell w-2/12 px-4 py-2 text-right"); - add_location(th3, file$k, 64, 10, 1820); - add_location(tr, file$k, 60, 8, 1586); - add_location(thead, file$k, 59, 6, 1570); - add_location(tbody, file$k, 67, 6, 1929); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$k, 55, 4, 1418); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(th0, t0); - append_dev(th0, t1); - append_dev(th0, t2); - append_dev(tr, t3); - append_dev(tr, th1); - append_dev(tr, t5); - append_dev(tr, th2); - append_dev(tr, t7); - append_dev(tr, th3); - append_dev(table, t9); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - append_dev(table, t10); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*sources, sourcesKeys*/ 3) && t1_value !== (t1_value = /*sources*/ ctx[0][/*url*/ ctx[10]].length + "")) set_data_dev(t1, t1_value); - - if (dirty & /*sources, sourcesKeys, isInIgnored, ignoredPatterns, ignore*/ 23) { - each_value_1 = /*sources*/ ctx[0][/*url*/ ctx[10]]; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$2(ctx, each_value_1, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block_1$2(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(tbody, null); - } - } - - group_outros(); - - for (i = each_value_1.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value_1.length; i += 1) { - transition_in(each_blocks[i]); - } - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$e.name, - type: "if", - source: "(55:2) {#if !hiddenRows[url]}", - ctx - }); - - return block; - } - - // (83:14) {:else} - function create_else_block$c(ctx) { - let button; - let icon; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - $$slots: { default: [create_default_slot_1$8] }, - $$scope: { ctx } - }, - $$inline: true - }); - - function click_handler_1() { - return /*click_handler_1*/ ctx[8](/*val*/ ctx[13]); - } - - const block = { - c: function create() { - button = element("button"); - create_component(icon.$$.fragment); - attr_dev(button, "title", "Ignore this broken link in the next scan"); - attr_dev(button, "class", "hover:bg-gray-400 rounded inline-flex align-middle mr-3"); - add_location(button, file$k, 83, 16, 2587); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - mount_component(icon, button, null); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", click_handler_1, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - destroy_component(icon); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$c.name, - type: "else", - source: "(83:14) {:else}", - ctx - }); - - return block; - } - - // (72:14) {#if isInIgnored(val.dst, ignoredPatterns)} - function create_if_block_1$a(ctx) { - let span; - let icon; - let current; - - icon = new Icon({ - props: { - $$slots: { default: [create_default_slot$8] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - span = element("span"); - create_component(icon.$$.fragment); - attr_dev(span, "class", "text-red-600 inline-block align-middle"); - attr_dev(span, "title", "This is URL is in the ignored lists. Go to Settings to\n remove it"); - add_location(span, file$k, 72, 16, 2121); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - mount_component(icon, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - destroy_component(icon); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$a.name, - type: "if", - source: "(72:14) {#if isInIgnored(val.dst, ignoredPatterns)}", - ctx - }); - - return block; - } - - // (88:18) - function create_default_slot_1$8(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0\n 015.636 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$k, 88, 20, 2841); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$8.name, - type: "slot", - source: "(88:18) ", - ctx - }); - - return block; - } - - // (77:18) - function create_default_slot$8(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0\n 015.636 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$k, 77, 20, 2347); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$8.name, - type: "slot", - source: "(77:18) ", - ctx - }); - - return block; - } - - // (69:8) {#each sources[url] as val} - function create_each_block_1$2(ctx) { - let tr; - let td0; - let show_if; - let current_block_type_index; - let if_block; - let t0; - let a; - - let t1_value = (/*val*/ ctx[13].dst.length < 70 - ? /*val*/ ctx[13].dst - : /*val*/ ctx[13].dst.substring(0, 70) + '...') + ""; - - let t1; - let a_href_value; - let t2; - let td1; - let t3_value = (/*val*/ ctx[13].link || '') + ""; - let t3; - let t4; - let td2; - let t5_value = (/*val*/ ctx[13].statuscode || '0') + ""; - let t5; - let t6; - let td3; - let t7_value = (/*val*/ ctx[13].statusmsg || '') + ""; - let t7; - let t8; - let current; - const if_block_creators = [create_if_block_1$a, create_else_block$c]; - const if_blocks = []; - - function select_block_type_1(ctx, dirty) { - if (dirty & /*sources, sourcesKeys, ignoredPatterns*/ 7) show_if = null; - if (show_if == null) show_if = !!isInIgnored(/*val*/ ctx[13].dst, /*ignoredPatterns*/ ctx[2]); - if (show_if) return 0; - return 1; - } - - current_block_type_index = select_block_type_1(ctx, -1); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - if_block.c(); - t0 = space(); - a = element("a"); - t1 = text(t1_value); - t2 = space(); - td1 = element("td"); - t3 = text(t3_value); - t4 = space(); - td2 = element("td"); - t5 = text(t5_value); - t6 = space(); - td3 = element("td"); - t7 = text(t7_value); - t8 = space(); - attr_dev(a, "class", "inline-block align-baseline link md:truncate"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*val*/ ctx[13].dst); - add_location(a, file$k, 94, 14, 3079); - attr_dev(td0, "class", "w-6/12 border px-4 py-2 break-all"); - add_location(td0, file$k, 70, 12, 2000); - attr_dev(td1, "class", "hidden md:table-cell w-3/12 border px-4 py-2 break-all"); - add_location(td1, file$k, 102, 12, 3348); - attr_dev(td2, "class", "w-1/12 border px-4 py-2 text-right"); - add_location(td2, file$k, 103, 12, 3449); - attr_dev(td3, "class", "hidden md:table-cell w-2/12 border px-4 py-2 text-right"); - add_location(td3, file$k, 106, 12, 3565); - add_location(tr, file$k, 69, 10, 1983); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - if_blocks[current_block_type_index].m(td0, null); - append_dev(td0, t0); - append_dev(td0, a); - append_dev(a, t1); - append_dev(tr, t2); - append_dev(tr, td1); - append_dev(td1, t3); - append_dev(tr, t4); - append_dev(tr, td2); - append_dev(td2, t5); - append_dev(tr, t6); - append_dev(tr, td3); - append_dev(td3, t7); - append_dev(tr, t8); - current = true; - }, - p: function update(ctx, dirty) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_1(ctx, dirty); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(td0, t0); - } - - if ((!current || dirty & /*sources, sourcesKeys*/ 3) && t1_value !== (t1_value = (/*val*/ ctx[13].dst.length < 70 - ? /*val*/ ctx[13].dst - : /*val*/ ctx[13].dst.substring(0, 70) + '...') + "")) set_data_dev(t1, t1_value); - - if (!current || dirty & /*sources, sourcesKeys*/ 3 && a_href_value !== (a_href_value = /*val*/ ctx[13].dst)) { - attr_dev(a, "href", a_href_value); - } - - if ((!current || dirty & /*sources, sourcesKeys*/ 3) && t3_value !== (t3_value = (/*val*/ ctx[13].link || '') + "")) set_data_dev(t3, t3_value); - if ((!current || dirty & /*sources, sourcesKeys*/ 3) && t5_value !== (t5_value = (/*val*/ ctx[13].statuscode || '0') + "")) set_data_dev(t5, t5_value); - if ((!current || dirty & /*sources, sourcesKeys*/ 3) && t7_value !== (t7_value = (/*val*/ ctx[13].statusmsg || '') + "")) set_data_dev(t7, t7_value); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - if_blocks[current_block_type_index].d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$2.name, - type: "each", - source: "(69:8) {#each sources[url] as val}", - ctx - }); - - return block; - } - - // (37:0) {#each sourcesKeys as url} - function create_each_block$4(ctx) { - let div; - let span; - let icon; - let t0; - let t1; - let a; - let t2_value = /*url*/ ctx[10] + ""; - let t2; - let a_href_value; - let t3; - let if_block_anchor; - let current; - - function click_handler() { - return /*click_handler*/ ctx[7](/*url*/ ctx[10]); - } - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot_2$5] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", click_handler); - let if_block = !/*hiddenRows*/ ctx[3][/*url*/ ctx[10]] && create_if_block$e(ctx); - - const block = { - c: function create() { - div = element("div"); - span = element("span"); - create_component(icon.$$.fragment); - t0 = text("\n Broken links on:"); - t1 = space(); - a = element("a"); - t2 = text(t2_value); - t3 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(span, "class", "font-bold mr-2"); - add_location(span, file$k, 38, 4, 970); - attr_dev(a, "class", "inline-block align-baseline link"); - attr_dev(a, "target", "_blank"); - attr_dev(a, "href", a_href_value = /*url*/ ctx[10]); - add_location(a, file$k, 50, 4, 1287); - attr_dev(div, "class", "mb-3"); - add_location(div, file$k, 37, 2, 947); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span); - mount_component(icon, span, null); - append_dev(span, t0); - append_dev(div, t1); - append_dev(div, a); - append_dev(a, t2); - insert_dev(target, t3, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows, sourcesKeys*/ 65546) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - if ((!current || dirty & /*sourcesKeys*/ 2) && t2_value !== (t2_value = /*url*/ ctx[10] + "")) set_data_dev(t2, t2_value); - - if (!current || dirty & /*sourcesKeys*/ 2 && a_href_value !== (a_href_value = /*url*/ ctx[10])) { - attr_dev(a, "href", a_href_value); - } - - if (!/*hiddenRows*/ ctx[3][/*url*/ ctx[10]]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*hiddenRows, sourcesKeys*/ 10) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$e(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon); - if (detaching) detach_dev(t3); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$4.name, - type: "each", - source: "(37:0) {#each sourcesKeys as url}", - ctx - }); - - return block; - } - - function create_fragment$k(ctx) { - let each_1_anchor; - let current; - let each_value = /*sourcesKeys*/ ctx[1]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$4(get_each_context$4(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*sources, sourcesKeys, isInIgnored, ignoredPatterns, ignore, hiddenRows, hideShow*/ 63) { - each_value = /*sourcesKeys*/ ctx[1]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$4(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$4(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$k.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$k($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('DetailsBySource', slots, []); - let { builds = [] } = $$props; - const dispatch = createEventDispatcher(); - const ignore = url => dispatch("ignore", url); - let sources; - let sourcesKeys = []; - let ignoredPatterns = []; - ignoredUrls$.subscribe(x => $$invalidate(2, ignoredPatterns = x)); - let hiddenRows = {}; - const hideShow = key => $$invalidate(3, hiddenRows[key] = key in hiddenRows ? !hiddenRows[key] : true, hiddenRows); - const writable_props = ['builds']; - - Object_1$2.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = url => hideShow(url); - const click_handler_1 = val => ignore(val.dst); - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - }; - - $$self.$capture_state = () => ({ - groupBy: groupBy$1, - props: props$1, - isInIgnored, - fade, - fly, - ignoredUrls$, - createEventDispatcher, - Icon, - builds, - dispatch, - ignore, - sources, - sourcesKeys, - ignoredPatterns, - hiddenRows, - hideShow - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - if ('sources' in $$props) $$invalidate(0, sources = $$props.sources); - if ('sourcesKeys' in $$props) $$invalidate(1, sourcesKeys = $$props.sourcesKeys); - if ('ignoredPatterns' in $$props) $$invalidate(2, ignoredPatterns = $$props.ignoredPatterns); - if ('hiddenRows' in $$props) $$invalidate(3, hiddenRows = $$props.hiddenRows); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*builds, sources*/ 65) { - if (builds.length > 0) { - $$invalidate(0, sources = groupBy$1(props$1(["src"]))(builds)); - $$invalidate(1, sourcesKeys = Object.keys(sources)); - } - } - }; - - return [ - sources, - sourcesKeys, - ignoredPatterns, - hiddenRows, - ignore, - hideShow, - builds, - click_handler, - click_handler_1 - ]; - } - - class DetailsBySource extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$k, create_fragment$k, safe_not_equal, { builds: 6 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "DetailsBySource", - options, - id: create_fragment$k.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/linkauditorcomponents/DetailsByReason.svelte generated by Svelte v3.59.1 */ - - const { Object: Object_1$1 } = globals; - const file$j = "src/components/linkauditorcomponents/DetailsByReason.svelte"; - - function get_each_context$3(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[10] = list[i]; - return child_ctx; - } - - function get_each_context_1$1(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[13] = list[i]; - return child_ctx; - } - - // (35:8) {:else} - function create_else_block_1$2(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$j, 35, 10, 1090); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$2.name, - type: "else", - source: "(35:8) {:else}", - ctx - }); - - return block; - } - - // (33:8) {#if !hiddenRows[reason]} - function create_if_block_2$7(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$j, 33, 10, 1036); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$7.name, - type: "if", - source: "(33:8) {#if !hiddenRows[reason]}", - ctx - }); - - return block; - } - - // (30:6) hideShow(reason)}> - function create_default_slot_2$4(ctx) { - let if_block_anchor; - - function select_block_type(ctx, dirty) { - if (!/*hiddenRows*/ ctx[2][/*reason*/ ctx[10]]) return create_if_block_2$7; - return create_else_block_1$2; - } - - let current_block_type = select_block_type(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$4.name, - type: "slot", - source: "(30:6) hideShow(reason)}>", - ctx - }); - - return block; - } - - // (44:2) {#if !hiddenRows[reason]} - function create_if_block$d(ctx) { - let table; - let thead; - let tr; - let th0; - let t0; - let t1_value = /*reasons*/ ctx[0][/*reason*/ ctx[10]].length + ""; - let t1; - let t2; - let t3; - let th1; - let t5; - let th2; - let t7; - let th3; - let t9; - let tbody; - let t10; - let table_intro; - let table_outro; - let current; - let each_value_1 = /*reasons*/ ctx[0][/*reason*/ ctx[10]]; - validate_each_argument(each_value_1); - let each_blocks = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks[i] = create_each_block_1$1(get_each_context_1$1(ctx, each_value_1, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - t0 = text("Source ("); - t1 = text(t1_value); - t2 = text(")"); - t3 = space(); - th1 = element("th"); - th1.textContent = "Destination"; - t5 = space(); - th2 = element("th"); - th2.textContent = "Anchor Text"; - t7 = space(); - th3 = element("th"); - th3.textContent = "Status"; - t9 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - t10 = space(); - attr_dev(th0, "class", "w-4/12 px-4 py-2"); - add_location(th0, file$j, 50, 10, 1474); - attr_dev(th1, "class", "w-5/12 px-4 py-2"); - add_location(th1, file$j, 51, 10, 1552); - attr_dev(th2, "class", "w-2/12 px-4 py-2"); - add_location(th2, file$j, 52, 10, 1608); - attr_dev(th3, "class", "w-1/12 px-4 py-2 text-right"); - add_location(th3, file$j, 53, 10, 1664); - add_location(tr, file$j, 49, 8, 1459); - add_location(thead, file$j, 48, 6, 1443); - add_location(tbody, file$j, 56, 6, 1751); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$j, 44, 4, 1291); - }, - m: function mount(target, anchor) { - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(th0, t0); - append_dev(th0, t1); - append_dev(th0, t2); - append_dev(tr, t3); - append_dev(tr, th1); - append_dev(tr, t5); - append_dev(tr, th2); - append_dev(tr, t7); - append_dev(tr, th3); - append_dev(table, t9); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - append_dev(table, t10); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*reasons, reasonsKeys*/ 3) && t1_value !== (t1_value = /*reasons*/ ctx[0][/*reason*/ ctx[10]].length + "")) set_data_dev(t1, t1_value); - - if (dirty & /*reasons, reasonsKeys, isInIgnored, ignoredPatterns, ignore*/ 27) { - each_value_1 = /*reasons*/ ctx[0][/*reason*/ ctx[10]]; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1$1(ctx, each_value_1, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block_1$1(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(tbody, null); - } - } - - group_outros(); - - for (i = each_value_1.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value_1.length; i += 1) { - transition_in(each_blocks[i]); - } - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$d.name, - type: "if", - source: "(44:2) {#if !hiddenRows[reason]}", - ctx - }); - - return block; - } - - // (86:14) {:else} - function create_else_block$b(ctx) { - let button; - let icon; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - $$slots: { default: [create_default_slot_1$7] }, - $$scope: { ctx } - }, - $$inline: true - }); - - function click_handler_1() { - return /*click_handler_1*/ ctx[8](/*val*/ ctx[13]); - } - - const block = { - c: function create() { - button = element("button"); - create_component(icon.$$.fragment); - attr_dev(button, "title", "Ignore this broken link in the next scan"); - attr_dev(button, "class", "bg-gray-200 hover:bg-gray-400 rounded inline-flex align-middle mr-3"); - add_location(button, file$j, 86, 16, 2903); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - mount_component(icon, button, null); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", click_handler_1, false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - destroy_component(icon); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$b.name, - type: "else", - source: "(86:14) {:else}", - ctx - }); - - return block; - } - - // (75:14) {#if isInIgnored(val.dst, ignoredPatterns)} - function create_if_block_1$9(ctx) { - let span; - let icon; - let current; - - icon = new Icon({ - props: { - cssClass: "textred", - $$slots: { default: [create_default_slot$7] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - span = element("span"); - create_component(icon.$$.fragment); - attr_dev(span, "class", "inline-block align-middle"); - attr_dev(span, "title", "This is URL is in the ignored lists. Go to Settings to\n remove it"); - add_location(span, file$j, 75, 16, 2431); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - mount_component(icon, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon_changes = {}; - - if (dirty & /*$$scope*/ 65536) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - destroy_component(icon); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$9.name, - type: "if", - source: "(75:14) {#if isInIgnored(val.dst, ignoredPatterns)}", - ctx - }); - - return block; - } - - // (92:18) - function create_default_slot_1$7(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0\n 015.636 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$j, 92, 20, 3187); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$7.name, - type: "slot", - source: "(92:18) ", - ctx - }); - - return block; - } - - // (80:18) - function create_default_slot$7(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0\n 015.636 5.636m12.728 12.728L5.636 5.636"); - add_location(path, file$j, 80, 20, 2663); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$7.name, - type: "slot", - source: "(80:18) ", - ctx - }); - - return block; - } - - // (58:8) {#each reasons[reason] as val} - function create_each_block_1$1(ctx) { - let tr; - let td0; - let a0; - let t0_value = /*val*/ ctx[13].src + ""; - let t0; - let a0_href_value; - let t1; - let td1; - let a1; - - let t2_value = (/*val*/ ctx[13].dst.length < 70 - ? /*val*/ ctx[13].dst - : /*val*/ ctx[13].dst.substring(0, 70) + '...') + ""; - - let t2; - let a1_href_value; - let t3; - let show_if; - let current_block_type_index; - let if_block; - let t4; - let td2; - let t5_value = (/*val*/ ctx[13].link || '') + ""; - let t5; - let t6; - let td3; - let t7_value = (/*val*/ ctx[13].statuscode || '0') + ""; - let t7; - let t8; - let current; - const if_block_creators = [create_if_block_1$9, create_else_block$b]; - const if_blocks = []; - - function select_block_type_1(ctx, dirty) { - if (dirty & /*reasons, reasonsKeys, ignoredPatterns*/ 11) show_if = null; - if (show_if == null) show_if = !!isInIgnored(/*val*/ ctx[13].dst, /*ignoredPatterns*/ ctx[3]); - if (show_if) return 0; - return 1; - } - - current_block_type_index = select_block_type_1(ctx, -1); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - a0 = element("a"); - t0 = text(t0_value); - t1 = space(); - td1 = element("td"); - a1 = element("a"); - t2 = text(t2_value); - t3 = space(); - if_block.c(); - t4 = space(); - td2 = element("td"); - t5 = text(t5_value); - t6 = space(); - td3 = element("td"); - t7 = text(t7_value); - t8 = space(); - attr_dev(a0, "class", "inline-block align-baseline link"); - attr_dev(a0, "target", "_blank"); - attr_dev(a0, "href", a0_href_value = /*val*/ ctx[13].src); - add_location(a0, file$j, 60, 14, 1886); - attr_dev(td0, "class", "w-4/12 border px-4 py-2 break-all"); - add_location(td0, file$j, 59, 12, 1825); - attr_dev(a1, "class", "inline-block align-baseline"); - attr_dev(a1, "target", "_blank"); - attr_dev(a1, "href", a1_href_value = /*val*/ ctx[13].dst); - add_location(a1, file$j, 68, 14, 2136); - attr_dev(td1, "class", "w-5/12 border px-4 py-2"); - add_location(td1, file$j, 67, 12, 2085); - attr_dev(td2, "class", "w-2/12 border px-4 py-2 break-all"); - add_location(td2, file$j, 99, 12, 3441); - attr_dev(td3, "class", "w-1/12 border px-4 py-2 text-right"); - add_location(td3, file$j, 100, 12, 3521); - add_location(tr, file$j, 58, 10, 1808); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, a0); - append_dev(a0, t0); - append_dev(tr, t1); - append_dev(tr, td1); - append_dev(td1, a1); - append_dev(a1, t2); - append_dev(td1, t3); - if_blocks[current_block_type_index].m(td1, null); - append_dev(tr, t4); - append_dev(tr, td2); - append_dev(td2, t5); - append_dev(tr, t6); - append_dev(tr, td3); - append_dev(td3, t7); - append_dev(tr, t8); - current = true; - }, - p: function update(ctx, dirty) { - if ((!current || dirty & /*reasons, reasonsKeys*/ 3) && t0_value !== (t0_value = /*val*/ ctx[13].src + "")) set_data_dev(t0, t0_value); - - if (!current || dirty & /*reasons, reasonsKeys*/ 3 && a0_href_value !== (a0_href_value = /*val*/ ctx[13].src)) { - attr_dev(a0, "href", a0_href_value); - } - - if ((!current || dirty & /*reasons, reasonsKeys*/ 3) && t2_value !== (t2_value = (/*val*/ ctx[13].dst.length < 70 - ? /*val*/ ctx[13].dst - : /*val*/ ctx[13].dst.substring(0, 70) + '...') + "")) set_data_dev(t2, t2_value); - - if (!current || dirty & /*reasons, reasonsKeys*/ 3 && a1_href_value !== (a1_href_value = /*val*/ ctx[13].dst)) { - attr_dev(a1, "href", a1_href_value); - } - - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_1(ctx, dirty); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(td1, null); - } - - if ((!current || dirty & /*reasons, reasonsKeys*/ 3) && t5_value !== (t5_value = (/*val*/ ctx[13].link || '') + "")) set_data_dev(t5, t5_value); - if ((!current || dirty & /*reasons, reasonsKeys*/ 3) && t7_value !== (t7_value = (/*val*/ ctx[13].statuscode || '0') + "")) set_data_dev(t7, t7_value); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - if_blocks[current_block_type_index].d(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1$1.name, - type: "each", - source: "(58:8) {#each reasons[reason] as val}", - ctx - }); - - return block; - } - - // (27:0) {#each reasonsKeys as reason} - function create_each_block$3(ctx) { - let div; - let span0; - let icon; - let t0; - let t1; - let span1; - let t2_value = /*reason*/ ctx[10] + ""; - let t2; - let t3; - let if_block_anchor; - let current; - - function click_handler() { - return /*click_handler*/ ctx[7](/*reason*/ ctx[10]); - } - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot_2$4] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", click_handler); - let if_block = !/*hiddenRows*/ ctx[2][/*reason*/ ctx[10]] && create_if_block$d(ctx); - - const block = { - c: function create() { - div = element("div"); - span0 = element("span"); - create_component(icon.$$.fragment); - t0 = text("\n Failure reason:"); - t1 = space(); - span1 = element("span"); - t2 = text(t2_value); - t3 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(span0, "class", "font-bold mr-2"); - add_location(span0, file$j, 28, 4, 860); - attr_dev(span1, "class", "inline-block align-baseline textgrey"); - add_location(span1, file$j, 40, 4, 1182); - attr_dev(div, "class", "mb-3"); - add_location(div, file$j, 27, 2, 837); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, span0); - mount_component(icon, span0, null); - append_dev(span0, t0); - append_dev(div, t1); - append_dev(div, span1); - append_dev(span1, t2); - insert_dev(target, t3, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows, reasonsKeys*/ 65542) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - if ((!current || dirty & /*reasonsKeys*/ 2) && t2_value !== (t2_value = /*reason*/ ctx[10] + "")) set_data_dev(t2, t2_value); - - if (!/*hiddenRows*/ ctx[2][/*reason*/ ctx[10]]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*hiddenRows, reasonsKeys*/ 6) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$d(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon); - if (detaching) detach_dev(t3); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$3.name, - type: "each", - source: "(27:0) {#each reasonsKeys as reason}", - ctx - }); - - return block; - } - - function create_fragment$j(ctx) { - let each_1_anchor; - let current; - let each_value = /*reasonsKeys*/ ctx[1]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$3(get_each_context$3(ctx, each_value, i)); - } - - const out = i => transition_out(each_blocks[i], 1, 1, () => { - each_blocks[i] = null; - }); - - const block = { - c: function create() { - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - each_1_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(target, anchor); - } - } - - insert_dev(target, each_1_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - if (dirty & /*reasons, reasonsKeys, isInIgnored, ignoredPatterns, ignore, hiddenRows, hideShow*/ 63) { - each_value = /*reasonsKeys*/ ctx[1]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$3(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - transition_in(each_blocks[i], 1); - } else { - each_blocks[i] = create_each_block$3(child_ctx); - each_blocks[i].c(); - transition_in(each_blocks[i], 1); - each_blocks[i].m(each_1_anchor.parentNode, each_1_anchor); - } - } - - group_outros(); - - for (i = each_value.length; i < each_blocks.length; i += 1) { - out(i); - } - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - - for (let i = 0; i < each_value.length; i += 1) { - transition_in(each_blocks[i]); - } - - current = true; - }, - o: function outro(local) { - each_blocks = each_blocks.filter(Boolean); - - for (let i = 0; i < each_blocks.length; i += 1) { - transition_out(each_blocks[i]); - } - - current = false; - }, - d: function destroy(detaching) { - destroy_each(each_blocks, detaching); - if (detaching) detach_dev(each_1_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$j.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$j($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('DetailsByReason', slots, []); - let { builds = [] } = $$props; - const dispatch = createEventDispatcher(); - const ignore = url => dispatch("ignore", url); - let reasons; - let reasonsKeys = []; - let hiddenRows = {}; - let ignoredPatterns = []; - ignoredUrls$.subscribe(x => $$invalidate(3, ignoredPatterns = x)); - const hideShow = key => $$invalidate(2, hiddenRows[key] = key in hiddenRows ? !hiddenRows[key] : true, hiddenRows); - const writable_props = ['builds']; - - Object_1$1.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = reason => hideShow(reason); - const click_handler_1 = val => ignore(val.dst); - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - }; - - $$self.$capture_state = () => ({ - groupBy: groupBy$1, - props: props$1, - isInIgnored, - ignoredUrls$, - createEventDispatcher, - fade, - fly, - Icon, - builds, - dispatch, - ignore, - reasons, - reasonsKeys, - hiddenRows, - ignoredPatterns, - hideShow - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(6, builds = $$props.builds); - if ('reasons' in $$props) $$invalidate(0, reasons = $$props.reasons); - if ('reasonsKeys' in $$props) $$invalidate(1, reasonsKeys = $$props.reasonsKeys); - if ('hiddenRows' in $$props) $$invalidate(2, hiddenRows = $$props.hiddenRows); - if ('ignoredPatterns' in $$props) $$invalidate(3, ignoredPatterns = $$props.ignoredPatterns); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*builds, reasons*/ 65) { - if (builds.length > 0) { - $$invalidate(0, reasons = groupBy$1(props$1(["statusmsg"]))(builds)); - $$invalidate(1, reasonsKeys = Object.keys(reasons)); - } - } - }; - - return [ - reasons, - reasonsKeys, - hiddenRows, - ignoredPatterns, - ignore, - hideShow, - builds, - click_handler, - click_handler_1 - ]; - } - - class DetailsByReason extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$j, create_fragment$j, safe_not_equal, { builds: 6 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "DetailsByReason", - options, - id: create_fragment$j.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/linkauditorcomponents/DetailsTable.svelte generated by Svelte v3.59.1 */ - const file$i = "src/components/linkauditorcomponents/DetailsTable.svelte"; - - function get_each_context$2(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[17] = list[i]; - return child_ctx; - } - - // (71:0) {:else} - function create_else_block$a(ctx) { - let div2; - let div0; - let button0; - let span0; - let t1; - let button1; - let span1; - let t3; - let button2; - let span2; - let t5; - let div1; - let button3; - let icon; - let t6; - let t7; - let current_block_type_index; - let if_block1; - let if_block1_anchor; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - cssClass: "", - $$slots: { default: [create_default_slot_3$1] }, - $$scope: { ctx } - }, - $$inline: true - }); - - let if_block0 = /*foundUnscannableLinks*/ ctx[1].length > 0 && create_if_block_3$2(ctx); - const if_block_creators = [create_if_block_1$8, create_if_block_2$6, create_else_block_1$1]; - const if_blocks = []; - - function select_block_type_2(ctx, dirty) { - if (/*displayMode*/ ctx[2] === 0) return 0; - if (/*displayMode*/ ctx[2] === 1) return 1; - return 2; - } - - current_block_type_index = select_block_type_2(ctx); - if_block1 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - div2 = element("div"); - div0 = element("div"); - button0 = element("button"); - span0 = element("span"); - span0.textContent = "By Source"; - t1 = space(); - button1 = element("button"); - span1 = element("span"); - span1.textContent = "By Destination"; - t3 = space(); - button2 = element("button"); - span2 = element("span"); - span2.textContent = "By Status"; - t5 = space(); - div1 = element("div"); - button3 = element("button"); - create_component(icon.$$.fragment); - t6 = space(); - if (if_block0) if_block0.c(); - t7 = space(); - if_block1.c(); - if_block1_anchor = empty(); - add_location(span0, file$i, 80, 8, 2316); - attr_dev(button0, "class", "inline-flex items-center transition-colors duration-300 ease-in focus:outline-none rounded-l-full px-4 py-2 svelte-uwyanu"); - toggle_class(button0, "active", /*displayMode*/ ctx[2] === 0); - add_location(button0, file$i, 75, 6, 2087); - add_location(span1, file$i, 87, 8, 2575); - attr_dev(button1, "class", "inline-flex items-center transition-colors duration-300 ease-in focus:outline-none px-4 py-2 svelte-uwyanu"); - toggle_class(button1, "active", /*displayMode*/ ctx[2] === 1); - add_location(button1, file$i, 82, 6, 2361); - add_location(span2, file$i, 94, 8, 2854); - attr_dev(button2, "class", "inline-flex items-center transition-colors duration-300 ease-in focus:outline-none rounded-r-full px-4 py-2 svelte-uwyanu"); - toggle_class(button2, "active", /*displayMode*/ ctx[2] === 2); - add_location(button2, file$i, 89, 6, 2625); - attr_dev(div0, "class", "bggrey text-sm textgrey leading-none border-2 border-gray-200 rounded-full inline-flex"); - add_location(div0, file$i, 72, 4, 1968); - attr_dev(button3, "title", "Download CSV"); - attr_dev(button3, "class", "bg-gray-300 hover:bg-gray-400 text-gray-800 font-bold py-1 px-1 rounded-lg inline-flex items-center"); - add_location(button3, file$i, 98, 6, 2940); - attr_dev(div1, "class", "float-right"); - add_location(div1, file$i, 97, 4, 2908); - attr_dev(div2, "class", "my-4"); - add_location(div2, file$i, 71, 2, 1945); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, div0); - append_dev(div0, button0); - append_dev(button0, span0); - append_dev(div0, t1); - append_dev(div0, button1); - append_dev(button1, span1); - append_dev(div0, t3); - append_dev(div0, button2); - append_dev(button2, span2); - append_dev(div2, t5); - append_dev(div2, div1); - append_dev(div1, button3); - mount_component(icon, button3, null); - insert_dev(target, t6, anchor); - if (if_block0) if_block0.m(target, anchor); - insert_dev(target, t7, anchor); - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block1_anchor, anchor); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(button0, "click", /*click_handler*/ ctx[9], false, false, false, false), - listen_dev(button1, "click", /*click_handler_1*/ ctx[10], false, false, false, false), - listen_dev(button2, "click", /*click_handler_2*/ ctx[11], false, false, false, false), - listen_dev(button3, "click", /*download*/ ctx[5], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (!current || dirty & /*displayMode*/ 4) { - toggle_class(button0, "active", /*displayMode*/ ctx[2] === 0); - } - - if (!current || dirty & /*displayMode*/ 4) { - toggle_class(button1, "active", /*displayMode*/ ctx[2] === 1); - } - - if (!current || dirty & /*displayMode*/ 4) { - toggle_class(button2, "active", /*displayMode*/ ctx[2] === 2); - } - - const icon_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - - if (/*foundUnscannableLinks*/ ctx[1].length > 0) { - if (if_block0) { - if_block0.p(ctx, dirty); - - if (dirty & /*foundUnscannableLinks*/ 2) { - transition_in(if_block0, 1); - } - } else { - if_block0 = create_if_block_3$2(ctx); - if_block0.c(); - transition_in(if_block0, 1); - if_block0.m(t7.parentNode, t7); - } - } else if (if_block0) { - group_outros(); - - transition_out(if_block0, 1, 1, () => { - if_block0 = null; - }); - - check_outros(); - } - - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type_2(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block1 = if_blocks[current_block_type_index]; - - if (!if_block1) { - if_block1 = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block1.c(); - } else { - if_block1.p(ctx, dirty); - } - - transition_in(if_block1, 1); - if_block1.m(if_block1_anchor.parentNode, if_block1_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block0); - transition_in(if_block1); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block0); - transition_out(if_block1); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - destroy_component(icon); - if (detaching) detach_dev(t6); - if (if_block0) if_block0.d(detaching); - if (detaching) detach_dev(t7); - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block1_anchor); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$a.name, - type: "else", - source: "(71:0) {:else}", - ctx - }); - - return block; - } - - // (57:0) {#if builds.length === 0} - function create_if_block$c(ctx) { - let div; - let icon0; - let t; - let icon1; - let current; - - icon0 = new Icon({ - props: { - cssClass: "inline-block", - $$slots: { default: [create_default_slot_1$6] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon1 = new Icon({ - props: { - cssClass: "inline-block", - $$slots: { default: [create_default_slot$6] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - create_component(icon0.$$.fragment); - t = text("\n No broken links in this build!\n "); - create_component(icon1.$$.fragment); - attr_dev(div, "class", "mb-6 text-center text-xl py-8"); - add_location(div, file$i, 57, 2, 1473); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - mount_component(icon0, div, null); - append_dev(div, t); - mount_component(icon1, div, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon0_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon0_changes.$$scope = { dirty, ctx }; - } - - icon0.$set(icon0_changes); - const icon1_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon1_changes.$$scope = { dirty, ctx }; - } - - icon1.$set(icon1_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon0.$$.fragment, local); - transition_in(icon1.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon0.$$.fragment, local); - transition_out(icon1.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon0); - destroy_component(icon1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$c.name, - type: "if", - source: "(57:0) {#if builds.length === 0}", - ctx - }); - - return block; - } - - // (104:8) - function create_default_slot_3$1(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"); - add_location(path, file$i, 104, 10, 3167); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_3$1.name, - type: "slot", - source: "(104:8) ", - ctx - }); - - return block; - } - - // (111:2) {#if foundUnscannableLinks.length > 0} - function create_if_block_3$2(ctx) { - let span; - let icon; - let t0; - let t1; - let if_block_anchor; - let current; - - icon = new Icon({ - props: { - cssClass: "inline-block cursor-pointer", - $$slots: { default: [create_default_slot_2$3] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon.$on("click", /*click_handler_3*/ ctx[12]); - let if_block = !/*hiddenRows*/ ctx[3] && create_if_block_4(ctx); - - const block = { - c: function create() { - span = element("span"); - create_component(icon.$$.fragment); - t0 = text("\n Found Unscannable Links:"); - t1 = space(); - if (if_block) if_block.c(); - if_block_anchor = empty(); - attr_dev(span, "class", "font-bold mb-3"); - add_location(span, file$i, 111, 4, 3352); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - mount_component(icon, span, null); - append_dev(span, t0); - insert_dev(target, t1, anchor); - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const icon_changes = {}; - - if (dirty & /*$$scope, hiddenRows*/ 1048584) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - - if (!/*hiddenRows*/ ctx[3]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*hiddenRows*/ 8) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block_4(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - destroy_component(icon); - if (detaching) detach_dev(t1); - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$2.name, - type: "if", - source: "(111:2) {#if foundUnscannableLinks.length > 0}", - ctx - }); - - return block; - } - - // (118:10) {:else} - function create_else_block_2(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M9 5l7 7-7 7"); - add_location(path, file$i, 118, 12, 3580); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_2.name, - type: "else", - source: "(118:10) {:else}", - ctx - }); - - return block; - } - - // (116:10) {#if !hiddenRows} - function create_if_block_5(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M19 9l-7 7-7-7"); - add_location(path, file$i, 116, 12, 3522); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_5.name, - type: "if", - source: "(116:10) {#if !hiddenRows}", - ctx - }); - - return block; - } - - // (113:6) hideShow()} cssClass="inline-block cursor-pointer"> - function create_default_slot_2$3(ctx) { - let if_block_anchor; - - function select_block_type_1(ctx, dirty) { - if (!/*hiddenRows*/ ctx[3]) return create_if_block_5; - return create_else_block_2; - } - - let current_block_type = select_block_type_1(ctx); - let if_block = current_block_type(ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - }, - p: function update(ctx, dirty) { - if (current_block_type !== (current_block_type = select_block_type_1(ctx))) { - if_block.d(1); - if_block = current_block_type(ctx); - - if (if_block) { - if_block.c(); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } - }, - d: function destroy(detaching) { - if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$3.name, - type: "slot", - source: "(113:6) hideShow()} cssClass=\\\"inline-block cursor-pointer\\\">", - ctx - }); - - return block; - } - - // (124:4) {#if !hiddenRows} - function create_if_block_4(ctx) { - let span; - let t0; - let a; - let t2; - let t3; - let table; - let thead; - let tr; - let th0; - let t5; - let th1; - let t7; - let th2; - let t9; - let tbody; - let table_intro; - let table_outro; - let current; - let each_value = /*foundUnscannableLinks*/ ctx[1]; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$2(get_each_context$2(ctx, each_value, i)); - } - - const block = { - c: function create() { - span = element("span"); - t0 = text("See our "); - a = element("a"); - a.textContent = "Knowledge Base (KB)"; - t2 = text(" to learn more about \n why some working websites are reported as broken in CodeAuditor?"); - t3 = space(); - table = element("table"); - thead = element("thead"); - tr = element("tr"); - th0 = element("th"); - th0.textContent = "Unscannable Link"; - t5 = space(); - th1 = element("th"); - th1.textContent = "Source"; - t7 = space(); - th2 = element("th"); - th2.textContent = "Anchor Text"; - t9 = space(); - tbody = element("tbody"); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - attr_dev(a, "class", "link hover:text-red-600"); - attr_dev(a, "href", "https://github.com/SSWConsulting/SSW.CodeAuditor/wiki/SSW-CodeAuditor-Knowledge-Base-(KB)#known-websites-that-has-anti-web-scraping-measures"); - add_location(a, file$i, 125, 16, 3755); - attr_dev(span, "class", "font-bold mb-3"); - add_location(span, file$i, 124, 6, 3709); - attr_dev(th0, "class", "w-3/12 px-4 py-2"); - add_location(th0, file$i, 134, 10, 4259); - attr_dev(th1, "class", "w-3/12 px-4 py-2"); - add_location(th1, file$i, 135, 10, 4320); - attr_dev(th2, "class", "hidden md:table-cell w-3/12 px-4 py-2"); - add_location(th2, file$i, 136, 10, 4371); - add_location(tr, file$i, 133, 8, 4244); - add_location(thead, file$i, 132, 6, 4228); - add_location(tbody, file$i, 139, 6, 4473); - attr_dev(table, "class", "table-fixed w-full md:table-auto mb-8"); - add_location(table, file$i, 128, 6, 4076); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - append_dev(span, t0); - append_dev(span, a); - append_dev(span, t2); - insert_dev(target, t3, anchor); - insert_dev(target, table, anchor); - append_dev(table, thead); - append_dev(thead, tr); - append_dev(tr, th0); - append_dev(tr, t5); - append_dev(tr, th1); - append_dev(tr, t7); - append_dev(tr, th2); - append_dev(table, t9); - append_dev(table, tbody); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(tbody, null); - } - } - - current = true; - }, - p: function update(ctx, dirty) { - if (dirty & /*foundUnscannableLinks*/ 2) { - each_value = /*foundUnscannableLinks*/ ctx[1]; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$2(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$2(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(tbody, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - }, - i: function intro(local) { - if (current) return; - - add_render_callback(() => { - if (!current) return; - if (table_outro) table_outro.end(1); - table_intro = create_in_transition(table, fade, { y: 100, duration: 400 }); - table_intro.start(); - }); - - current = true; - }, - o: function outro(local) { - if (table_intro) table_intro.invalidate(); - table_outro = create_out_transition(table, fade, { y: -100, duration: 200 }); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - if (detaching) detach_dev(t3); - if (detaching) detach_dev(table); - destroy_each(each_blocks, detaching); - if (detaching && table_outro) table_outro.end(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_4.name, - type: "if", - source: "(124:4) {#if !hiddenRows}", - ctx - }); - - return block; - } - - // (141:8) {#each foundUnscannableLinks as url} - function create_each_block$2(ctx) { - let tr; - let td0; - let a0; - - let t0_value = (/*url*/ ctx[17].dst.length < 70 - ? /*url*/ ctx[17].dst - : /*url*/ ctx[17].dst.substring(0, 70) + '...') + ""; - - let t0; - let a0_href_value; - let t1; - let td1; - let a1; - - let t2_value = (/*url*/ ctx[17].src.length < 70 - ? /*url*/ ctx[17].src - : /*url*/ ctx[17].src.substring(0, 70) + '...') + ""; - - let t2; - let a1_href_value; - let t3; - let td2; - let t4_value = (/*url*/ ctx[17].link || '') + ""; - let t4; - let t5; - - const block = { - c: function create() { - tr = element("tr"); - td0 = element("td"); - a0 = element("a"); - t0 = text(t0_value); - t1 = space(); - td1 = element("td"); - a1 = element("a"); - t2 = text(t2_value); - t3 = space(); - td2 = element("td"); - t4 = text(t4_value); - t5 = space(); - attr_dev(a0, "class", "inline-block align-baseline link md:truncate"); - attr_dev(a0, "target", "_blank"); - attr_dev(a0, "href", a0_href_value = /*url*/ ctx[17].dst); - add_location(a0, file$i, 143, 14, 4614); - attr_dev(td0, "class", "w-3/12 border px-4 py-2 break-all"); - add_location(td0, file$i, 142, 12, 4553); - attr_dev(a1, "class", "inline-block align-baseline link md:truncate"); - attr_dev(a1, "target", "_blank"); - attr_dev(a1, "href", a1_href_value = /*url*/ ctx[17].src); - add_location(a1, file$i, 151, 14, 4943); - attr_dev(td1, "class", "w-3/12 border px-4 py-2 break-all"); - add_location(td1, file$i, 150, 12, 4882); - attr_dev(td2, "class", "hidden md:table-cell w-3/12 border px-4 py-2 break-all"); - add_location(td2, file$i, 158, 12, 5211); - add_location(tr, file$i, 141, 10, 4536); - }, - m: function mount(target, anchor) { - insert_dev(target, tr, anchor); - append_dev(tr, td0); - append_dev(td0, a0); - append_dev(a0, t0); - append_dev(tr, t1); - append_dev(tr, td1); - append_dev(td1, a1); - append_dev(a1, t2); - append_dev(tr, t3); - append_dev(tr, td2); - append_dev(td2, t4); - append_dev(tr, t5); - }, - p: function update(ctx, dirty) { - if (dirty & /*foundUnscannableLinks*/ 2 && t0_value !== (t0_value = (/*url*/ ctx[17].dst.length < 70 - ? /*url*/ ctx[17].dst - : /*url*/ ctx[17].dst.substring(0, 70) + '...') + "")) set_data_dev(t0, t0_value); - - if (dirty & /*foundUnscannableLinks*/ 2 && a0_href_value !== (a0_href_value = /*url*/ ctx[17].dst)) { - attr_dev(a0, "href", a0_href_value); - } - - if (dirty & /*foundUnscannableLinks*/ 2 && t2_value !== (t2_value = (/*url*/ ctx[17].src.length < 70 - ? /*url*/ ctx[17].src - : /*url*/ ctx[17].src.substring(0, 70) + '...') + "")) set_data_dev(t2, t2_value); - - if (dirty & /*foundUnscannableLinks*/ 2 && a1_href_value !== (a1_href_value = /*url*/ ctx[17].src)) { - attr_dev(a1, "href", a1_href_value); - } - - if (dirty & /*foundUnscannableLinks*/ 2 && t4_value !== (t4_value = (/*url*/ ctx[17].link || '') + "")) set_data_dev(t4, t4_value); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(tr); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$2.name, - type: "each", - source: "(141:8) {#each foundUnscannableLinks as url}", - ctx - }); - - return block; - } - - // (171:2) {:else} - function create_else_block_1$1(ctx) { - let detailsbyreason; - let current; - - detailsbyreason = new DetailsByReason({ - props: { builds: /*builds*/ ctx[0] }, - $$inline: true - }); - - detailsbyreason.$on("ignore", /*ignore_handler_2*/ ctx[15]); - - const block = { - c: function create() { - create_component(detailsbyreason.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(detailsbyreason, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const detailsbyreason_changes = {}; - if (dirty & /*builds*/ 1) detailsbyreason_changes.builds = /*builds*/ ctx[0]; - detailsbyreason.$set(detailsbyreason_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(detailsbyreason.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(detailsbyreason.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(detailsbyreason, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1$1.name, - type: "else", - source: "(171:2) {:else}", - ctx - }); - - return block; - } - - // (169:30) - function create_if_block_2$6(ctx) { - let detailsbydest; - let current; - - detailsbydest = new DetailsByDest({ - props: { builds: /*builds*/ ctx[0] }, - $$inline: true - }); - - detailsbydest.$on("ignore", /*ignore_handler_1*/ ctx[14]); - - const block = { - c: function create() { - create_component(detailsbydest.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(detailsbydest, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const detailsbydest_changes = {}; - if (dirty & /*builds*/ 1) detailsbydest_changes.builds = /*builds*/ ctx[0]; - detailsbydest.$set(detailsbydest_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(detailsbydest.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(detailsbydest.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(detailsbydest, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$6.name, - type: "if", - source: "(169:30) ", - ctx - }); - - return block; - } - - // (167:2) {#if displayMode === 0} - function create_if_block_1$8(ctx) { - let detailsbysource; - let current; - - detailsbysource = new DetailsBySource({ - props: { builds: /*builds*/ ctx[0] }, - $$inline: true - }); - - detailsbysource.$on("ignore", /*ignore_handler*/ ctx[13]); - - const block = { - c: function create() { - create_component(detailsbysource.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(detailsbysource, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const detailsbysource_changes = {}; - if (dirty & /*builds*/ 1) detailsbysource_changes.builds = /*builds*/ ctx[0]; - detailsbysource.$set(detailsbysource_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(detailsbysource.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(detailsbysource.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(detailsbysource, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$8.name, - type: "if", - source: "(167:2) {#if displayMode === 0}", - ctx - }); - - return block; - } - - // (59:4) - function create_default_slot_1$6(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$i, 59, 6, 1558); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$6.name, - type: "slot", - source: "(59:4) ", - ctx - }); - - return block; - } - - // (65:4) - function create_default_slot$6(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$i, 65, 6, 1780); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$6.name, - type: "slot", - source: "(65:4) ", - ctx - }); - - return block; - } - - function create_fragment$i(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$c, create_else_block$a]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*builds*/ ctx[0].length === 0) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$i.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$i($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('DetailsTable', slots, []); - let { builds = [] } = $$props; - let { currentRoute } = $$props; - let { unscannableLinks } = $$props; - let foundUnscannableLinks = []; - foundUnscannableLinks = builds.filter(build => unscannableLinks.some(link => build.dst.includes(link.url))); - - // Filter out unscannable links - builds = builds.filter(build => !unscannableLinks.some(link => build.dst.includes(link.url))); - - let displayMode = 0; - - const changeMode = m => { - $$invalidate(2, displayMode = m); - updateQuery(queryString.stringify({ displayMode })); - }; - - const dispatch = createEventDispatcher(); - const download = () => dispatch("download"); - - onMount(() => { - if (currentRoute && currentRoute.queryParams.displayMode) { - changeMode(+currentRoute.queryParams.displayMode); - } - }); - - let hiddenRows = false; - - const hideShow = () => { - $$invalidate(3, hiddenRows = !hiddenRows); - }; - - $$self.$$.on_mount.push(function () { - if (currentRoute === undefined && !('currentRoute' in $$props || $$self.$$.bound[$$self.$$.props['currentRoute']])) { - console.warn(" was created without expected prop 'currentRoute'"); - } - - if (unscannableLinks === undefined && !('unscannableLinks' in $$props || $$self.$$.bound[$$self.$$.props['unscannableLinks']])) { - console.warn(" was created without expected prop 'unscannableLinks'"); - } - }); - - const writable_props = ['builds', 'currentRoute', 'unscannableLinks']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => changeMode(0); - const click_handler_1 = () => changeMode(1); - const click_handler_2 = () => changeMode(2); - const click_handler_3 = () => hideShow(); - - function ignore_handler(event) { - bubble.call(this, $$self, event); - } - - function ignore_handler_1(event) { - bubble.call(this, $$self, event); - } - - function ignore_handler_2(event) { - bubble.call(this, $$self, event); - } - - $$self.$$set = $$props => { - if ('builds' in $$props) $$invalidate(0, builds = $$props.builds); - if ('currentRoute' in $$props) $$invalidate(7, currentRoute = $$props.currentRoute); - if ('unscannableLinks' in $$props) $$invalidate(8, unscannableLinks = $$props.unscannableLinks); - }; - - $$self.$capture_state = () => ({ - DetailsByDest, - updateQuery, - Icon, - ParsedQuery: queryString, - DetailsBySource, - DetailsByReason, - onMount, - createEventDispatcher, - fade, - builds, - currentRoute, - unscannableLinks, - foundUnscannableLinks, - displayMode, - changeMode, - dispatch, - download, - hiddenRows, - hideShow - }); - - $$self.$inject_state = $$props => { - if ('builds' in $$props) $$invalidate(0, builds = $$props.builds); - if ('currentRoute' in $$props) $$invalidate(7, currentRoute = $$props.currentRoute); - if ('unscannableLinks' in $$props) $$invalidate(8, unscannableLinks = $$props.unscannableLinks); - if ('foundUnscannableLinks' in $$props) $$invalidate(1, foundUnscannableLinks = $$props.foundUnscannableLinks); - if ('displayMode' in $$props) $$invalidate(2, displayMode = $$props.displayMode); - if ('hiddenRows' in $$props) $$invalidate(3, hiddenRows = $$props.hiddenRows); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - builds, - foundUnscannableLinks, - displayMode, - hiddenRows, - changeMode, - download, - hideShow, - currentRoute, - unscannableLinks, - click_handler, - click_handler_1, - click_handler_2, - click_handler_3, - ignore_handler, - ignore_handler_1, - ignore_handler_2 - ]; - } - - class DetailsTable extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$i, create_fragment$i, safe_not_equal, { - builds: 0, - currentRoute: 7, - unscannableLinks: 8 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "DetailsTable", - options, - id: create_fragment$i.name - }); - } - - get builds() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set builds(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get unscannableLinks() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set unscannableLinks(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/detailcardcomponents/BuildDetailsCard.svelte generated by Svelte v3.59.1 */ - const file$h = "src/components/detailcardcomponents/BuildDetailsCard.svelte"; - - // (35:2) {:else} - function create_else_block$9(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-orange-500 h-2"); - add_location(div, file$h, 35, 4, 975); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$9.name, - type: "else", - source: "(35:2) {:else}", - ctx - }); - - return block; - } - - // (33:37) - function create_if_block_2$5(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-green-500 h-2"); - add_location(div, file$h, 33, 4, 928); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$5.name, - type: "if", - source: "(33:37) ", - ctx - }); - - return block; - } - - // (31:2) {#if val.finalEval === 'FAIL'} - function create_if_block_1$7(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-red-500 h-2"); - add_location(div, file$h, 31, 4, 855); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$7.name, - type: "if", - source: "(31:2) {#if val.finalEval === 'FAIL'}", - ctx - }); - - return block; - } - - // (59:8) {#if val.performanceScore} - function create_if_block$b(ctx) { - let div; - let h2; - let span; - let t1; - let lighthousesummary; - let current; - let mounted; - let dispose; - - lighthousesummary = new LighthouseSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - h2 = element("h2"); - span = element("span"); - span.textContent = "LIGHTHOUSE"; - t1 = space(); - create_component(lighthousesummary.$$.fragment); - attr_dev(span, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span, file$h, 63, 14, 1948); - attr_dev(h2, "class", "svelte-1fv0uxu"); - add_location(h2, file$h, 62, 12, 1929); - attr_dev(div, "class", "md:row-span-1 text-sm my-2"); - add_location(div, file$h, 59, 10, 1801); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, h2); - append_dev(h2, span); - append_dev(div, t1); - mount_component(lighthousesummary, div, null); - current = true; - - if (!mounted) { - dispose = listen_dev(div, "click", /*click_handler_2*/ ctx[5], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(lighthousesummary); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$b.name, - type: "if", - source: "(59:8) {#if val.performanceScore}", - ctx - }); - - return block; - } - - function create_fragment$h(ctx) { - let div9; - let t0; - let div8; - let div6; - let div0; - let t1; - let div4; - let div1; - let h20; - let span0; - let t3; - let linksummary; - let t4; - let div2; - let h21; - let span1; - let t6; - let codesummary; - let t7; - let t8; - let div3; - let h22; - let span2; - let t10; - let artillerysummary; - let t11; - let div5; - let t12; - let div7; - let span3; - let current; - let mounted; - let dispose; - - function select_block_type(ctx, dirty) { - if (/*val*/ ctx[0].finalEval === 'FAIL') return create_if_block_1$7; - if (/*val*/ ctx[0].finalEval === 'PASS') return create_if_block_2$5; - return create_else_block$9; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - - linksummary = new LinkSummary({ - props: { - value: /*val*/ ctx[0], - brokenLinks: /*brokenLinks*/ ctx[1].length - }, - $$inline: true - }); - - codesummary = new CodeSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - let if_block1 = /*val*/ ctx[0].performanceScore && create_if_block$b(ctx); - - artillerysummary = new ArtillerySummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div9 = element("div"); - if_block0.c(); - t0 = space(); - div8 = element("div"); - div6 = element("div"); - div0 = element("div"); - t1 = space(); - div4 = element("div"); - div1 = element("div"); - h20 = element("h2"); - span0 = element("span"); - span0.textContent = "LINKS"; - t3 = space(); - create_component(linksummary.$$.fragment); - t4 = space(); - div2 = element("div"); - h21 = element("h2"); - span1 = element("span"); - span1.textContent = "CODE"; - t6 = space(); - create_component(codesummary.$$.fragment); - t7 = space(); - if (if_block1) if_block1.c(); - t8 = space(); - div3 = element("div"); - h22 = element("h2"); - span2 = element("span"); - span2.textContent = "LOAD TEST"; - t10 = space(); - create_component(artillerysummary.$$.fragment); - t11 = space(); - div5 = element("div"); - t12 = space(); - div7 = element("div"); - span3 = element("span"); - span3.textContent = `Build Version: ${/*val*/ ctx[0].buildVersion}`; - add_location(div0, file$h, 40, 6, 1085); - attr_dev(span0, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span0, file$h, 47, 14, 1346); - attr_dev(h20, "class", "svelte-1fv0uxu"); - add_location(h20, file$h, 47, 10, 1342); - attr_dev(div1, "class", "md:row-span-1 text-sm my-2"); - add_location(div1, file$h, 44, 8, 1220); - attr_dev(span1, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span1, file$h, 54, 14, 1635); - attr_dev(h21, "class", "svelte-1fv0uxu"); - add_location(h21, file$h, 54, 10, 1631); - attr_dev(div2, "class", "md:row-span-1 text-sm my-2"); - add_location(div2, file$h, 51, 8, 1509); - attr_dev(span2, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span2, file$h, 73, 12, 2259); - attr_dev(h22, "class", "svelte-1fv0uxu"); - add_location(h22, file$h, 72, 10, 2242); - attr_dev(div3, "class", "md:row-span-1 text-sm my-2"); - add_location(div3, file$h, 69, 8, 2120); - attr_dev(div4, "class", "grid grid-rows-3 col-span-4"); - add_location(div4, file$h, 41, 6, 1103); - add_location(div5, file$h, 78, 6, 2417); - attr_dev(div6, "class", "grid grid-cols-6"); - add_location(div6, file$h, 39, 4, 1048); - attr_dev(span3, "class", "font-sans text-lg pt-2"); - add_location(span3, file$h, 82, 6, 2475); - attr_dev(div7, "class", "text-left"); - add_location(div7, file$h, 81, 4, 2445); - attr_dev(div8, "class", "px-6 py-2"); - add_location(div8, file$h, 38, 2, 1020); - attr_dev(div9, "class", "overflow-hidden shadow-lg my-5"); - add_location(div9, file$h, 29, 0, 773); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div9, anchor); - if_block0.m(div9, null); - append_dev(div9, t0); - append_dev(div9, div8); - append_dev(div8, div6); - append_dev(div6, div0); - append_dev(div6, t1); - append_dev(div6, div4); - append_dev(div4, div1); - append_dev(div1, h20); - append_dev(h20, span0); - append_dev(div1, t3); - mount_component(linksummary, div1, null); - append_dev(div4, t4); - append_dev(div4, div2); - append_dev(div2, h21); - append_dev(h21, span1); - append_dev(div2, t6); - mount_component(codesummary, div2, null); - append_dev(div4, t7); - if (if_block1) if_block1.m(div4, null); - append_dev(div4, t8); - append_dev(div4, div3); - append_dev(div3, h22); - append_dev(h22, span2); - append_dev(div3, t10); - mount_component(artillerysummary, div3, null); - append_dev(div6, t11); - append_dev(div6, div5); - append_dev(div8, t12); - append_dev(div8, div7); - append_dev(div7, span3); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(div1, "click", /*click_handler*/ ctx[3], false, false, false, false), - listen_dev(div2, "click", /*click_handler_1*/ ctx[4], false, false, false, false), - listen_dev(div3, "click", /*click_handler_3*/ ctx[6], false, false, false, false), - listen_dev(div4, "click", /*click_handler_4*/ ctx[7], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - if (/*val*/ ctx[0].performanceScore) if_block1.p(ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(linksummary.$$.fragment, local); - transition_in(codesummary.$$.fragment, local); - transition_in(if_block1); - transition_in(artillerysummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(linksummary.$$.fragment, local); - transition_out(codesummary.$$.fragment, local); - transition_out(if_block1); - transition_out(artillerysummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div9); - if_block0.d(); - destroy_component(linksummary); - destroy_component(codesummary); - if (if_block1) if_block1.d(); - destroy_component(artillerysummary); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$h.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$h($$self, $$props, $$invalidate) { - let codeSummary; - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('BuildDetailsCard', slots, []); - let { build = {} } = $$props; - let val = build.summary; - let brokenLinks = build.brokenLinks; - const writable_props = ['build']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3(`/build/${val.runId}`); - const click_handler_1 = () => src_3(`/build/${val.runId}`); - const click_handler_2 = () => src_3(`/build/${val.runId}`); - const click_handler_3 = () => src_3(`/build/${val.runId}`); - const click_handler_4 = () => src_3(`/build/${val.runId}`); - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(2, build = $$props.build); - }; - - $$self.$capture_state = () => ({ - getCodeSummary, - navigateTo: src_3, - LighthouseSummary, - CodeSummary, - LinkSummary, - ArtillerySummary, - build, - val, - brokenLinks, - codeSummary - }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(2, build = $$props.build); - if ('val' in $$props) $$invalidate(0, val = $$props.val); - if ('brokenLinks' in $$props) $$invalidate(1, brokenLinks = $$props.brokenLinks); - if ('codeSummary' in $$props) codeSummary = $$props.codeSummary; - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - $$self.$$.update = () => { - if ($$self.$$.dirty & /*build*/ 4) { - codeSummary = getCodeSummary(build); - } - }; - - return [ - val, - brokenLinks, - build, - click_handler, - click_handler_1, - click_handler_2, - click_handler_3, - click_handler_4 - ]; - } - - class BuildDetailsCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$h, create_fragment$h, safe_not_equal, { build: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "BuildDetailsCard", - options, - id: create_fragment$h.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/BuildDetails.svelte generated by Svelte v3.59.1 */ - const file$g = "src/containers/BuildDetails.svelte"; - - // (97:4) {:catch error} - function create_catch_block$3(ctx) { - let p; - let t_value = /*error*/ ctx[14].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - attr_dev(p, "class", "text-red-600 mx-auto text-2xl py-8"); - add_location(p, file$g, 97, 6, 2780); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*promise*/ 2 && t_value !== (t_value = /*error*/ ctx[14].message + "")) set_data_dev(t, t_value); - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block$3.name, - type: "catch", - source: "(97:4) {:catch error}", - ctx - }); - - return block; - } - - // (77:4) {:then data} - function create_then_block$3(ctx) { - let breadcrumbs; - let t0; - let br; - let t1; - let cardsummary; - let t2; - let builddetailscard; - let t3; - let tabs; - let t4; - let detailstable; - let current; - - breadcrumbs = new Breadcrumbs({ - props: { - build: /*data*/ ctx[13] ? /*data*/ ctx[13].summary : {}, - runId: /*currentRoute*/ ctx[0].namedParams.id, - displayMode: "Links" - }, - $$inline: true - }); - - cardsummary = new CardSummary({ - props: { value: /*data*/ ctx[13].summary }, - $$inline: true - }); - - builddetailscard = new BuildDetailsCard({ - props: { - build: /*data*/ ctx[13] ? /*data*/ ctx[13] : {} - }, - $$inline: true - }); - - tabs = new Tabs({ - props: { - build: /*data*/ ctx[13] ? /*data*/ ctx[13] : {}, - displayMode: "url" - }, - $$inline: true - }); - - function download_handler() { - return /*download_handler*/ ctx[9](/*data*/ ctx[13]); - } - - function ignore_handler(...args) { - return /*ignore_handler*/ ctx[10](/*data*/ ctx[13], ...args); - } - - detailstable = new DetailsTable({ - props: { - builds: /*data*/ ctx[13] ? /*data*/ ctx[13].brokenLinks : [], - currentRoute: /*currentRoute*/ ctx[0], - unscannableLinks - }, - $$inline: true - }); - - detailstable.$on("download", download_handler); - detailstable.$on("ignore", ignore_handler); - - const block = { - c: function create() { - create_component(breadcrumbs.$$.fragment); - t0 = space(); - br = element("br"); - t1 = space(); - create_component(cardsummary.$$.fragment); - t2 = space(); - create_component(builddetailscard.$$.fragment); - t3 = space(); - create_component(tabs.$$.fragment); - t4 = space(); - create_component(detailstable.$$.fragment); - add_location(br, file$g, 82, 4, 2341); - }, - m: function mount(target, anchor) { - mount_component(breadcrumbs, target, anchor); - insert_dev(target, t0, anchor); - insert_dev(target, br, anchor); - insert_dev(target, t1, anchor); - mount_component(cardsummary, target, anchor); - insert_dev(target, t2, anchor); - mount_component(builddetailscard, target, anchor); - insert_dev(target, t3, anchor); - mount_component(tabs, target, anchor); - insert_dev(target, t4, anchor); - mount_component(detailstable, target, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const breadcrumbs_changes = {}; - if (dirty & /*promise*/ 2) breadcrumbs_changes.build = /*data*/ ctx[13] ? /*data*/ ctx[13].summary : {}; - if (dirty & /*currentRoute*/ 1) breadcrumbs_changes.runId = /*currentRoute*/ ctx[0].namedParams.id; - breadcrumbs.$set(breadcrumbs_changes); - const cardsummary_changes = {}; - if (dirty & /*promise*/ 2) cardsummary_changes.value = /*data*/ ctx[13].summary; - cardsummary.$set(cardsummary_changes); - const builddetailscard_changes = {}; - if (dirty & /*promise*/ 2) builddetailscard_changes.build = /*data*/ ctx[13] ? /*data*/ ctx[13] : {}; - builddetailscard.$set(builddetailscard_changes); - const tabs_changes = {}; - if (dirty & /*promise*/ 2) tabs_changes.build = /*data*/ ctx[13] ? /*data*/ ctx[13] : {}; - tabs.$set(tabs_changes); - const detailstable_changes = {}; - if (dirty & /*promise*/ 2) detailstable_changes.builds = /*data*/ ctx[13] ? /*data*/ ctx[13].brokenLinks : []; - if (dirty & /*currentRoute*/ 1) detailstable_changes.currentRoute = /*currentRoute*/ ctx[0]; - detailstable.$set(detailstable_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(breadcrumbs.$$.fragment, local); - transition_in(cardsummary.$$.fragment, local); - transition_in(builddetailscard.$$.fragment, local); - transition_in(tabs.$$.fragment, local); - transition_in(detailstable.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(breadcrumbs.$$.fragment, local); - transition_out(cardsummary.$$.fragment, local); - transition_out(builddetailscard.$$.fragment, local); - transition_out(tabs.$$.fragment, local); - transition_out(detailstable.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(breadcrumbs, detaching); - if (detaching) detach_dev(t0); - if (detaching) detach_dev(br); - if (detaching) detach_dev(t1); - destroy_component(cardsummary, detaching); - if (detaching) detach_dev(t2); - destroy_component(builddetailscard, detaching); - if (detaching) detach_dev(t3); - destroy_component(tabs, detaching); - if (detaching) detach_dev(t4); - destroy_component(detailstable, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block$3.name, - type: "then", - source: "(77:4) {:then data}", - ctx - }); - - return block; - } - - // (75:20) {:then data} - function create_pending_block$3(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_pending_block$3.name, - type: "pending", - source: "(75:20) {:then data}", - ctx - }); - - return block; - } - - // (109:6) - function create_default_slot_1$5(ctx) { - let t; - - const block = { - c: function create() { - t = text("Sign in"); - }, - m: function mount(target, anchor) { - insert_dev(target, t, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$5.name, - type: "slot", - source: "(109:6) ", - ctx - }); - - return block; - } - - // (103:0) - function create_default_slot$5(ctx) { - let p0; - let t1; - let p1; - let span; - let navigate; - let current; - - navigate = new src_7({ - props: { - to: "/login", - $$slots: { default: [create_default_slot_1$5] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - p0 = element("p"); - p0.textContent = "Sign in to unlock this feature!"; - t1 = space(); - p1 = element("p"); - span = element("span"); - create_component(navigate.$$.fragment); - add_location(p0, file$g, 103, 2, 2945); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - add_location(span, file$g, 105, 4, 3015); - attr_dev(p1, "class", "text-sm pt-2"); - add_location(p1, file$g, 104, 2, 2986); - }, - m: function mount(target, anchor) { - insert_dev(target, p0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, p1, anchor); - append_dev(p1, span); - mount_component(navigate, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const navigate_changes = {}; - - if (dirty & /*$$scope*/ 32768) { - navigate_changes.$$scope = { dirty, ctx }; - } - - navigate.$set(navigate_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(navigate.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(navigate.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(p1); - destroy_component(navigate); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$5.name, - type: "slot", - source: "(103:0) ", - ctx - }); - - return block; - } - - function create_fragment$g(ctx) { - let div1; - let div0; - let promise_1; - let t0; - let toastr; - let updating_show; - let t1; - let updateignoreurl; - let updating_show_1; - let current; - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block$3, - then: create_then_block$3, - catch: create_catch_block$3, - value: 13, - error: 14, - blocks: [,,,] - }; - - handle_promise(promise_1 = /*promise*/ ctx[1], info); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[11](value); - } - - let toastr_props = { - timeout: 10000, - mode: "warn", - $$slots: { default: [create_default_slot$5] }, - $$scope: { ctx } - }; - - if (/*userNotLoginToast*/ ctx[2] !== void 0) { - toastr_props.show = /*userNotLoginToast*/ ctx[2]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - function updateignoreurl_show_binding(value) { - /*updateignoreurl_show_binding*/ ctx[12](value); - } - - let updateignoreurl_props = { - url: /*urlToIgnore*/ ctx[4], - scanUrl: /*scanUrl*/ ctx[5], - user: /*$userSession$*/ ctx[6] - }; - - if (/*ignoreUrlShown*/ ctx[3] !== void 0) { - updateignoreurl_props.show = /*ignoreUrlShown*/ ctx[3]; - } - - updateignoreurl = new UpdateIgnoreUrl({ - props: updateignoreurl_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updateignoreurl, 'show', updateignoreurl_show_binding)); - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - info.block.c(); - t0 = space(); - create_component(toastr.$$.fragment); - t1 = space(); - create_component(updateignoreurl.$$.fragment); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 mb-6 flex flex-col"); - add_location(div0, file$g, 72, 2, 2078); - attr_dev(div1, "class", "container mx-auto"); - add_location(div1, file$g, 71, 0, 2044); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - info.block.m(div0, info.anchor = null); - info.mount = () => div0; - info.anchor = null; - insert_dev(target, t0, anchor); - mount_component(toastr, target, anchor); - insert_dev(target, t1, anchor); - mount_component(updateignoreurl, target, anchor); - current = true; - }, - p: function update(new_ctx, [dirty]) { - ctx = new_ctx; - info.ctx = ctx; - - if (dirty & /*promise*/ 2 && promise_1 !== (promise_1 = /*promise*/ ctx[1]) && handle_promise(promise_1, info)) ; else { - update_await_block_branch(info, ctx, dirty); - } - - const toastr_changes = {}; - - if (dirty & /*$$scope*/ 32768) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*userNotLoginToast*/ 4) { - updating_show = true; - toastr_changes.show = /*userNotLoginToast*/ ctx[2]; - add_flush_callback(() => updating_show = false); - } - - toastr.$set(toastr_changes); - const updateignoreurl_changes = {}; - if (dirty & /*urlToIgnore*/ 16) updateignoreurl_changes.url = /*urlToIgnore*/ ctx[4]; - if (dirty & /*scanUrl*/ 32) updateignoreurl_changes.scanUrl = /*scanUrl*/ ctx[5]; - if (dirty & /*$userSession$*/ 64) updateignoreurl_changes.user = /*$userSession$*/ ctx[6]; - - if (!updating_show_1 && dirty & /*ignoreUrlShown*/ 8) { - updating_show_1 = true; - updateignoreurl_changes.show = /*ignoreUrlShown*/ ctx[3]; - add_flush_callback(() => updating_show_1 = false); - } - - updateignoreurl.$set(updateignoreurl_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - transition_in(toastr.$$.fragment, local); - transition_in(updateignoreurl.$$.fragment, local); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - transition_out(toastr.$$.fragment, local); - transition_out(updateignoreurl.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - info.block.d(); - info.token = null; - info = null; - if (detaching) detach_dev(t0); - destroy_component(toastr, detaching); - if (detaching) detach_dev(t1); - destroy_component(updateignoreurl, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$g.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$g($$self, $$props, $$invalidate) { - let $userSession$; - validate_store(userSession$, 'userSession$'); - component_subscribe($$self, userSession$, $$value => $$invalidate(6, $userSession$ = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('BuildDetails', slots, []); - let { currentRoute } = $$props; - let promise; - let userNotLoginToast; - let ignoreUrlShown; - let urlToIgnore; - let scanUrl; - - if (currentRoute.namedParams.id) { - promise = getBuildDetails(currentRoute.namedParams.id); - } else { - promise = getLatestBuildDetails(currentRoute.namedParams.api, currentRoute.namedParams.url); - } - - const onDownload = data => { - const csvExporter = new build_1({ - showLabels: true, - showTitle: true, - title: `URL:,${data.summary.url},Duration:,${data.summary.scanDuration},URL Scanned:,${data.summary.totalScanned}`, - useKeysAsHeaders: true - }); - - csvExporter.generateCsv(data.brokenLinks.map(x => { - delete x["odata.etag"]; - delete x["PartitionKey"]; - delete x["RowKey"]; - delete x["Timestamp"]; - return x; - })); - }; - - const showIgnore = (mainUrl, url, user) => { - if (!user) { - $$invalidate(2, userNotLoginToast = true); - return; - } - - $$invalidate(5, scanUrl = mainUrl); - $$invalidate(4, urlToIgnore = url.detail); - $$invalidate(3, ignoreUrlShown = true); - }; - - userSession$.subscribe(x => { - if (x) { - getIgnoreList(x); - } - }); - - $$self.$$.on_mount.push(function () { - if (currentRoute === undefined && !('currentRoute' in $$props || $$self.$$.bound[$$self.$$.props['currentRoute']])) { - console.warn(" was created without expected prop 'currentRoute'"); - } - }); - - const writable_props = ['currentRoute']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const download_handler = data => onDownload(data); - const ignore_handler = (data, url) => showIgnore(data.summary.url, url, $userSession$); - - function toastr_show_binding(value) { - userNotLoginToast = value; - $$invalidate(2, userNotLoginToast); - } - - function updateignoreurl_show_binding(value) { - ignoreUrlShown = value; - $$invalidate(3, ignoreUrlShown); - } - - $$self.$$set = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - }; - - $$self.$capture_state = () => ({ - getBuildDetails, - userSession$, - getIgnoreList, - getLatestBuildDetails, - Tabs, - Breadcrumbs, - DetailsTable, - Toastr, - BuildDetailsCard, - ExportToCsv: build_1, - Navigate: src_7, - LoadingFlat, - UpdateIgnoreUrl, - CardSummary, - unscannableLinks, - currentRoute, - promise, - userNotLoginToast, - ignoreUrlShown, - urlToIgnore, - scanUrl, - onDownload, - showIgnore, - $userSession$ - }); - - $$self.$inject_state = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - if ('promise' in $$props) $$invalidate(1, promise = $$props.promise); - if ('userNotLoginToast' in $$props) $$invalidate(2, userNotLoginToast = $$props.userNotLoginToast); - if ('ignoreUrlShown' in $$props) $$invalidate(3, ignoreUrlShown = $$props.ignoreUrlShown); - if ('urlToIgnore' in $$props) $$invalidate(4, urlToIgnore = $$props.urlToIgnore); - if ('scanUrl' in $$props) $$invalidate(5, scanUrl = $$props.scanUrl); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - currentRoute, - promise, - userNotLoginToast, - ignoreUrlShown, - urlToIgnore, - scanUrl, - $userSession$, - onDownload, - showIgnore, - download_handler, - ignore_handler, - toastr_show_binding, - updateignoreurl_show_binding - ]; - } - - class BuildDetails extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$g, create_fragment$g, safe_not_equal, { currentRoute: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "BuildDetails", - options, - id: create_fragment$g.name - }); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/PublicBuilds.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$2 } = globals; - const file$f = "src/containers/PublicBuilds.svelte"; - - // (51:4) {:else} - function create_else_block$8(ctx) { - let article; - let raw_value = marked_umd.parse(/*isLoggedInMsg*/ ctx[6]) + ""; - - const block = { - c: function create() { - article = element("article"); - attr_dev(article, "class", "markdown-body"); - add_location(article, file$f, 51, 6, 1327); - }, - m: function mount(target, anchor) { - insert_dev(target, article, anchor); - article.innerHTML = raw_value; - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(article); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$8.name, - type: "else", - source: "(51:4) {:else}", - ctx - }); - - return block; - } - - // (47:4) {#if !$isLoggedIn} - function create_if_block_3$1(ctx) { - let article; - let raw_value = marked_umd.parse(/*notLoggedIn*/ ctx[5]) + ""; - - const block = { - c: function create() { - article = element("article"); - attr_dev(article, "class", "markdown-body"); - add_location(article, file$f, 47, 6, 1218); - }, - m: function mount(target, anchor) { - insert_dev(target, article, anchor); - article.innerHTML = raw_value; - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(article); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3$1.name, - type: "if", - source: "(47:4) {#if !$isLoggedIn}", - ctx - }); - - return block; - } - - // (56:4) {#if !showAllScan} - function create_if_block_2$4(ctx) { - let article; - let raw_value = marked_umd.parse(/*topScanTitle*/ ctx[7]) + ""; - - const block = { - c: function create() { - article = element("article"); - attr_dev(article, "class", "markdown-body mt-5"); - add_location(article, file$f, 56, 6, 1459); - }, - m: function mount(target, anchor) { - insert_dev(target, article, anchor); - article.innerHTML = raw_value; - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(article); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$4.name, - type: "if", - source: "(56:4) {#if !showAllScan}", - ctx - }); - - return block; - } - - // (64:4) {#if !showAllScan} - function create_if_block_1$6(ctx) { - let span; - let a; - let mounted; - let dispose; - - const block = { - c: function create() { - span = element("span"); - a = element("a"); - a.textContent = "Show all Public Scans"; - attr_dev(a, "href", "javascript:void(0)"); - attr_dev(a, "class", "cursor-pointer underline text-sm text-blue font-bold pb-6 hover:text-red-600"); - add_location(a, file$f, 65, 8, 1702); - attr_dev(span, "class", "text-right"); - add_location(span, file$f, 64, 6, 1668); - }, - m: function mount(target, anchor) { - insert_dev(target, span, anchor); - append_dev(span, a); - - if (!mounted) { - dispose = listen_dev(a, "click", /*click_handler*/ ctx[8], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(span); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$6.name, - type: "if", - source: "(64:4) {#if !showAllScan}", - ctx - }); - - return block; - } - - // (81:4) {:catch error} - function create_catch_block$2(ctx) { - let p; - let t_value = /*error*/ ctx[12].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - set_style(p, "color", "red"); - add_location(p, file$f, 81, 6, 2123); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: function update(ctx, dirty) { - if (dirty & /*promise*/ 2 && t_value !== (t_value = /*error*/ ctx[12].message + "")) set_data_dev(t, t_value); - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block$2.name, - type: "catch", - source: "(81:4) {:catch error}", - ctx - }); - - return block; - } - - // (77:4) {:then data} - function create_then_block$2(ctx) { - let if_block_anchor; - let current; - let if_block = /*data*/ ctx[11] && create_if_block$a(ctx); - - const block = { - c: function create() { - if (if_block) if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if (if_block) if_block.m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - if (/*data*/ ctx[11]) { - if (if_block) { - if_block.p(ctx, dirty); - - if (dirty & /*promise*/ 2) { - transition_in(if_block, 1); - } - } else { - if_block = create_if_block$a(ctx); - if_block.c(); - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - } else if (if_block) { - group_outros(); - - transition_out(if_block, 1, 1, () => { - if_block = null; - }); - - check_outros(); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if (if_block) if_block.d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block$2.name, - type: "then", - source: "(77:4) {:then data}", - ctx - }); - - return block; - } - - // (78:6) {#if data} - function create_if_block$a(ctx) { - let buildlist; - let current; - - buildlist = new BuildList({ - props: { - builds: /*data*/ ctx[11], - lastBuild: /*lastBuild*/ ctx[3] - }, - $$inline: true - }); - - const block = { - c: function create() { - create_component(buildlist.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(buildlist, target, anchor); - current = true; - }, - p: function update(ctx, dirty) { - const buildlist_changes = {}; - if (dirty & /*promise*/ 2) buildlist_changes.builds = /*data*/ ctx[11]; - buildlist.$set(buildlist_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(buildlist.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(buildlist.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(buildlist, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$a.name, - type: "if", - source: "(78:6) {#if data}", - ctx - }); - - return block; - } - - // (75:20) {:then data} - function create_pending_block$2(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_pending_block$2.name, - type: "pending", - source: "(75:20) {:then data}", - ctx - }); - - return block; - } - - function create_fragment$f(ctx) { - let div2; - let div0; - let t0; - let t1; - let div1; - let t2; - let promise_1; - let current; - - function select_block_type(ctx, dirty) { - if (!/*$isLoggedIn*/ ctx[2]) return create_if_block_3$1; - return create_else_block$8; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - let if_block1 = !/*showAllScan*/ ctx[0] && create_if_block_2$4(ctx); - let if_block2 = !/*showAllScan*/ ctx[0] && create_if_block_1$6(ctx); - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block$2, - then: create_then_block$2, - catch: create_catch_block$2, - value: 11, - error: 12, - blocks: [,,,] - }; - - handle_promise(promise_1 = /*promise*/ ctx[1], info); - - const block = { - c: function create() { - div2 = element("div"); - div0 = element("div"); - if_block0.c(); - t0 = space(); - if (if_block1) if_block1.c(); - t1 = space(); - div1 = element("div"); - if (if_block2) if_block2.c(); - t2 = space(); - info.block.c(); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-6 mb-4 flex flex-col"); - add_location(div0, file$f, 45, 2, 1114); - attr_dev(div1, "class", "bg-white rounded px-4 pt-2 mb-12 flex flex-col"); - add_location(div1, file$f, 62, 2, 1578); - attr_dev(div2, "class", "container mx-auto"); - add_location(div2, file$f, 44, 0, 1080); - }, - l: function claim(nodes) { - throw new Error_1$2("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, div0); - if_block0.m(div0, null); - append_dev(div0, t0); - if (if_block1) if_block1.m(div0, null); - append_dev(div2, t1); - append_dev(div2, div1); - if (if_block2) if_block2.m(div1, null); - append_dev(div1, t2); - info.block.m(div1, info.anchor = null); - info.mount = () => div1; - info.anchor = null; - current = true; - }, - p: function update(new_ctx, [dirty]) { - ctx = new_ctx; - - if (current_block_type === (current_block_type = select_block_type(ctx)) && if_block0) { - if_block0.p(ctx, dirty); - } else { - if_block0.d(1); - if_block0 = current_block_type(ctx); - - if (if_block0) { - if_block0.c(); - if_block0.m(div0, t0); - } - } - - if (!/*showAllScan*/ ctx[0]) { - if (if_block1) { - if_block1.p(ctx, dirty); - } else { - if_block1 = create_if_block_2$4(ctx); - if_block1.c(); - if_block1.m(div0, null); - } - } else if (if_block1) { - if_block1.d(1); - if_block1 = null; - } - - if (!/*showAllScan*/ ctx[0]) { - if (if_block2) { - if_block2.p(ctx, dirty); - } else { - if_block2 = create_if_block_1$6(ctx); - if_block2.c(); - if_block2.m(div1, t2); - } - } else if (if_block2) { - if_block2.d(1); - if_block2 = null; - } - - info.ctx = ctx; - - if (dirty & /*promise*/ 2 && promise_1 !== (promise_1 = /*promise*/ ctx[1]) && handle_promise(promise_1, info)) ; else { - update_await_block_branch(info, ctx, dirty); - } - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - if_block0.d(); - if (if_block1) if_block1.d(); - if (if_block2) if_block2.d(); - info.block.d(); - info.token = null; - info = null; - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$f.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$f($$self, $$props, $$invalidate) { - let $isLoggedIn; - validate_store(isLoggedIn, 'isLoggedIn'); - component_subscribe($$self, isLoggedIn, $$value => $$invalidate(2, $isLoggedIn = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('PublicBuilds', slots, []); - let canClose; - let lastBuild; - let showAllScan = false; - - async function getLastBuilds() { - const res = await fetch(`${CONSTS.API}/api/allscans?showAll=${showAllScan}`); - const result = await res.json(); - - if (res.ok) { - return sort$1(descend$1(prop$1("buildDate")), result); - } else { - throw new Error("Failed to load"); - } - } - - let promise = getLastBuilds(); - - const toggleShowAllScan = () => { - $$invalidate(0, showAllScan = true); - $$invalidate(1, promise = getLastBuilds()); - }; - - const notLoggedIn = ` - ## Explore SSW CodeAuditor - Showing all Public Scans - [See all](https://codeauditor.com/login) - `; - - const isLoggedInMsg = ` - ## Explore SSW CodeAuditor - `; - - const topScanTitle = ` - ### Latest 500 Public Scans - `; - - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => toggleShowAllScan(); - - $$self.$capture_state = () => ({ - isLoggedIn, - marked: marked_umd, - BuildList, - LoadingFlat, - sort: sort$1, - descend: descend$1, - prop: prop$1, - CONSTS, - canClose, - lastBuild, - showAllScan, - getLastBuilds, - promise, - toggleShowAllScan, - notLoggedIn, - isLoggedInMsg, - topScanTitle, - $isLoggedIn - }); - - $$self.$inject_state = $$props => { - if ('canClose' in $$props) canClose = $$props.canClose; - if ('lastBuild' in $$props) $$invalidate(3, lastBuild = $$props.lastBuild); - if ('showAllScan' in $$props) $$invalidate(0, showAllScan = $$props.showAllScan); - if ('promise' in $$props) $$invalidate(1, promise = $$props.promise); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - showAllScan, - promise, - $isLoggedIn, - lastBuild, - toggleShowAllScan, - notLoggedIn, - isLoggedInMsg, - topScanTitle, - click_handler - ]; - } - - class PublicBuilds extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$f, create_fragment$f, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "PublicBuilds", - options, - id: create_fragment$f.name - }); - } - } - - /* src/containers/HowItWorks.svelte generated by Svelte v3.59.1 */ - const file$e = "src/containers/HowItWorks.svelte"; - - function create_fragment$e(ctx) { - let div30; - let div0; - let article0; - let h10; - let t1; - let h30; - let t3; - let p0; - let t5; - let ul; - let li0; - let t7; - let li1; - let t9; - let li2; - let t11; - let li3; - let t13; - let article1; - let h31; - let t15; - let p1; - let t17; - let p2; - let t19; - let p3; - let t21; - let article2; - let h32; - let t23; - let p4; - let t25; - let div3; - let article3; - let raw0_value = marked_umd.parse(/*instruction*/ ctx[1]) + ""; - let t26; - let article4; - let raw1_value = marked_umd.parse(/*systemRequirements*/ ctx[0]) + ""; - let t27; - let article5; - let raw2_value = marked_umd.parse(/*instructionSteps*/ ctx[2]) + ""; - let t28; - let article6; - let h33; - let t30; - let div1; - let iframe0; - let iframe0_src_value; - let t31; - let article7; - let raw3_value = marked_umd.parse(/*emailAlertInstruction*/ ctx[4]) + ""; - let t32; - let article8; - let raw4_value = marked_umd.parse(/*scanCompareInstruction*/ ctx[5]) + ""; - let t33; - let article9; - let raw5_value = marked_umd.parse(/*customRuleConfig*/ ctx[6]) + ""; - let t34; - let article10; - let raw6_value = marked_umd.parse(/*addingCustomRule*/ ctx[3]) + ""; - let t35; - let article11; - let h34; - let t37; - let div2; - let iframe1; - let iframe1_src_value; - let t38; - let section0; - let div5; - let div4; - let h11; - let t40; - let a0; - let img0; - let img0_src_value; - let t41; - let section1; - let div8; - let div7; - let h12; - let t43; - let p5; - let t45; - let div6; - let button; - let t47; - let section2; - let div11; - let div9; - let h13; - let t49; - let p6; - let t51; - let div10; - let a1; - let img1; - let img1_src_value; - let t52; - let section3; - let div14; - let div12; - let a2; - let img2; - let img2_src_value; - let t53; - let div13; - let h14; - let t55; - let p7; - let t57; - let section4; - let div17; - let div15; - let h15; - let t59; - let p8; - let t61; - let div16; - let a3; - let img3; - let img3_src_value; - let t62; - let section5; - let div20; - let div18; - let a4; - let img4; - let img4_src_value; - let t63; - let div19; - let h16; - let t65; - let p9; - let t67; - let section6; - let div23; - let div21; - let h17; - let t69; - let p10; - let t71; - let div22; - let a5; - let img5; - let img5_src_value; - let t72; - let section7; - let div26; - let div24; - let a6; - let img6; - let img6_src_value; - let t73; - let div25; - let h18; - let t75; - let p11; - let t77; - let section8; - let div29; - let div27; - let h19; - let t79; - let p12; - let t81; - let div28; - let a7; - let img7; - let img7_src_value; - let t82; - let footer; - let div31; - let a8; - let img8; - let img8_src_value; - let t83; - let p13; - let t84; - let a9; - let t86; - let span; - let a10; - let svg0; - let path0; - let t87; - let a11; - let svg1; - let path1; - let t88; - let a12; - let svg2; - let path2; - let circle; - let mounted; - let dispose; - - const block = { - c: function create() { - div30 = element("div"); - div0 = element("div"); - article0 = element("article"); - h10 = element("h1"); - h10.textContent = "SSW CodeAuditor - How It Works"; - t1 = space(); - h30 = element("h3"); - h30.textContent = "What is CodeAuditor?"; - t3 = space(); - p0 = element("p"); - p0.textContent = "CodeAuditor is a tool that automatically scans your website and its code to check"; - t5 = space(); - ul = element("ul"); - li0 = element("li"); - li0.textContent = "Find broken Links - Links to pages which do not work"; - t7 = space(); - li1 = element("li"); - li1.textContent = "Check HTML formatting - May cause pages to be incorrectly shown to the user"; - t9 = space(); - li2 = element("li"); - li2.textContent = "Lighthouse scan - Audits for performance, accessibility, SEO, and more"; - t11 = space(); - li3 = element("li"); - li3.textContent = "Artillery load test - See how website behaves when lot of users access it simultaneously"; - t13 = space(); - article1 = element("article"); - h31 = element("h3"); - h31.textContent = "How does it work?"; - t15 = space(); - p1 = element("p"); - p1.textContent = "CodeAuditor runs scans and checks for issues on your website, and can then generate a report which can be viewed online."; - t17 = space(); - p2 = element("p"); - p2.textContent = "CodeAuditor is simple to use and can be either be run manually, or embedded directly into your build pipeline where it can be configured to automatically fail a build based on a number of broken links, SEO issues or other rules failures to ensure quality."; - t19 = space(); - p3 = element("p"); - p3.textContent = "Signing up for free and logging in to CodeAuditor will allow you to view and track your website's changes and improvements over time."; - t21 = space(); - article2 = element("article"); - h32 = element("h3"); - h32.textContent = "What are the benefits?"; - t23 = space(); - p4 = element("p"); - p4.textContent = "CodeAuditor will automatically pick up and report issues which may exist in your website during the build process which enables you to catch any issues and fix them before they are published and cause bigger problems."; - t25 = space(); - div3 = element("div"); - article3 = element("article"); - t26 = space(); - article4 = element("article"); - t27 = space(); - article5 = element("article"); - t28 = space(); - article6 = element("article"); - h33 = element("h3"); - h33.textContent = "Video - How to use Code Auditor:"; - t30 = space(); - div1 = element("div"); - iframe0 = element("iframe"); - t31 = space(); - article7 = element("article"); - t32 = space(); - article8 = element("article"); - t33 = space(); - article9 = element("article"); - t34 = space(); - article10 = element("article"); - t35 = space(); - article11 = element("article"); - h34 = element("h3"); - h34.textContent = "Video - How To Add, Test and Deploy Custom HTML Rules (For Devs):"; - t37 = space(); - div2 = element("div"); - iframe1 = element("iframe"); - t38 = space(); - section0 = element("section"); - div5 = element("div"); - div4 = element("div"); - h11 = element("h1"); - h11.textContent = "Check out our Github"; - t40 = space(); - a0 = element("a"); - img0 = element("img"); - t41 = space(); - section1 = element("section"); - div8 = element("div"); - div7 = element("div"); - h12 = element("h1"); - h12.textContent = "Sign up now! It's free"; - t43 = space(); - p5 = element("p"); - p5.textContent = "Once signed up, you will be able to unlock the following awesome\n features that allows you to take control of your code, ensuring large,\n complex source code can be simplified, cleaned and maintained"; - t45 = space(); - div6 = element("div"); - button = element("button"); - button.textContent = "Sign up"; - t47 = space(); - section2 = element("section"); - div11 = element("div"); - div9 = element("div"); - h13 = element("h1"); - h13.textContent = "View prior scans history"; - t49 = space(); - p6 = element("p"); - p6.textContent = "View previous scan results"; - t51 = space(); - div10 = element("div"); - a1 = element("a"); - img1 = element("img"); - t52 = space(); - section3 = element("section"); - div14 = element("div"); - div12 = element("div"); - a2 = element("a"); - img2 = element("img"); - t53 = space(); - div13 = element("div"); - h14 = element("h1"); - h14.textContent = "Export to CSV"; - t55 = space(); - p7 = element("p"); - p7.textContent = "Export scan result to CSV to perform further analysis (e.g on PowerBI)"; - t57 = space(); - section4 = element("section"); - div17 = element("div"); - div15 = element("div"); - h15 = element("h1"); - h15.textContent = "View Lighthouse Report"; - t59 = space(); - p8 = element("p"); - p8.textContent = "View Lighthouse Report without leaving the app"; - t61 = space(); - div16 = element("div"); - a3 = element("a"); - img3 = element("img"); - t62 = space(); - section5 = element("section"); - div20 = element("div"); - div18 = element("div"); - a4 = element("a"); - img4 = element("img"); - t63 = space(); - div19 = element("div"); - h16 = element("h1"); - h16.textContent = "Set Lighthouse Threshold"; - t65 = space(); - p9 = element("p"); - p9.textContent = "If Performance is less than 80 and SEO score is less than 100, fail\n the build"; - t67 = space(); - section6 = element("section"); - div23 = element("div"); - div21 = element("div"); - h17 = element("h1"); - h17.textContent = "Ignore broken Links"; - t69 = space(); - p10 = element("p"); - p10.textContent = "Ignored URLs will not cause build to fail"; - t71 = space(); - div22 = element("div"); - a5 = element("a"); - img5 = element("img"); - t72 = space(); - section7 = element("section"); - div26 = element("div"); - div24 = element("div"); - a6 = element("a"); - img6 = element("img"); - t73 = space(); - div25 = element("div"); - h18 = element("h1"); - h18.textContent = "View Code Errors"; - t75 = space(); - p11 = element("p"); - p11.textContent = "View HTML code errors and Code errors without leaving the app"; - t77 = space(); - section8 = element("section"); - div29 = element("div"); - div27 = element("div"); - h19 = element("h1"); - h19.textContent = "View Artillery Load Test"; - t79 = space(); - p12 = element("p"); - p12.textContent = "View Load Test results ran by Artillery without leaving the app"; - t81 = space(); - div28 = element("div"); - a7 = element("a"); - img7 = element("img"); - t82 = space(); - footer = element("footer"); - div31 = element("div"); - a8 = element("a"); - img8 = element("img"); - t83 = space(); - p13 = element("p"); - t84 = text("© 2020 SSW —\n "); - a9 = element("a"); - a9.textContent = "@ssw_tv"; - t86 = space(); - span = element("span"); - a10 = element("a"); - svg0 = svg_element("svg"); - path0 = svg_element("path"); - t87 = space(); - a11 = element("a"); - svg1 = svg_element("svg"); - path1 = svg_element("path"); - t88 = space(); - a12 = element("a"); - svg2 = svg_element("svg"); - path2 = svg_element("path"); - circle = svg_element("circle"); - add_location(h10, file$e, 142, 6, 6177); - add_location(h30, file$e, 143, 6, 6223); - add_location(p0, file$e, 144, 6, 6259); - add_location(li0, file$e, 148, 8, 6402); - add_location(li1, file$e, 149, 8, 6472); - add_location(li2, file$e, 150, 8, 6565); - add_location(li3, file$e, 151, 8, 6653); - attr_dev(ul, "class", "list-disc"); - add_location(ul, file$e, 147, 6, 6371); - attr_dev(article0, "class", "markdown-body mt-5"); - add_location(article0, file$e, 141, 4, 6134); - add_location(h31, file$e, 155, 6, 6826); - add_location(p1, file$e, 156, 6, 6859); - add_location(p2, file$e, 159, 6, 7009); - add_location(p3, file$e, 162, 6, 7294); - attr_dev(article1, "class", "markdown-body mt-5"); - add_location(article1, file$e, 154, 4, 6783); - add_location(h32, file$e, 165, 6, 7497); - add_location(p4, file$e, 166, 6, 7535); - attr_dev(article2, "class", "markdown-body mt-5"); - add_location(article2, file$e, 164, 4, 7454); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div0, file$e, 140, 2, 6055); - attr_dev(article3, "class", "markdown-body"); - add_location(article3, file$e, 172, 6, 7883); - attr_dev(article4, "class", "markdown-body mt-8"); - add_location(article4, file$e, 175, 6, 7980); - attr_dev(article5, "class", "markdown-body mt-8"); - add_location(article5, file$e, 178, 6, 8089); - add_location(h33, file$e, 182, 8, 8241); - attr_dev(iframe0, "width", "560"); - attr_dev(iframe0, "height", "315"); - if (!src_url_equal(iframe0.src, iframe0_src_value = "https://www.youtube.com/embed/DCDAtmvaPUY")) attr_dev(iframe0, "src", iframe0_src_value); - attr_dev(iframe0, "title", "YouTube video player"); - attr_dev(iframe0, "frameborder", "0"); - attr_dev(iframe0, "allow", "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture"); - iframe0.allowFullscreen = true; - add_location(iframe0, file$e, 184, 10, 8307); - add_location(div1, file$e, 183, 8, 8291); - attr_dev(article6, "class", "markdown-body mt-8"); - add_location(article6, file$e, 181, 6, 8196); - attr_dev(article7, "class", "markdown-body mt-8"); - add_location(article7, file$e, 187, 6, 8594); - attr_dev(article8, "class", "markdown-body mt-8"); - add_location(article8, file$e, 190, 6, 8706); - attr_dev(article9, "class", "markdown-body mt-8"); - add_location(article9, file$e, 193, 6, 8819); - attr_dev(article10, "class", "markdown-body mt-8"); - add_location(article10, file$e, 196, 6, 8926); - add_location(h34, file$e, 200, 8, 9078); - attr_dev(iframe1, "width", "560"); - attr_dev(iframe1, "height", "315"); - if (!src_url_equal(iframe1.src, iframe1_src_value = "https://www.youtube.com/embed/iduwnyzdcFo")) attr_dev(iframe1, "src", iframe1_src_value); - attr_dev(iframe1, "title", "YouTube video player"); - attr_dev(iframe1, "frameborder", "0"); - attr_dev(iframe1, "allow", "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture"); - iframe1.allowFullscreen = true; - add_location(iframe1, file$e, 202, 10, 9177); - add_location(div2, file$e, 201, 8, 9161); - attr_dev(article11, "class", "markdown-body mt-8"); - add_location(article11, file$e, 199, 6, 9033); - attr_dev(div3, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div3, file$e, 171, 2, 7802); - attr_dev(h11, "class", "title-font sm:text-4xl text-3xl mb-10 font-medium text-gray-900"); - add_location(h11, file$e, 212, 8, 9661); - attr_dev(div4, "class", "text-center lg:w-2/3 w-full"); - add_location(div4, file$e, 211, 4, 9611); - attr_dev(img0, "width", "110"); - attr_dev(img0, "height", "100"); - attr_dev(img0, "alt", "hero"); - if (!src_url_equal(img0.src, img0_src_value = "/images/githublogo.png")) attr_dev(img0, "src", img0_src_value); - add_location(img0, file$e, 220, 8, 9904); - attr_dev(a0, "href", "https://github.com/SSWConsulting/SSW.CodeAuditor"); - attr_dev(a0, "target", "_blank"); - add_location(a0, file$e, 217, 4, 9804); - attr_dev(div5, "class", "container mx-auto flex px-5 py-20 items-center justify-center flex-col"); - add_location(div5, file$e, 208, 4, 9514); - attr_dev(section0, "class", "text-gray-700 body-font"); - add_location(section0, file$e, 207, 0, 9468); - attr_dev(h12, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h12, file$e, 230, 8, 10208); - attr_dev(p5, "class", "mb-8 text-lg leading-relaxed"); - add_location(p5, file$e, 234, 8, 10345); - attr_dev(button, "class", "inline-flex text-white border-0 py-2 px-6 focus:outline-none hover:bg-gray-800 rounded text-lg bgdark"); - add_location(button, file$e, 241, 8, 10672); - attr_dev(div6, "class", "flex justify-center"); - add_location(div6, file$e, 240, 8, 10630); - attr_dev(div7, "class", "text-center lg:w-2/3 w-full"); - add_location(div7, file$e, 229, 4, 10158); - attr_dev(div8, "class", "container mx-auto flex px-5 pb-20 pt-15 items-center justify-center flex-col"); - add_location(div8, file$e, 226, 4, 10055); - attr_dev(section1, "class", "text-gray-700 body-font"); - add_location(section1, file$e, 225, 0, 10009); - attr_dev(h13, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h13, file$e, 258, 8, 11234); - attr_dev(p6, "class", "mb-8 leading-relaxed"); - add_location(p6, file$e, 262, 8, 11373); - attr_dev(div9, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div9, file$e, 255, 4, 11089); - attr_dev(img1, "class", "object-cover object-center rounded"); - attr_dev(img1, "alt", "hero"); - if (!src_url_equal(img1.src, img1_src_value = "/images/dashboard.png")) attr_dev(img1, "src", img1_src_value); - add_location(img1, file$e, 268, 6, 11573); - attr_dev(a1, "href", "/images/dashboard.png"); - attr_dev(a1, "target", "_blank"); - add_location(a1, file$e, 267, 6, 11518); - attr_dev(div10, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div10, file$e, 266, 4, 11469); - attr_dev(div11, "class", "container mx-auto flex px-5 py-19 md:flex-row flex-col items-center"); - add_location(div11, file$e, 253, 4, 10999); - attr_dev(section2, "class", "text-gray-700 body-font"); - add_location(section2, file$e, 252, 0, 10953); - attr_dev(img2, "class", "object-cover object-center rounded"); - attr_dev(img2, "alt", "hero"); - if (!src_url_equal(img2.src, img2_src_value = "/images/exportcsv.png")) attr_dev(img2, "src", img2_src_value); - add_location(img2, file$e, 282, 8, 11980); - attr_dev(a2, "href", "/images/exportcsv.png"); - attr_dev(a2, "target", "_blank"); - add_location(a2, file$e, 281, 8, 11923); - attr_dev(div12, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div12, file$e, 280, 4, 11872); - attr_dev(h14, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h14, file$e, 291, 8, 12279); - attr_dev(p7, "class", "mb-8 leading-relaxed"); - add_location(p7, file$e, 295, 8, 12407); - attr_dev(div13, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div13, file$e, 288, 4, 12134); - attr_dev(div14, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div14, file$e, 278, 4, 11782); - attr_dev(section3, "class", "text-gray-700 body-font"); - add_location(section3, file$e, 277, 0, 11736); - attr_dev(h15, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h15, file$e, 308, 8, 12847); - attr_dev(p8, "class", "mb-8 leading-relaxed"); - add_location(p8, file$e, 312, 8, 12984); - attr_dev(div15, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div15, file$e, 305, 4, 12702); - attr_dev(img3, "class", "object-cover object-center rounded"); - attr_dev(img3, "alt", "hero"); - if (!src_url_equal(img3.src, img3_src_value = "/images/lighthouse2.png")) attr_dev(img3, "src", img3_src_value); - add_location(img3, file$e, 318, 6, 13206); - attr_dev(a3, "href", "/images/lighthouse2.png"); - attr_dev(a3, "target", "_blank"); - add_location(a3, file$e, 317, 6, 13149); - attr_dev(div16, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div16, file$e, 316, 4, 13100); - attr_dev(div17, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div17, file$e, 303, 4, 12612); - attr_dev(section4, "class", "text-gray-700 body-font"); - add_location(section4, file$e, 302, 0, 12566); - attr_dev(img4, "class", "object-cover object-center rounded"); - attr_dev(img4, "alt", "hero"); - if (!src_url_equal(img4.src, img4_src_value = "/images/threshold.png")) attr_dev(img4, "src", img4_src_value); - add_location(img4, file$e, 332, 8, 13617); - attr_dev(a4, "href", "/images/threshold.png"); - attr_dev(a4, "target", "_blank"); - add_location(a4, file$e, 331, 8, 13560); - attr_dev(div18, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div18, file$e, 330, 4, 13509); - attr_dev(h16, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h16, file$e, 341, 8, 13916); - attr_dev(p9, "class", "mb-8 leading-relaxed"); - add_location(p9, file$e, 345, 8, 14055); - attr_dev(div19, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div19, file$e, 338, 4, 13771); - attr_dev(div20, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div20, file$e, 328, 4, 13419); - attr_dev(section5, "class", "text-gray-700 body-font"); - add_location(section5, file$e, 327, 0, 13373); - attr_dev(h17, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h17, file$e, 359, 8, 14510); - attr_dev(p10, "class", "mb-8 leading-relaxed"); - add_location(p10, file$e, 363, 8, 14644); - attr_dev(div21, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div21, file$e, 356, 4, 14365); - attr_dev(img5, "class", "object-cover object-center rounded"); - attr_dev(img5, "alt", "hero"); - if (!src_url_equal(img5.src, img5_src_value = "/images/ignore.png")) attr_dev(img5, "src", img5_src_value); - add_location(img5, file$e, 369, 6, 14856); - attr_dev(a5, "href", "/images/ignore.png"); - attr_dev(a5, "target", "_blank"); - add_location(a5, file$e, 368, 6, 14804); - attr_dev(div22, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div22, file$e, 367, 4, 14755); - attr_dev(div23, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div23, file$e, 354, 4, 14275); - attr_dev(section6, "class", "text-gray-700 body-font"); - add_location(section6, file$e, 353, 0, 14229); - attr_dev(img6, "class", "object-cover object-center rounded"); - attr_dev(img6, "alt", "hero"); - if (!src_url_equal(img6.src, img6_src_value = "/images/codeissues.png")) attr_dev(img6, "src", img6_src_value); - add_location(img6, file$e, 383, 8, 15263); - attr_dev(a6, "href", "/images/codeissues.png"); - attr_dev(a6, "target", "_blank"); - add_location(a6, file$e, 382, 8, 15205); - attr_dev(div24, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div24, file$e, 381, 4, 15154); - attr_dev(h18, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h18, file$e, 392, 8, 15563); - attr_dev(p11, "class", "mb-8 leading-relaxed"); - add_location(p11, file$e, 396, 8, 15694); - attr_dev(div25, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div25, file$e, 389, 4, 15418); - attr_dev(div26, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div26, file$e, 379, 4, 15064); - attr_dev(section7, "class", "text-gray-700 body-font"); - add_location(section7, file$e, 378, 0, 15018); - attr_dev(h19, "class", "title-font sm:text-4xl text-3xl mb-4 font-medium text-gray-900"); - add_location(h19, file$e, 409, 8, 16125); - attr_dev(p12, "class", "mb-8 leading-relaxed"); - add_location(p12, file$e, 413, 8, 16264); - attr_dev(div27, "class", "lg:flex-grow md:w-1/2 lg:pl-24 md:pl-16 flex flex-col md:items-start md:text-left items-center text-center"); - add_location(div27, file$e, 406, 4, 15980); - attr_dev(img7, "class", "object-cover object-center rounded"); - attr_dev(img7, "alt", "hero"); - if (!src_url_equal(img7.src, img7_src_value = "/images/artillery.png")) attr_dev(img7, "src", img7_src_value); - add_location(img7, file$e, 419, 6, 16501); - attr_dev(a7, "href", "/images/artillery.png"); - attr_dev(a7, "target", "_blank"); - add_location(a7, file$e, 418, 6, 16446); - attr_dev(div28, "class", "md:w-1/2 w-5/6 mb-10 md:mb-0"); - add_location(div28, file$e, 417, 4, 16397); - attr_dev(div29, "class", "container mx-auto flex px-5 py-24 md:flex-row flex-col items-center"); - add_location(div29, file$e, 404, 4, 15890); - attr_dev(section8, "class", "text-gray-700 body-font"); - add_location(section8, file$e, 403, 0, 15844); - attr_dev(div30, "class", "container mx-auto"); - add_location(div30, file$e, 139, 0, 6021); - if (!src_url_equal(img8.src, img8_src_value = "https://i.ibb.co/8mfYrX2/Code-Auditor-footer.png")) attr_dev(img8, "src", img8_src_value); - attr_dev(img8, "alt", "CodeAuditor"); - attr_dev(img8, "width", "200"); - attr_dev(img8, "height", "300"); - add_location(img8, file$e, 436, 4, 16927); - attr_dev(a8, "href", "/"); - attr_dev(a8, "class", "flex title-font font-medium items-center md:justify-start justify-center text-gray-900"); - add_location(a8, file$e, 432, 4, 16803); - attr_dev(a9, "href", "https://twitter.com/ssw_tv"); - attr_dev(a9, "class", "text-gray-600 ml-1"); - attr_dev(a9, "rel", "noopener noreferrer"); - attr_dev(a9, "target", "_blank"); - add_location(a9, file$e, 446, 4, 17211); - attr_dev(p13, "class", "text-sm text-gray-500 sm:ml-4 sm:pl-4 sm:border-l-2 sm:border-gray-200 sm:py-2 sm:mt-0 mt-4"); - add_location(p13, file$e, 442, 4, 17078); - attr_dev(path0, "d", "M18 2h-3a5 5 0 00-5 5v3H7v4h3v8h4v-8h3l1-4h-4V7a1 1 0 011-1h3z"); - add_location(path0, file$e, 467, 8, 17772); - attr_dev(svg0, "fill", "currentColor"); - attr_dev(svg0, "stroke-linecap", "round"); - attr_dev(svg0, "stroke-linejoin", "round"); - attr_dev(svg0, "stroke-width", "2"); - attr_dev(svg0, "class", "w-5 h-5"); - attr_dev(svg0, "viewBox", "0 0 24 24"); - add_location(svg0, file$e, 460, 8, 17590); - attr_dev(a10, "target", "_blank"); - attr_dev(a10, "class", "text-gray-500"); - attr_dev(a10, "href", "https://facebook.com/ssw.page"); - add_location(a10, file$e, 456, 4, 17479); - attr_dev(path1, "d", "M23 3a10.9 10.9 0 01-3.14 1.53 4.48 4.48 0 00-7.86 3v1A10.66\n 10.66 0 013 4s-4 9 5 13a11.64 11.64 0 01-7 2c9 5 20 0 20-11.5a4.5\n 4.5 0 00-.08-.83A7.72 7.72 0 0023 3z"); - add_location(path1, file$e, 482, 8, 18183); - attr_dev(svg1, "fill", "currentColor"); - attr_dev(svg1, "stroke-linecap", "round"); - attr_dev(svg1, "stroke-linejoin", "round"); - attr_dev(svg1, "stroke-width", "2"); - attr_dev(svg1, "class", "w-5 h-5"); - attr_dev(svg1, "viewBox", "0 0 24 24"); - add_location(svg1, file$e, 475, 8, 18001); - attr_dev(a11, "target", "_blank"); - attr_dev(a11, "class", "ml-3 text-gray-500"); - attr_dev(a11, "href", "https://twitter.com/ssw_tv"); - add_location(a11, file$e, 471, 4, 17888); - attr_dev(path2, "stroke", "none"); - attr_dev(path2, "d", "M16 8a6 6 0 016 6v7h-4v-7a2 2 0 00-2-2 2 2 0 00-2 2v7h-4v-7a6 6 0\n 016-6zM2 9h4v12H2z"); - add_location(path2, file$e, 500, 8, 18759); - attr_dev(circle, "cx", "4"); - attr_dev(circle, "cy", "4"); - attr_dev(circle, "r", "2"); - attr_dev(circle, "stroke", "none"); - add_location(circle, file$e, 504, 8, 18915); - attr_dev(svg2, "fill", "currentColor"); - attr_dev(svg2, "stroke", "currentColor"); - attr_dev(svg2, "stroke-linecap", "round"); - attr_dev(svg2, "stroke-linejoin", "round"); - attr_dev(svg2, "stroke-width", "0"); - attr_dev(svg2, "class", "w-5 h-5"); - attr_dev(svg2, "viewBox", "0 0 24 24"); - add_location(svg2, file$e, 492, 8, 18547); - attr_dev(a12, "target", "_blank"); - attr_dev(a12, "class", "ml-3 text-gray-500"); - attr_dev(a12, "href", "https://www.linkedin.com/company/ssw"); - add_location(a12, file$e, 488, 4, 18424); - attr_dev(span, "class", "inline-flex sm:ml-auto sm:mt-0 mt-4 justify-center sm:justify-start"); - add_location(span, file$e, 454, 4, 17388); - attr_dev(div31, "class", "container px-5 py-8 mx-auto flex items-center sm:flex-row flex-col"); - add_location(div31, file$e, 430, 0, 16714); - attr_dev(footer, "class", "text-gray-700 body-font"); - add_location(footer, file$e, 429, 0, 16673); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div30, anchor); - append_dev(div30, div0); - append_dev(div0, article0); - append_dev(article0, h10); - append_dev(article0, t1); - append_dev(article0, h30); - append_dev(article0, t3); - append_dev(article0, p0); - append_dev(article0, t5); - append_dev(article0, ul); - append_dev(ul, li0); - append_dev(ul, t7); - append_dev(ul, li1); - append_dev(ul, t9); - append_dev(ul, li2); - append_dev(ul, t11); - append_dev(ul, li3); - append_dev(div0, t13); - append_dev(div0, article1); - append_dev(article1, h31); - append_dev(article1, t15); - append_dev(article1, p1); - append_dev(article1, t17); - append_dev(article1, p2); - append_dev(article1, t19); - append_dev(article1, p3); - append_dev(div0, t21); - append_dev(div0, article2); - append_dev(article2, h32); - append_dev(article2, t23); - append_dev(article2, p4); - append_dev(div30, t25); - append_dev(div30, div3); - append_dev(div3, article3); - article3.innerHTML = raw0_value; - append_dev(div3, t26); - append_dev(div3, article4); - article4.innerHTML = raw1_value; - append_dev(div3, t27); - append_dev(div3, article5); - article5.innerHTML = raw2_value; - append_dev(div3, t28); - append_dev(div3, article6); - append_dev(article6, h33); - append_dev(article6, t30); - append_dev(article6, div1); - append_dev(div1, iframe0); - append_dev(div3, t31); - append_dev(div3, article7); - article7.innerHTML = raw3_value; - append_dev(div3, t32); - append_dev(div3, article8); - article8.innerHTML = raw4_value; - append_dev(div3, t33); - append_dev(div3, article9); - article9.innerHTML = raw5_value; - append_dev(div3, t34); - append_dev(div3, article10); - article10.innerHTML = raw6_value; - append_dev(div3, t35); - append_dev(div3, article11); - append_dev(article11, h34); - append_dev(article11, t37); - append_dev(article11, div2); - append_dev(div2, iframe1); - append_dev(div30, t38); - append_dev(div30, section0); - append_dev(section0, div5); - append_dev(div5, div4); - append_dev(div4, h11); - append_dev(div5, t40); - append_dev(div5, a0); - append_dev(a0, img0); - append_dev(div30, t41); - append_dev(div30, section1); - append_dev(section1, div8); - append_dev(div8, div7); - append_dev(div7, h12); - append_dev(div7, t43); - append_dev(div7, p5); - append_dev(div7, t45); - append_dev(div7, div6); - append_dev(div6, button); - append_dev(div30, t47); - append_dev(div30, section2); - append_dev(section2, div11); - append_dev(div11, div9); - append_dev(div9, h13); - append_dev(div9, t49); - append_dev(div9, p6); - append_dev(div11, t51); - append_dev(div11, div10); - append_dev(div10, a1); - append_dev(a1, img1); - append_dev(div30, t52); - append_dev(div30, section3); - append_dev(section3, div14); - append_dev(div14, div12); - append_dev(div12, a2); - append_dev(a2, img2); - append_dev(div14, t53); - append_dev(div14, div13); - append_dev(div13, h14); - append_dev(div13, t55); - append_dev(div13, p7); - append_dev(div30, t57); - append_dev(div30, section4); - append_dev(section4, div17); - append_dev(div17, div15); - append_dev(div15, h15); - append_dev(div15, t59); - append_dev(div15, p8); - append_dev(div17, t61); - append_dev(div17, div16); - append_dev(div16, a3); - append_dev(a3, img3); - append_dev(div30, t62); - append_dev(div30, section5); - append_dev(section5, div20); - append_dev(div20, div18); - append_dev(div18, a4); - append_dev(a4, img4); - append_dev(div20, t63); - append_dev(div20, div19); - append_dev(div19, h16); - append_dev(div19, t65); - append_dev(div19, p9); - append_dev(div30, t67); - append_dev(div30, section6); - append_dev(section6, div23); - append_dev(div23, div21); - append_dev(div21, h17); - append_dev(div21, t69); - append_dev(div21, p10); - append_dev(div23, t71); - append_dev(div23, div22); - append_dev(div22, a5); - append_dev(a5, img5); - append_dev(div30, t72); - append_dev(div30, section7); - append_dev(section7, div26); - append_dev(div26, div24); - append_dev(div24, a6); - append_dev(a6, img6); - append_dev(div26, t73); - append_dev(div26, div25); - append_dev(div25, h18); - append_dev(div25, t75); - append_dev(div25, p11); - append_dev(div30, t77); - append_dev(div30, section8); - append_dev(section8, div29); - append_dev(div29, div27); - append_dev(div27, h19); - append_dev(div27, t79); - append_dev(div27, p12); - append_dev(div29, t81); - append_dev(div29, div28); - append_dev(div28, a7); - append_dev(a7, img7); - insert_dev(target, t82, anchor); - insert_dev(target, footer, anchor); - append_dev(footer, div31); - append_dev(div31, a8); - append_dev(a8, img8); - append_dev(div31, t83); - append_dev(div31, p13); - append_dev(p13, t84); - append_dev(p13, a9); - append_dev(div31, t86); - append_dev(div31, span); - append_dev(span, a10); - append_dev(a10, svg0); - append_dev(svg0, path0); - append_dev(span, t87); - append_dev(span, a11); - append_dev(a11, svg1); - append_dev(svg1, path1); - append_dev(span, t88); - append_dev(span, a12); - append_dev(a12, svg2); - append_dev(svg2, path2); - append_dev(svg2, circle); - - if (!mounted) { - dispose = listen_dev(button, "click", /*click_handler*/ ctx[7], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div30); - if (detaching) detach_dev(t82); - if (detaching) detach_dev(footer); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$e.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$e($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('HowItWorks', slots, []); - let unsubscription; - let tokenText; - - userSession$.subscribe(x => { - if (x) { - unsubscription = firebase.firestore().collection(CONSTS.USERS).doc(x.uid); - tokenText = '--token ' + x.apiKey; - } else { - tokenText = ''; - } - }); - - const systemRequirements = ` - ## System requirements - Make sure your system meets the following requirements: - \`\`\` bash - - Have Docker Desktop running in the background - - Have at least 1GB of storage to download the Docker image - \`\`\``; - - const instruction = ` - ## How to Use CodeAuditor - Scan any website for broken links, [HTML Issues](https://htmlhint.com), [Google Lighthouse Audit](https://developers.google.com/web/tools/lighthouse) and [Artillery Load Test](https://artillery.io/) by running the following command: - \`\`\` bash - $ docker container run --cap-add=SYS_ADMIN sswconsulting/codeauditor ${tokenText} --url - \`\`\` - `; - - const instructionSteps = ` - ## Instructions to scan an URL - ### On Windows - \`\`\` bash - 1. Download Docker for Windows at https://docs.docker.com/docker-for-windows/install/ - 2. Follow the installation steps and run Docker - 3. On CodeAuditor, copy the following command: docker run sswconsulting/codeauditor ${tokenText} --url - 4. Open Windows Powershell and paste the above command, replace with your designated url - (make sure to include the full URL with 'https') - 5. Once scan is complete, a result script will display which gives you a link to your scan result page - \`\`\` - - ### On Mac - \`\`\` bash - 1. Download Docker for Mac at https://docs.docker.com/docker-for-mac/install/ - 2. Follow the installation steps and run Docker - 3. On CodeAuditor, copy the following command: docker run sswconsulting/codeauditor ${tokenText} --url - 4. Open the Terminal and paste the above command, replace with your designated url - (make sure to include the full URL with 'https') - 5. Once scan is complete, a result script will display which gives you a link to your scan result page - \`\`\``; - - const addingCustomRule = ` - ## How to Add Custom HTML Hint Rules - #### 1. Go to our GitHub and clone the project at https://github.com/SSWConsulting/SSW.CodeAuditor - #### 2. Have a look at [HtmlHint Rules](https://github.com/htmlhint/HTMLHint/tree/master/src/core/rules) to view sample existing rules - #### 3. In your local repo, go to \`\`\` docker/customHtmlRules.js \`\`\` - #### 4. Add your custom Rule under \`\`\`// Add new custom rule below\`\`\` using the following template: - \`\`\` js - HTMLHint.addRule({ - id: "your-custom-rule-id", - description: "Your custom rule description", - init: function (parser, reporter) { - // Your rule logic - } - }) - \`\`\` - **IMPORTANT:**
    - Use \`\`\` reporter.warn \`\`\` if you want to report your custom rule violation as a **warning**
    - Use \`\`\` reporter.error \`\`\` if you want to report your custom rule violation as a **error** - - #### 5. Go to \`\`\`docker/api.js\`\`\`: On the last export named \`\`\`htmlHintConfig\`\`\`, add your new custom rule id to the list using the following format: - \`\`\` js - exports.htmlHintConfig = { - your-custom-rule-id: true, - ... - } - \`\`\` - #### 6. Go to \`\`\`ui/src/utils/utils.js\`\`\` On the last export named \`\`\`customHtmlHintRules\`\`\` add your new custom rule id to the list using the following format: - \`\`\` js - export const customHtmlHintRules = [ - { rule: "your-custom-rule-id" }, - ... - ]; - \`\`\` - #### 7. Make a Pull Request and have it checked by CodeAuditor Team`; - - const emailAlertInstruction = ` - ## How to send automated Email Alert for future scans - #### 1. Click on "Send Email Alerts" to open the modal - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/d466a84e-b142-4185-880a-1d60dac78d41) - **Figure: Send Email Alerts button** - - #### 2. Add or remove email addresses to receive alert - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/4b7492d0-5dde-4b6c-be43-e1b05b98fb89) - **Figure: Email alerts modal** - - #### 3. After you run your next scan, the email addresses will receive automated email alerts - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/69b44d1b-22b3-477c-8ab4-19560d88e64d) - **Figure: Sample email alerts** - `; - - const scanCompareInstruction = ` - ## How to compare to latest scan - #### 1. Click on "Compare to latest scan" to go to scan compare page - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/a0b1c84a-8dd7-42d8-9366-587c14d09596) - **Figure: Scan compare button** - - #### 2. Select in the dropdown list to choose which previous scan you want to compare to the latest one - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/d0978ed2-417d-4085-907e-ae4fc6a8b20b) - **Figure: Scan comparison page** - `; - - const customRuleConfig = ` - ## How to Use Custom HTML Rules Configuration - #### 1. Click on "Enabled Rules" - ![image](https://user-images.githubusercontent.com/67776356/229018349-ab11cb85-1650-41c5-b3e5-af3e81a53bc0.png) - **Figure: Enabled Rules button** - - #### 2. Select which custom rules you want for your next scan - ![Image](https://github.com/SSWConsulting/SSW.CodeAuditor/assets/67776356/f6d09566-0ff8-4ef8-a120-53fade615689) - **Figure: Custom rule selection modal** - - #### 3. After you run your next scan, you should only be able to see the scan results for your selected html rules - ![image](https://user-images.githubusercontent.com/67776356/229019594-39b9e95e-c91b-41f8-b3a4-e33d370bad0c.png) - **Figure: Custom rule selection modal** - `; - - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - const click_handler = () => src_3('/signup'); - - $$self.$capture_state = () => ({ - userSession$, - marked: marked_umd, - navigateTo: src_3, - onDestroy, - onMount, - firebase, - CONSTS, - unsubscription, - tokenText, - systemRequirements, - instruction, - instructionSteps, - addingCustomRule, - emailAlertInstruction, - scanCompareInstruction, - customRuleConfig - }); - - $$self.$inject_state = $$props => { - if ('unsubscription' in $$props) unsubscription = $$props.unsubscription; - if ('tokenText' in $$props) tokenText = $$props.tokenText; - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - systemRequirements, - instruction, - instructionSteps, - addingCustomRule, - emailAlertInstruction, - scanCompareInstruction, - customRuleConfig, - click_handler - ]; - } - - class HowItWorks extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$e, create_fragment$e, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "HowItWorks", - options, - id: create_fragment$e.name - }); - } - } - - /* src/containers/Rules.svelte generated by Svelte v3.59.1 */ - const file$d = "src/containers/Rules.svelte"; - - function get_each_context$1(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[0] = list[i]; - child_ctx[2] = i; - return child_ctx; - } - - function get_each_context_1(ctx, list, i) { - const child_ctx = ctx.slice(); - child_ctx[0] = list[i]; - child_ctx[2] = i; - return child_ctx; - } - - // (14:6) {#each customHtmlHintRules as rule, i} - function create_each_block_1(ctx) { - let ol; - let li; - let a; - let t0_value = /*i*/ ctx[2] + 1 + ""; - let t0; - let t1; - let i_1; - let t2; - let t3_value = /*rule*/ ctx[0].displayName + ""; - let t3; - let t4; - - const block = { - c: function create() { - ol = element("ol"); - li = element("li"); - a = element("a"); - t0 = text(t0_value); - t1 = text(". \n "); - i_1 = element("i"); - t2 = space(); - t3 = text(t3_value); - t4 = space(); - - attr_dev(i_1, "class", /*rule*/ ctx[0].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md'); - - attr_dev(i_1, "style", /*rule*/ ctx[0].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i_1, file$d, 18, 12, 591); - - attr_dev(a, "class", "" + ((/*rule*/ ctx[0].ruleLink - ? 'link hover:text-red-600' - : 'text cursor-text') + " inline-block align-baseline" + " svelte-sc5ab6")); - - attr_dev(a, "href", /*rule*/ ctx[0].ruleLink); - add_location(a, file$d, 16, 10, 431); - add_location(li, file$d, 15, 8, 416); - add_location(ol, file$d, 14, 6, 403); - }, - m: function mount(target, anchor) { - insert_dev(target, ol, anchor); - append_dev(ol, li); - append_dev(li, a); - append_dev(a, t0); - append_dev(a, t1); - append_dev(a, i_1); - append_dev(a, t2); - append_dev(a, t3); - append_dev(ol, t4); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(ol); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block_1.name, - type: "each", - source: "(14:6) {#each customHtmlHintRules as rule, i}", - ctx - }); - - return block; - } - - // (28:8) {#each htmlHintRules as rule, i} - function create_each_block$1(ctx) { - let ol; - let li; - let a; - let t0_value = /*i*/ ctx[2] + 1 + ""; - let t0; - let t1; - let i_1; - let t2; - let t3_value = /*rule*/ ctx[0].displayName + ""; - let t3; - let t4; - - const block = { - c: function create() { - ol = element("ol"); - li = element("li"); - a = element("a"); - t0 = text(t0_value); - t1 = text(". \n "); - i_1 = element("i"); - t2 = space(); - t3 = text(t3_value); - t4 = space(); - - attr_dev(i_1, "class", /*rule*/ ctx[0].type === RuleType.Error - ? 'fas fa-exclamation-circle fa-md' - : 'fas fa-exclamation-triangle fa-md'); - - attr_dev(i_1, "style", /*rule*/ ctx[0].type === RuleType.Error - ? 'color: red' - : 'color: #d69e2e'); - - add_location(i_1, file$d, 32, 14, 1201); - attr_dev(a, "class", "inline-block align-baseline link hover:text-red-600 svelte-sc5ab6"); - attr_dev(a, "href", "https://htmlhint.com/docs/user-guide/rules/" + /*rule*/ ctx[0].rule); - add_location(a, file$d, 30, 12, 1037); - add_location(li, file$d, 29, 10, 1020); - add_location(ol, file$d, 28, 8, 1005); - }, - m: function mount(target, anchor) { - insert_dev(target, ol, anchor); - append_dev(ol, li); - append_dev(li, a); - append_dev(a, t0); - append_dev(a, t1); - append_dev(a, i_1); - append_dev(a, t2); - append_dev(a, t3); - append_dev(ol, t4); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(ol); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_each_block$1.name, - type: "each", - source: "(28:8) {#each htmlHintRules as rule, i}", - ctx - }); - - return block; - } - - function create_fragment$d(ctx) { - let div1; - let div0; - let article0; - let h1; - let t1; - let h20; - let t3; - let t4; - let article1; - let h21; - let t6; - let each_value_1 = customHtmlHintRules; - validate_each_argument(each_value_1); - let each_blocks_1 = []; - - for (let i = 0; i < each_value_1.length; i += 1) { - each_blocks_1[i] = create_each_block_1(get_each_context_1(ctx, each_value_1, i)); - } - - let each_value = htmlHintRules; - validate_each_argument(each_value); - let each_blocks = []; - - for (let i = 0; i < each_value.length; i += 1) { - each_blocks[i] = create_each_block$1(get_each_context$1(ctx, each_value, i)); - } - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - article0 = element("article"); - h1 = element("h1"); - h1.textContent = "CodeAuditor Rules"; - t1 = space(); - h20 = element("h2"); - h20.textContent = "SSW Rules"; - t3 = space(); - - for (let i = 0; i < each_blocks_1.length; i += 1) { - each_blocks_1[i].c(); - } - - t4 = space(); - article1 = element("article"); - h21 = element("h2"); - h21.textContent = "HtmlHint Rules"; - t6 = space(); - - for (let i = 0; i < each_blocks.length; i += 1) { - each_blocks[i].c(); - } - - add_location(h1, file$d, 11, 6, 300); - add_location(h20, file$d, 12, 6, 333); - attr_dev(article0, "class", "markdown-body"); - add_location(article0, file$d, 10, 4, 262); - add_location(h21, file$d, 26, 6, 932); - attr_dev(article1, "class", "markdown-body mt-6"); - add_location(article1, file$d, 25, 4, 889); - attr_dev(div0, "class", "bg-white shadow-lg rounded px-8 pt-6 pb-8 mb-4 flex flex-col"); - add_location(div0, file$d, 9, 2, 183); - attr_dev(div1, "class", "container mx-auto"); - add_location(div1, file$d, 8, 0, 149); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - append_dev(div0, article0); - append_dev(article0, h1); - append_dev(article0, t1); - append_dev(article0, h20); - append_dev(article0, t3); - - for (let i = 0; i < each_blocks_1.length; i += 1) { - if (each_blocks_1[i]) { - each_blocks_1[i].m(article0, null); - } - } - - append_dev(div0, t4); - append_dev(div0, article1); - append_dev(article1, h21); - append_dev(article1, t6); - - for (let i = 0; i < each_blocks.length; i += 1) { - if (each_blocks[i]) { - each_blocks[i].m(article1, null); - } - } - }, - p: function update(ctx, [dirty]) { - if (dirty & /*customHtmlHintRules, RuleType*/ 0) { - each_value_1 = customHtmlHintRules; - validate_each_argument(each_value_1); - let i; - - for (i = 0; i < each_value_1.length; i += 1) { - const child_ctx = get_each_context_1(ctx, each_value_1, i); - - if (each_blocks_1[i]) { - each_blocks_1[i].p(child_ctx, dirty); - } else { - each_blocks_1[i] = create_each_block_1(child_ctx); - each_blocks_1[i].c(); - each_blocks_1[i].m(article0, null); - } - } - - for (; i < each_blocks_1.length; i += 1) { - each_blocks_1[i].d(1); - } - - each_blocks_1.length = each_value_1.length; - } - - if (dirty & /*htmlHintRules, RuleType*/ 0) { - each_value = htmlHintRules; - validate_each_argument(each_value); - let i; - - for (i = 0; i < each_value.length; i += 1) { - const child_ctx = get_each_context$1(ctx, each_value, i); - - if (each_blocks[i]) { - each_blocks[i].p(child_ctx, dirty); - } else { - each_blocks[i] = create_each_block$1(child_ctx); - each_blocks[i].c(); - each_blocks[i].m(article1, null); - } - } - - for (; i < each_blocks.length; i += 1) { - each_blocks[i].d(1); - } - - each_blocks.length = each_value.length; - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - destroy_each(each_blocks_1, detaching); - destroy_each(each_blocks, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$d.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$d($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('Rules', slots, []); - const writable_props = []; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$capture_state = () => ({ - customHtmlHintRules, - htmlHintRules, - RuleType - }); - - return []; - } - - class Rules extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$d, create_fragment$d, safe_not_equal, {}); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "Rules", - options, - id: create_fragment$d.name - }); - } - } - - /* src/components/lighthousecomponents/LighthouseDetailsCard.svelte generated by Svelte v3.59.1 */ - const file$c = "src/components/lighthousecomponents/LighthouseDetailsCard.svelte"; - - // (36:2) {:else} - function create_else_block$7(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-orange-500 h-2"); - add_location(div, file$c, 36, 4, 979); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$7.name, - type: "else", - source: "(36:2) {:else}", - ctx - }); - - return block; - } - - // (34:36) - function create_if_block_3(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-green-500 h-2"); - add_location(div, file$c, 34, 4, 932); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_3.name, - type: "if", - source: "(34:36) ", - ctx - }); - - return block; - } - - // (32:2) {#if val.finalEval == 'FAIL'} - function create_if_block_2$3(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-red-500 h-2"); - add_location(div, file$c, 32, 4, 860); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$3.name, - type: "if", - source: "(32:2) {#if val.finalEval == 'FAIL'}", - ctx - }); - - return block; - } - - // (45:8) {#if val.buildDate} - function create_if_block_1$5(ctx) { - let button; - let span; - let mounted; - let dispose; - - const block = { - c: function create() { - button = element("button"); - span = element("span"); - span.textContent = "Set Performance Threshold For Next Scan"; - attr_dev(span, "class", "ml-2"); - add_location(span, file$c, 49, 12, 1397); - attr_dev(button, "class", "bgred hover:bg-red-800 text-white font-semibold py-2 px-4 border hover:border-transparent rounded"); - add_location(button, file$c, 45, 10, 1207); - }, - m: function mount(target, anchor) { - insert_dev(target, button, anchor); - append_dev(button, span); - - if (!mounted) { - dispose = listen_dev(button, "click", /*perfThreshold*/ ctx[2], false, false, false, false); - mounted = true; - } - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(button); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$5.name, - type: "if", - source: "(45:8) {#if val.buildDate}", - ctx - }); - - return block; - } - - // (65:6) {#if val.performanceScore} - function create_if_block$9(ctx) { - let div; - let h2; - let span; - let t1; - let lighthousesummary; - let current; - - lighthousesummary = new LighthouseSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - h2 = element("h2"); - span = element("span"); - span.textContent = "LIGHTHOUSE"; - t1 = space(); - create_component(lighthousesummary.$$.fragment); - attr_dev(span, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span, file$c, 67, 12, 1993); - attr_dev(h2, "class", "svelte-1fv0uxu"); - add_location(h2, file$c, 66, 10, 1976); - attr_dev(div, "class", "row-span-1 text-sm my-2"); - add_location(div, file$c, 65, 8, 1928); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, h2); - append_dev(h2, span); - append_dev(div, t1); - mount_component(lighthousesummary, div, null); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(lighthousesummary); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$9.name, - type: "if", - source: "(65:6) {#if val.performanceScore}", - ctx - }); - - return block; - } - - function create_fragment$c(ctx) { - let div7; - let t0; - let div6; - let div4; - let div0; - let br0; - let t1; - let br1; - let t2; - let t3; - let div1; - let h20; - let span0; - let t5; - let linksummary; - let t6; - let div2; - let h21; - let span1; - let t8; - let codesummary; - let t9; - let t10; - let div3; - let h22; - let span2; - let t12; - let artillerysummary; - let t13; - let div5; - let span3; - let current; - - function select_block_type(ctx, dirty) { - if (/*val*/ ctx[0].finalEval == 'FAIL') return create_if_block_2$3; - if (/*val*/ ctx[0].finalEval == 'PASS') return create_if_block_3; - return create_else_block$7; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - let if_block1 = /*val*/ ctx[0].buildDate && create_if_block_1$5(ctx); - - linksummary = new LinkSummary({ - props: { - value: /*val*/ ctx[0], - brokenLinks: /*brokenLinks*/ ctx[1].length - }, - $$inline: true - }); - - codesummary = new CodeSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - let if_block2 = /*val*/ ctx[0].performanceScore && create_if_block$9(ctx); - - artillerysummary = new ArtillerySummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div7 = element("div"); - if_block0.c(); - t0 = space(); - div6 = element("div"); - div4 = element("div"); - div0 = element("div"); - br0 = element("br"); - t1 = space(); - br1 = element("br"); - t2 = space(); - if (if_block1) if_block1.c(); - t3 = space(); - div1 = element("div"); - h20 = element("h2"); - span0 = element("span"); - span0.textContent = "LINKS"; - t5 = space(); - create_component(linksummary.$$.fragment); - t6 = space(); - div2 = element("div"); - h21 = element("h2"); - span1 = element("span"); - span1.textContent = "CODE"; - t8 = space(); - create_component(codesummary.$$.fragment); - t9 = space(); - if (if_block2) if_block2.c(); - t10 = space(); - div3 = element("div"); - h22 = element("h2"); - span2 = element("span"); - span2.textContent = "LOAD TEST"; - t12 = space(); - create_component(artillerysummary.$$.fragment); - t13 = space(); - div5 = element("div"); - span3 = element("span"); - span3.textContent = `Build Version: ${/*val*/ ctx[0].buildVersion}`; - add_location(br0, file$c, 42, 8, 1147); - add_location(br1, file$c, 43, 8, 1162); - attr_dev(div0, "class", "row-span-4 col-span-2"); - add_location(div0, file$c, 41, 6, 1103); - attr_dev(span0, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span0, file$c, 55, 12, 1567); - attr_dev(h20, "class", "svelte-1fv0uxu"); - add_location(h20, file$c, 55, 8, 1563); - attr_dev(div1, "class", "row-span-1 text-sm my-2"); - add_location(div1, file$c, 54, 6, 1517); - attr_dev(span1, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span1, file$c, 60, 12, 1772); - attr_dev(h21, "class", "svelte-1fv0uxu"); - add_location(h21, file$c, 60, 8, 1768); - attr_dev(div2, "class", "row-span-1 text-sm my-2"); - add_location(div2, file$c, 59, 6, 1722); - attr_dev(span2, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span2, file$c, 75, 10, 2214); - attr_dev(h22, "class", "svelte-1fv0uxu"); - add_location(h22, file$c, 74, 8, 2199); - attr_dev(div3, "class", "row-span-1 text-sm my-2"); - add_location(div3, file$c, 73, 6, 2153); - attr_dev(div4, "class", "grid grid-rows-2 grid-flow-col"); - add_location(div4, file$c, 40, 4, 1052); - attr_dev(span3, "class", "font-sans text-lg pt-2"); - add_location(span3, file$c, 82, 6, 2393); - attr_dev(div5, "class", "text-left"); - add_location(div5, file$c, 81, 4, 2363); - attr_dev(div6, "class", "px-6 py-2"); - add_location(div6, file$c, 39, 2, 1024); - attr_dev(div7, "class", "overflow-hidden shadow-lg my-5"); - add_location(div7, file$c, 30, 0, 779); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div7, anchor); - if_block0.m(div7, null); - append_dev(div7, t0); - append_dev(div7, div6); - append_dev(div6, div4); - append_dev(div4, div0); - append_dev(div0, br0); - append_dev(div0, t1); - append_dev(div0, br1); - append_dev(div0, t2); - if (if_block1) if_block1.m(div0, null); - append_dev(div4, t3); - append_dev(div4, div1); - append_dev(div1, h20); - append_dev(h20, span0); - append_dev(div1, t5); - mount_component(linksummary, div1, null); - append_dev(div4, t6); - append_dev(div4, div2); - append_dev(div2, h21); - append_dev(h21, span1); - append_dev(div2, t8); - mount_component(codesummary, div2, null); - append_dev(div4, t9); - if (if_block2) if_block2.m(div4, null); - append_dev(div4, t10); - append_dev(div4, div3); - append_dev(div3, h22); - append_dev(h22, span2); - append_dev(div3, t12); - mount_component(artillerysummary, div3, null); - append_dev(div6, t13); - append_dev(div6, div5); - append_dev(div5, span3); - current = true; - }, - p: function update(ctx, [dirty]) { - if (/*val*/ ctx[0].buildDate) if_block1.p(ctx, dirty); - if (/*val*/ ctx[0].performanceScore) if_block2.p(ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(linksummary.$$.fragment, local); - transition_in(codesummary.$$.fragment, local); - transition_in(if_block2); - transition_in(artillerysummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(linksummary.$$.fragment, local); - transition_out(codesummary.$$.fragment, local); - transition_out(if_block2); - transition_out(artillerysummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div7); - if_block0.d(); - if (if_block1) if_block1.d(); - destroy_component(linksummary); - destroy_component(codesummary); - if (if_block2) if_block2.d(); - destroy_component(artillerysummary); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$c.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$c($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LighthouseDetailsCard', slots, []); - let { build = {} } = $$props; - let val = build.summary; - let brokenLinks = build.brokenLinks; - const dispatch = createEventDispatcher(); - const perfThreshold = () => dispatch("perfThreshold"); - const writable_props = ['build']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(3, build = $$props.build); - }; - - $$self.$capture_state = () => ({ - LighthouseSummary, - createEventDispatcher, - CodeSummary, - LinkSummary, - ArtillerySummary, - build, - val, - brokenLinks, - dispatch, - perfThreshold - }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(3, build = $$props.build); - if ('val' in $$props) $$invalidate(0, val = $$props.val); - if ('brokenLinks' in $$props) $$invalidate(1, brokenLinks = $$props.brokenLinks); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [val, brokenLinks, perfThreshold, build]; - } - - class LighthouseDetailsCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$c, create_fragment$c, safe_not_equal, { build: 3 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LighthouseDetailsCard", - options, - id: create_fragment$c.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/lighthousecomponents/UpdatePerfThreshold.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1$1 } = globals; - const file$b = "src/components/lighthousecomponents/UpdatePerfThreshold.svelte"; - - // (64:2) {:else} - function create_else_block$6(ctx) { - let div2; - let textfield0; - let updating_value; - let t0; - let textfield1; - let updating_value_1; - let t1; - let textfield2; - let updating_value_2; - let t2; - let textfield3; - let updating_value_3; - let t3; - let textfield4; - let updating_value_4; - let t4; - let textfield5; - let updating_value_5; - let t5; - let div0; - let t7; - let div1; - let button0; - let t9; - let button1; - let t11; - let div3; - let lighthousesummary; - let current; - let mounted; - let dispose; - - function textfield0_value_binding(value) { - /*textfield0_value_binding*/ ctx[12](value); - } - - let textfield0_props = { - placeholder: "", - required: false, - label: 'Average Score is < ' + /*threshold*/ ctx[0].average, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].average !== void 0) { - textfield0_props.value = /*threshold*/ ctx[0].average; - } - - textfield0 = new TextField({ props: textfield0_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield0, 'value', textfield0_value_binding)); - - function textfield1_value_binding(value) { - /*textfield1_value_binding*/ ctx[13](value); - } - - let textfield1_props = { - placeholder: "", - required: false, - label: 'Performance Score < ' + /*threshold*/ ctx[0].performanceScore, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].performanceScore !== void 0) { - textfield1_props.value = /*threshold*/ ctx[0].performanceScore; - } - - textfield1 = new TextField({ props: textfield1_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield1, 'value', textfield1_value_binding)); - - function textfield2_value_binding(value) { - /*textfield2_value_binding*/ ctx[14](value); - } - - let textfield2_props = { - required: false, - placeholder: "", - label: 'Accessibility Score < ' + /*threshold*/ ctx[0].accessibilityScore, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].accessibilityScore !== void 0) { - textfield2_props.value = /*threshold*/ ctx[0].accessibilityScore; - } - - textfield2 = new TextField({ props: textfield2_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield2, 'value', textfield2_value_binding)); - - function textfield3_value_binding(value) { - /*textfield3_value_binding*/ ctx[15](value); - } - - let textfield3_props = { - placeholder: "", - required: false, - label: 'SEO Score < ' + /*threshold*/ ctx[0].seoScore, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].seoScore !== void 0) { - textfield3_props.value = /*threshold*/ ctx[0].seoScore; - } - - textfield3 = new TextField({ props: textfield3_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield3, 'value', textfield3_value_binding)); - - function textfield4_value_binding(value) { - /*textfield4_value_binding*/ ctx[16](value); - } - - let textfield4_props = { - required: false, - placeholder: "", - label: 'PWA Score < ' + /*threshold*/ ctx[0].pwaScore, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].pwaScore !== void 0) { - textfield4_props.value = /*threshold*/ ctx[0].pwaScore; - } - - textfield4 = new TextField({ props: textfield4_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield4, 'value', textfield4_value_binding)); - - function textfield5_value_binding(value) { - /*textfield5_value_binding*/ ctx[17](value); - } - - let textfield5_props = { - placeholder: "", - required: false, - label: 'Best Practice Score < ' + /*threshold*/ ctx[0].bestPracticesScore, - type: "range", - min: "0", - max: "100" - }; - - if (/*threshold*/ ctx[0].bestPracticesScore !== void 0) { - textfield5_props.value = /*threshold*/ ctx[0].bestPracticesScore; - } - - textfield5 = new TextField({ props: textfield5_props, $$inline: true }); - binding_callbacks.push(() => bind$2(textfield5, 'value', textfield5_value_binding)); - - lighthousesummary = new LighthouseSummary({ - props: { - value: /*lastBuild*/ ctx[4], - showLabel: false - }, - $$inline: true - }); - - const block = { - c: function create() { - div2 = element("div"); - create_component(textfield0.$$.fragment); - t0 = space(); - create_component(textfield1.$$.fragment); - t1 = space(); - create_component(textfield2.$$.fragment); - t2 = space(); - create_component(textfield3.$$.fragment); - t3 = space(); - create_component(textfield4.$$.fragment); - t4 = space(); - create_component(textfield5.$$.fragment); - t5 = space(); - div0 = element("div"); - div0.textContent = "0 = ignore criteria"; - t7 = space(); - div1 = element("div"); - button0 = element("button"); - button0.textContent = "Remove Threshold"; - t9 = space(); - button1 = element("button"); - button1.textContent = "Use This Build Stats"; - t11 = space(); - div3 = element("div"); - create_component(lighthousesummary.$$.fragment); - attr_dev(div0, "class", "italic text-center pb-3"); - add_location(div0, file$b, 115, 6, 2994); - attr_dev(button0, "type", "button"); - attr_dev(button0, "class", "bg-grey-100 hover:bg-blue-500 text-blue-800 font-semibold ml-1 hover:text-white py-2 px-4 border border-blue-500 hover:border-transparent rounded"); - add_location(button0, file$b, 117, 8, 3097); - attr_dev(button1, "type", "button"); - attr_dev(button1, "class", "bg-grey-100 hover:bg-blue-500 text-blue-800 font-semibold ml-1 hover:text-white py-2 px-4 border border-blue-500 hover:border-transparent rounded"); - add_location(button1, file$b, 125, 8, 3397); - attr_dev(div1, "class", "text-center"); - add_location(div1, file$b, 116, 6, 3063); - attr_dev(div2, "class", "ml-5"); - add_location(div2, file$b, 65, 4, 1589); - attr_dev(div3, "class", "pt-3"); - add_location(div3, file$b, 136, 4, 3726); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - mount_component(textfield0, div2, null); - append_dev(div2, t0); - mount_component(textfield1, div2, null); - append_dev(div2, t1); - mount_component(textfield2, div2, null); - append_dev(div2, t2); - mount_component(textfield3, div2, null); - append_dev(div2, t3); - mount_component(textfield4, div2, null); - append_dev(div2, t4); - mount_component(textfield5, div2, null); - append_dev(div2, t5); - append_dev(div2, div0); - append_dev(div2, t7); - append_dev(div2, div1); - append_dev(div1, button0); - append_dev(div1, t9); - append_dev(div1, button1); - insert_dev(target, t11, anchor); - insert_dev(target, div3, anchor); - mount_component(lighthousesummary, div3, null); - current = true; - - if (!mounted) { - dispose = [ - listen_dev(button0, "click", /*clearAll*/ ctx[8], false, false, false, false), - listen_dev(button1, "click", /*useLastBuild*/ ctx[9], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, dirty) { - const textfield0_changes = {}; - if (dirty & /*threshold*/ 1) textfield0_changes.label = 'Average Score is < ' + /*threshold*/ ctx[0].average; - - if (!updating_value && dirty & /*threshold*/ 1) { - updating_value = true; - textfield0_changes.value = /*threshold*/ ctx[0].average; - add_flush_callback(() => updating_value = false); - } - - textfield0.$set(textfield0_changes); - const textfield1_changes = {}; - if (dirty & /*threshold*/ 1) textfield1_changes.label = 'Performance Score < ' + /*threshold*/ ctx[0].performanceScore; - - if (!updating_value_1 && dirty & /*threshold*/ 1) { - updating_value_1 = true; - textfield1_changes.value = /*threshold*/ ctx[0].performanceScore; - add_flush_callback(() => updating_value_1 = false); - } - - textfield1.$set(textfield1_changes); - const textfield2_changes = {}; - if (dirty & /*threshold*/ 1) textfield2_changes.label = 'Accessibility Score < ' + /*threshold*/ ctx[0].accessibilityScore; - - if (!updating_value_2 && dirty & /*threshold*/ 1) { - updating_value_2 = true; - textfield2_changes.value = /*threshold*/ ctx[0].accessibilityScore; - add_flush_callback(() => updating_value_2 = false); - } - - textfield2.$set(textfield2_changes); - const textfield3_changes = {}; - if (dirty & /*threshold*/ 1) textfield3_changes.label = 'SEO Score < ' + /*threshold*/ ctx[0].seoScore; - - if (!updating_value_3 && dirty & /*threshold*/ 1) { - updating_value_3 = true; - textfield3_changes.value = /*threshold*/ ctx[0].seoScore; - add_flush_callback(() => updating_value_3 = false); - } - - textfield3.$set(textfield3_changes); - const textfield4_changes = {}; - if (dirty & /*threshold*/ 1) textfield4_changes.label = 'PWA Score < ' + /*threshold*/ ctx[0].pwaScore; - - if (!updating_value_4 && dirty & /*threshold*/ 1) { - updating_value_4 = true; - textfield4_changes.value = /*threshold*/ ctx[0].pwaScore; - add_flush_callback(() => updating_value_4 = false); - } - - textfield4.$set(textfield4_changes); - const textfield5_changes = {}; - if (dirty & /*threshold*/ 1) textfield5_changes.label = 'Best Practice Score < ' + /*threshold*/ ctx[0].bestPracticesScore; - - if (!updating_value_5 && dirty & /*threshold*/ 1) { - updating_value_5 = true; - textfield5_changes.value = /*threshold*/ ctx[0].bestPracticesScore; - add_flush_callback(() => updating_value_5 = false); - } - - textfield5.$set(textfield5_changes); - const lighthousesummary_changes = {}; - if (dirty & /*lastBuild*/ 16) lighthousesummary_changes.value = /*lastBuild*/ ctx[4]; - lighthousesummary.$set(lighthousesummary_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(textfield0.$$.fragment, local); - transition_in(textfield1.$$.fragment, local); - transition_in(textfield2.$$.fragment, local); - transition_in(textfield3.$$.fragment, local); - transition_in(textfield4.$$.fragment, local); - transition_in(textfield5.$$.fragment, local); - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(textfield0.$$.fragment, local); - transition_out(textfield1.$$.fragment, local); - transition_out(textfield2.$$.fragment, local); - transition_out(textfield3.$$.fragment, local); - transition_out(textfield4.$$.fragment, local); - transition_out(textfield5.$$.fragment, local); - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - destroy_component(textfield0); - destroy_component(textfield1); - destroy_component(textfield2); - destroy_component(textfield3); - destroy_component(textfield4); - destroy_component(textfield5); - if (detaching) detach_dev(t11); - if (detaching) detach_dev(div3); - destroy_component(lighthousesummary); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$6.name, - type: "else", - source: "(64:2) {:else}", - ctx - }); - - return block; - } - - // (62:2) {#if loading} - function create_if_block$8(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$8.name, - type: "if", - source: "(62:2) {#if loading}", - ctx - }); - - return block; - } - - // (55:0) - function create_default_slot_1$4(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$8, create_else_block$6]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*loading*/ ctx[3]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$4.name, - type: "slot", - source: "(55:0) ", - ctx - }); - - return block; - } - - // (143:0) - function create_default_slot$4(ctx) { - let p; - let t1; - let span; - let a; - let t2; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "Performance threshold updated for"; - t1 = space(); - span = element("span"); - a = element("a"); - t2 = text(/*url*/ ctx[2]); - attr_dev(p, "class", "font-bold"); - add_location(p, file$b, 143, 2, 3874); - attr_dev(a, "href", /*url*/ ctx[2]); - attr_dev(a, "target", "_blank"); - add_location(a, file$b, 145, 4, 4005); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm link"); - add_location(span, file$b, 144, 2, 3935); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, span, anchor); - append_dev(span, a); - append_dev(a, t2); - }, - p: function update(ctx, dirty) { - if (dirty & /*url*/ 4) set_data_dev(t2, /*url*/ ctx[2]); - - if (dirty & /*url*/ 4) { - attr_dev(a, "href", /*url*/ ctx[2]); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$4.name, - type: "slot", - source: "(143:0) ", - ctx - }); - - return block; - } - - function create_fragment$b(ctx) { - let modal; - let updating_show; - let updating_loading; - let t; - let toastr; - let updating_show_1; - let current; - - function modal_show_binding(value) { - /*modal_show_binding*/ ctx[18](value); - } - - function modal_loading_binding(value) { - /*modal_loading_binding*/ ctx[19](value); - } - - let modal_props = { - header: "Fail the build when:", - mainAction: "Save", - $$slots: { default: [create_default_slot_1$4] }, - $$scope: { ctx } - }; - - if (/*show*/ ctx[1] !== void 0) { - modal_props.show = /*show*/ ctx[1]; - } - - if (/*saving*/ ctx[5] !== void 0) { - modal_props.loading = /*saving*/ ctx[5]; - } - - modal = new Modal({ props: modal_props, $$inline: true }); - binding_callbacks.push(() => bind$2(modal, 'show', modal_show_binding)); - binding_callbacks.push(() => bind$2(modal, 'loading', modal_loading_binding)); - modal.$on("action", /*updateIgnore*/ ctx[10]); - modal.$on("dismiss", /*dismiss*/ ctx[7]); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[20](value); - } - - let toastr_props = { - $$slots: { default: [create_default_slot$4] }, - $$scope: { ctx } - }; - - if (/*addedSuccess*/ ctx[6] !== void 0) { - toastr_props.show = /*addedSuccess*/ ctx[6]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - const block = { - c: function create() { - create_component(modal.$$.fragment); - t = space(); - create_component(toastr.$$.fragment); - }, - l: function claim(nodes) { - throw new Error_1$1("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - mount_component(modal, target, anchor); - insert_dev(target, t, anchor); - mount_component(toastr, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - const modal_changes = {}; - - if (dirty & /*$$scope, loading, lastBuild, threshold*/ 2097177) { - modal_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*show*/ 2) { - updating_show = true; - modal_changes.show = /*show*/ ctx[1]; - add_flush_callback(() => updating_show = false); - } - - if (!updating_loading && dirty & /*saving*/ 32) { - updating_loading = true; - modal_changes.loading = /*saving*/ ctx[5]; - add_flush_callback(() => updating_loading = false); - } - - modal.$set(modal_changes); - const toastr_changes = {}; - - if (dirty & /*$$scope, url*/ 2097156) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_1 && dirty & /*addedSuccess*/ 64) { - updating_show_1 = true; - toastr_changes.show = /*addedSuccess*/ ctx[6]; - add_flush_callback(() => updating_show_1 = false); - } - - toastr.$set(toastr_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(modal.$$.fragment, local); - transition_in(toastr.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(modal.$$.fragment, local); - transition_out(toastr.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(modal, detaching); - if (detaching) detach_dev(t); - destroy_component(toastr, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$b.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$b($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('UpdatePerfThreshold', slots, []); - let { url } = $$props; - let { threshold = {} } = $$props; - let { show } = $$props; - let { loading } = $$props; - let { lastBuild } = $$props; - let { user } = $$props; - let saving; - let addedSuccess; - const dismiss = () => $$invalidate(1, show = false); - - const clearAll = () => $$invalidate(0, threshold = { - performanceScore: 0, - pwaScore: 0, - seoScore: 0, - accessibilityScore: 0, - bestPracticesScore: 0, - average: 0 - }); - - const useLastBuild = () => $$invalidate(0, threshold = getPerfScore(lastBuild)); - - const updateIgnore = async () => { - $$invalidate(5, saving = true); - - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/perfthreshold`, { - method: "PUT", - body: JSON.stringify({ url, ...threshold }), - headers: { "Content-Type": "application/json" } - }); - - if (res.ok) { - $$invalidate(5, saving = false); - $$invalidate(1, show = false); - $$invalidate(6, addedSuccess = true); - } else { - throw new Error("Failed to load"); - } - }; - - $$self.$$.on_mount.push(function () { - if (url === undefined && !('url' in $$props || $$self.$$.bound[$$self.$$.props['url']])) { - console.warn(" was created without expected prop 'url'"); - } - - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (loading === undefined && !('loading' in $$props || $$self.$$.bound[$$self.$$.props['loading']])) { - console.warn(" was created without expected prop 'loading'"); - } - - if (lastBuild === undefined && !('lastBuild' in $$props || $$self.$$.bound[$$self.$$.props['lastBuild']])) { - console.warn(" was created without expected prop 'lastBuild'"); - } - - if (user === undefined && !('user' in $$props || $$self.$$.bound[$$self.$$.props['user']])) { - console.warn(" was created without expected prop 'user'"); - } - }); - - const writable_props = ['url', 'threshold', 'show', 'loading', 'lastBuild', 'user']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function textfield0_value_binding(value) { - if ($$self.$$.not_equal(threshold.average, value)) { - threshold.average = value; - $$invalidate(0, threshold); - } - } - - function textfield1_value_binding(value) { - if ($$self.$$.not_equal(threshold.performanceScore, value)) { - threshold.performanceScore = value; - $$invalidate(0, threshold); - } - } - - function textfield2_value_binding(value) { - if ($$self.$$.not_equal(threshold.accessibilityScore, value)) { - threshold.accessibilityScore = value; - $$invalidate(0, threshold); - } - } - - function textfield3_value_binding(value) { - if ($$self.$$.not_equal(threshold.seoScore, value)) { - threshold.seoScore = value; - $$invalidate(0, threshold); - } - } - - function textfield4_value_binding(value) { - if ($$self.$$.not_equal(threshold.pwaScore, value)) { - threshold.pwaScore = value; - $$invalidate(0, threshold); - } - } - - function textfield5_value_binding(value) { - if ($$self.$$.not_equal(threshold.bestPracticesScore, value)) { - threshold.bestPracticesScore = value; - $$invalidate(0, threshold); - } - } - - function modal_show_binding(value) { - show = value; - $$invalidate(1, show); - } - - function modal_loading_binding(value) { - saving = value; - $$invalidate(5, saving); - } - - function toastr_show_binding(value) { - addedSuccess = value; - $$invalidate(6, addedSuccess); - } - - $$self.$$set = $$props => { - if ('url' in $$props) $$invalidate(2, url = $$props.url); - if ('threshold' in $$props) $$invalidate(0, threshold = $$props.threshold); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('lastBuild' in $$props) $$invalidate(4, lastBuild = $$props.lastBuild); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - }; - - $$self.$capture_state = () => ({ - LighthouseSummary, - Toastr, - TextField, - CONSTS, - getPerfScore, - Modal, - LoadingFlat, - url, - threshold, - show, - loading, - lastBuild, - user, - saving, - addedSuccess, - dismiss, - clearAll, - useLastBuild, - updateIgnore - }); - - $$self.$inject_state = $$props => { - if ('url' in $$props) $$invalidate(2, url = $$props.url); - if ('threshold' in $$props) $$invalidate(0, threshold = $$props.threshold); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('lastBuild' in $$props) $$invalidate(4, lastBuild = $$props.lastBuild); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - if ('saving' in $$props) $$invalidate(5, saving = $$props.saving); - if ('addedSuccess' in $$props) $$invalidate(6, addedSuccess = $$props.addedSuccess); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - threshold, - show, - url, - loading, - lastBuild, - saving, - addedSuccess, - dismiss, - clearAll, - useLastBuild, - updateIgnore, - user, - textfield0_value_binding, - textfield1_value_binding, - textfield2_value_binding, - textfield3_value_binding, - textfield4_value_binding, - textfield5_value_binding, - modal_show_binding, - modal_loading_binding, - toastr_show_binding - ]; - } - - class UpdatePerfThreshold extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$b, create_fragment$b, safe_not_equal, { - url: 2, - threshold: 0, - show: 1, - loading: 3, - lastBuild: 4, - user: 11 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "UpdatePerfThreshold", - options, - id: create_fragment$b.name - }); - } - - get url() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get threshold() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set threshold(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get show() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get loading() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set loading(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get lastBuild() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set lastBuild(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get user() { - throw new Error_1$1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set user(value) { - throw new Error_1$1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/LighthouseReport.svelte generated by Svelte v3.59.1 */ - - const { console: console_1$1 } = globals; - const file$a = "src/containers/LighthouseReport.svelte"; - - // (80:4) {:else} - function create_else_block$5(ctx) { - let await_block_anchor; - let current; - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block$1, - then: create_then_block$1, - catch: create_catch_block$1, - value: 16, - error: 17, - blocks: [,,,] - }; - - handle_promise(/*promise*/ ctx[9], info); - - const block = { - c: function create() { - await_block_anchor = empty(); - info.block.c(); - }, - m: function mount(target, anchor) { - insert_dev(target, await_block_anchor, anchor); - info.block.m(target, info.anchor = anchor); - info.mount = () => await_block_anchor.parentNode; - info.anchor = await_block_anchor; - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - update_await_block_branch(info, ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(await_block_anchor); - info.block.d(detaching); - info.token = null; - info = null; - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$5.name, - type: "else", - source: "(80:4) {:else}", - ctx - }); - - return block; - } - - // (78:4) {#if loading} - function create_if_block$7(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$7.name, - type: "if", - source: "(78:4) {#if loading}", - ctx - }); - - return block; - } - - // (97:6) {:catch error} - function create_catch_block$1(ctx) { - let p; - let t_value = /*error*/ ctx[17].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - attr_dev(p, "class", "text-red-600 mx-auto text-2xl py-8"); - add_location(p, file$a, 97, 8, 3068); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block$1.name, - type: "catch", - source: "(97:6) {:catch error}", - ctx - }); - - return block; - } - - // (83:6) {:then data} - function create_then_block$1(ctx) { - let breadcrumbs; - let t0; - let br; - let t1; - let cardsummary; - let t2; - let lighthousedetailscard; - let t3; - let tabs; - let current; - - breadcrumbs = new Breadcrumbs({ - props: { - build: /*data*/ ctx[16] ? /*data*/ ctx[16].summary : {}, - runId: /*currentRoute*/ ctx[0].namedParams.id, - displayMode: "Lighthouse Audit" - }, - $$inline: true - }); - - cardsummary = new CardSummary({ - props: { value: /*data*/ ctx[16].summary }, - $$inline: true - }); - - function perfThreshold_handler() { - return /*perfThreshold_handler*/ ctx[12](/*data*/ ctx[16]); - } - - lighthousedetailscard = new LighthouseDetailsCard({ - props: { - build: /*data*/ ctx[16] ? /*data*/ ctx[16] : {} - }, - $$inline: true - }); - - lighthousedetailscard.$on("perfThreshold", perfThreshold_handler); - - tabs = new Tabs({ - props: { - build: /*data*/ ctx[16] ? /*data*/ ctx[16] : {}, - displayMode: "lighthouse" - }, - $$inline: true - }); - - const block = { - c: function create() { - create_component(breadcrumbs.$$.fragment); - t0 = space(); - br = element("br"); - t1 = space(); - create_component(cardsummary.$$.fragment); - t2 = space(); - create_component(lighthousedetailscard.$$.fragment); - t3 = space(); - create_component(tabs.$$.fragment); - add_location(br, file$a, 87, 8, 2766); - }, - m: function mount(target, anchor) { - mount_component(breadcrumbs, target, anchor); - insert_dev(target, t0, anchor); - insert_dev(target, br, anchor); - insert_dev(target, t1, anchor); - mount_component(cardsummary, target, anchor); - insert_dev(target, t2, anchor); - mount_component(lighthousedetailscard, target, anchor); - insert_dev(target, t3, anchor); - mount_component(tabs, target, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const breadcrumbs_changes = {}; - if (dirty & /*currentRoute*/ 1) breadcrumbs_changes.runId = /*currentRoute*/ ctx[0].namedParams.id; - breadcrumbs.$set(breadcrumbs_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(breadcrumbs.$$.fragment, local); - transition_in(cardsummary.$$.fragment, local); - transition_in(lighthousedetailscard.$$.fragment, local); - transition_in(tabs.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(breadcrumbs.$$.fragment, local); - transition_out(cardsummary.$$.fragment, local); - transition_out(lighthousedetailscard.$$.fragment, local); - transition_out(tabs.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(breadcrumbs, detaching); - if (detaching) detach_dev(t0); - if (detaching) detach_dev(br); - if (detaching) detach_dev(t1); - destroy_component(cardsummary, detaching); - if (detaching) detach_dev(t2); - destroy_component(lighthousedetailscard, detaching); - if (detaching) detach_dev(t3); - destroy_component(tabs, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block$1.name, - type: "then", - source: "(83:6) {:then data}", - ctx - }); - - return block; - } - - // (81:22) {:then data} - function create_pending_block$1(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_pending_block$1.name, - type: "pending", - source: "(81:22) {:then data}", - ctx - }); - - return block; - } - - // (109:10) - function create_default_slot_2$2(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"); - add_location(path, file$a, 109, 12, 3519); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$2.name, - type: "slot", - source: "(109:10) ", - ctx - }); - - return block; - } - - // (134:6) - function create_default_slot_1$3(ctx) { - let t; - - const block = { - c: function create() { - t = text("Sign in"); - }, - m: function mount(target, anchor) { - insert_dev(target, t, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(t); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$3.name, - type: "slot", - source: "(134:6) ", - ctx - }); - - return block; - } - - // (128:0) - function create_default_slot$3(ctx) { - let p0; - let t1; - let p1; - let span; - let navigate; - let current; - - navigate = new src_7({ - props: { - to: "/login", - $$slots: { default: [create_default_slot_1$3] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - p0 = element("p"); - p0.textContent = "Sign in to unlock this feature!"; - t1 = space(); - p1 = element("p"); - span = element("span"); - create_component(navigate.$$.fragment); - add_location(p0, file$a, 128, 2, 3937); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm text-blue hover:text-blue-darker"); - add_location(span, file$a, 130, 4, 4007); - attr_dev(p1, "class", "text-sm pt-2"); - add_location(p1, file$a, 129, 2, 3978); - }, - m: function mount(target, anchor) { - insert_dev(target, p0, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, p1, anchor); - append_dev(p1, span); - mount_component(navigate, span, null); - current = true; - }, - p: function update(ctx, dirty) { - const navigate_changes = {}; - - if (dirty & /*$$scope*/ 262144) { - navigate_changes.$$scope = { dirty, ctx }; - } - - navigate.$set(navigate_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(navigate.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(navigate.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p0); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(p1); - destroy_component(navigate); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$3.name, - type: "slot", - source: "(128:0) ", - ctx - }); - - return block; - } - - function create_fragment$a(ctx) { - let div3; - let div2; - let current_block_type_index; - let if_block; - let t0; - let div1; - let div0; - let button; - let icon; - let t1; - let main; - let t2; - let updateperfthreshold; - let updating_show; - let t3; - let toastr; - let updating_show_1; - let current; - let mounted; - let dispose; - const if_block_creators = [create_if_block$7, create_else_block$5]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*loading*/ ctx[1]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - icon = new Icon({ - props: { - cssClass: "", - $$slots: { default: [create_default_slot_2$2] }, - $$scope: { ctx } - }, - $$inline: true - }); - - function updateperfthreshold_show_binding(value) { - /*updateperfthreshold_show_binding*/ ctx[13](value); - } - - let updateperfthreshold_props = { - url: /*scanUrl*/ ctx[4], - loading: /*loadingPerfSettings*/ ctx[5], - lastBuild: /*lastBuild*/ ctx[6], - threshold: /*threshold*/ ctx[7], - user: /*$userSession$*/ ctx[8] - }; - - if (/*perfThresholdShown*/ ctx[3] !== void 0) { - updateperfthreshold_props.show = /*perfThresholdShown*/ ctx[3]; - } - - updateperfthreshold = new UpdatePerfThreshold({ - props: updateperfthreshold_props, - $$inline: true - }); - - binding_callbacks.push(() => bind$2(updateperfthreshold, 'show', updateperfthreshold_show_binding)); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[14](value); - } - - let toastr_props = { - timeout: 10000, - mode: "warn", - $$slots: { default: [create_default_slot$3] }, - $$scope: { ctx } - }; - - if (/*userNotLoginToast*/ ctx[2] !== void 0) { - toastr_props.show = /*userNotLoginToast*/ ctx[2]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - const block = { - c: function create() { - div3 = element("div"); - div2 = element("div"); - if_block.c(); - t0 = space(); - div1 = element("div"); - div0 = element("div"); - button = element("button"); - create_component(icon.$$.fragment); - t1 = space(); - main = element("main"); - t2 = space(); - create_component(updateperfthreshold.$$.fragment); - t3 = space(); - create_component(toastr.$$.fragment); - attr_dev(button, "title", "Download JSON"); - attr_dev(button, "class", "bg-gray-300 hover:bg-gray-400 text-gray-800 font-bold py-1 px-1 rounded-lg inline-flex items-center"); - add_location(button, file$a, 103, 8, 3279); - attr_dev(div0, "class", "float-right"); - add_location(div0, file$a, 102, 6, 3245); - attr_dev(div1, "class", "my-4"); - add_location(div1, file$a, 101, 4, 3220); - attr_dev(main, "id", "report"); - add_location(main, file$a, 115, 4, 3673); - attr_dev(div2, "class", "bg-white shadow-lg rounded px-8 pt-6 mb-6 flex flex-col"); - add_location(div2, file$a, 76, 2, 2416); - attr_dev(div3, "class", "container mx-auto"); - add_location(div3, file$a, 75, 0, 2382); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div3, anchor); - append_dev(div3, div2); - if_blocks[current_block_type_index].m(div2, null); - append_dev(div2, t0); - append_dev(div2, div1); - append_dev(div1, div0); - append_dev(div0, button); - mount_component(icon, button, null); - append_dev(div2, t1); - append_dev(div2, main); - insert_dev(target, t2, anchor); - mount_component(updateperfthreshold, target, anchor); - insert_dev(target, t3, anchor); - mount_component(toastr, target, anchor); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", /*download*/ ctx[10], false, false, false, false); - mounted = true; - } - }, - p: function update(ctx, [dirty]) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(div2, t0); - } - - const icon_changes = {}; - - if (dirty & /*$$scope*/ 262144) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - const updateperfthreshold_changes = {}; - if (dirty & /*scanUrl*/ 16) updateperfthreshold_changes.url = /*scanUrl*/ ctx[4]; - if (dirty & /*loadingPerfSettings*/ 32) updateperfthreshold_changes.loading = /*loadingPerfSettings*/ ctx[5]; - if (dirty & /*lastBuild*/ 64) updateperfthreshold_changes.lastBuild = /*lastBuild*/ ctx[6]; - if (dirty & /*threshold*/ 128) updateperfthreshold_changes.threshold = /*threshold*/ ctx[7]; - if (dirty & /*$userSession$*/ 256) updateperfthreshold_changes.user = /*$userSession$*/ ctx[8]; - - if (!updating_show && dirty & /*perfThresholdShown*/ 8) { - updating_show = true; - updateperfthreshold_changes.show = /*perfThresholdShown*/ ctx[3]; - add_flush_callback(() => updating_show = false); - } - - updateperfthreshold.$set(updateperfthreshold_changes); - const toastr_changes = {}; - - if (dirty & /*$$scope*/ 262144) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_1 && dirty & /*userNotLoginToast*/ 4) { - updating_show_1 = true; - toastr_changes.show = /*userNotLoginToast*/ ctx[2]; - add_flush_callback(() => updating_show_1 = false); - } - - toastr.$set(toastr_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - transition_in(icon.$$.fragment, local); - transition_in(updateperfthreshold.$$.fragment, local); - transition_in(toastr.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - transition_out(icon.$$.fragment, local); - transition_out(updateperfthreshold.$$.fragment, local); - transition_out(toastr.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div3); - if_blocks[current_block_type_index].d(); - destroy_component(icon); - if (detaching) detach_dev(t2); - destroy_component(updateperfthreshold, detaching); - if (detaching) detach_dev(t3); - destroy_component(toastr, detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$a.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$a($$self, $$props, $$invalidate) { - let $userSession$; - validate_store(userSession$, 'userSession$'); - component_subscribe($$self, userSession$, $$value => $$invalidate(8, $userSession$ = $$value)); - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('LighthouseReport', slots, []); - let { currentRoute } = $$props; - let loading; - let promise = getBuildDetails(currentRoute.namedParams.id); - let runId; - let userNotLoginToast; - let perfThresholdShown; - let scanUrl; - let loadingPerfSettings; - let lastBuild; - let threshold; - - const download = () => { - window.location.href = `${CONSTS.BlobURL}/lhr/${currentRoute.namedParams.id}.json`; - }; - - const showPerfThreshold = async (summary, user) => { - if (!user) { - $$invalidate(2, userNotLoginToast = true); - return; - } - - $$invalidate(4, scanUrl = summary.url); - $$invalidate(6, lastBuild = summary); - $$invalidate(3, perfThresholdShown = true); - $$invalidate(5, loadingPerfSettings = true); - - try { - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/perfthreshold/${slug(scanUrl)}`); - const result = await res.json(); - $$invalidate(7, threshold = result || blank); - } catch(error) { - console.error("error getting threshold", error); - $$invalidate(7, threshold = blank); - } finally { - $$invalidate(5, loadingPerfSettings = false); - } - }; - - onMount(() => { - if (currentRoute && currentRoute.namedParams.id) { - $$invalidate(1, loading = true); - runId = currentRoute.namedParams.id; - - fetch(`${CONSTS.BlobURL}/lhr/${currentRoute.namedParams.id}.json`).then(x => x.json()).then(json => { - $$invalidate(1, loading = false); - const dom = new DOM(document); - const renderer = new ReportRenderer(dom); - const container = document.querySelector("#report"); - renderer.renderReport(json, container); - }); - } - }); - - $$self.$$.on_mount.push(function () { - if (currentRoute === undefined && !('currentRoute' in $$props || $$self.$$.bound[$$self.$$.props['currentRoute']])) { - console_1$1.warn(" was created without expected prop 'currentRoute'"); - } - }); - - const writable_props = ['currentRoute']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console_1$1.warn(` was created with unknown prop '${key}'`); - }); - - const perfThreshold_handler = data => showPerfThreshold(data.summary, $userSession$); - - function updateperfthreshold_show_binding(value) { - perfThresholdShown = value; - $$invalidate(3, perfThresholdShown); - } - - function toastr_show_binding(value) { - userNotLoginToast = value; - $$invalidate(2, userNotLoginToast); - } - - $$self.$$set = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - }; - - $$self.$capture_state = () => ({ - onMount, - Navigate: src_7, - Breadcrumbs, - LoadingFlat, - Icon, - Tabs, - Toastr, - slug, - getBuildDetails, - userSession$, - LighthouseDetailsCard, - UpdatePerfThreshold, - CONSTS, - CardSummary, - currentRoute, - loading, - promise, - runId, - userNotLoginToast, - perfThresholdShown, - scanUrl, - loadingPerfSettings, - lastBuild, - threshold, - download, - showPerfThreshold, - $userSession$ - }); - - $$self.$inject_state = $$props => { - if ('currentRoute' in $$props) $$invalidate(0, currentRoute = $$props.currentRoute); - if ('loading' in $$props) $$invalidate(1, loading = $$props.loading); - if ('promise' in $$props) $$invalidate(9, promise = $$props.promise); - if ('runId' in $$props) runId = $$props.runId; - if ('userNotLoginToast' in $$props) $$invalidate(2, userNotLoginToast = $$props.userNotLoginToast); - if ('perfThresholdShown' in $$props) $$invalidate(3, perfThresholdShown = $$props.perfThresholdShown); - if ('scanUrl' in $$props) $$invalidate(4, scanUrl = $$props.scanUrl); - if ('loadingPerfSettings' in $$props) $$invalidate(5, loadingPerfSettings = $$props.loadingPerfSettings); - if ('lastBuild' in $$props) $$invalidate(6, lastBuild = $$props.lastBuild); - if ('threshold' in $$props) $$invalidate(7, threshold = $$props.threshold); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - currentRoute, - loading, - userNotLoginToast, - perfThresholdShown, - scanUrl, - loadingPerfSettings, - lastBuild, - threshold, - $userSession$, - promise, - download, - showPerfThreshold, - perfThreshold_handler, - updateperfthreshold_show_binding, - toastr_show_binding - ]; - } - - class LighthouseReport extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$a, create_fragment$a, safe_not_equal, { currentRoute: 0 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "LighthouseReport", - options, - id: create_fragment$a.name - }); - } - - get currentRoute() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set currentRoute(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/artillerycomponents/ArtilleryDetailTable.svelte generated by Svelte v3.59.1 */ - const file$9 = "src/components/artillerycomponents/ArtilleryDetailTable.svelte"; - - function create_fragment$9(ctx) { - let div32; - let div0; - let t4; - let div2; - let h50; - let t6; - let div1; - let t8; - let div3; - let t10; - let div4; - let hr0; - let t11; - let div5; - let hr1; - let t12; - let div7; - let h51; - let t14; - let div6; - let t16; - let div9; - let h52; - let t18; - let div8; - let t21; - let div11; - let h53; - let t23; - let div10; - let t26; - let div12; - let hr2; - let t27; - let div13; - let hr3; - let t28; - let div14; - let hr4; - let t29; - let div16; - let h54; - let t31; - let div15; - let t33; - let div18; - let h55; - let t35; - let div17; - let t38; - let div19; - let t39; - let div20; - let hr5; - let t40; - let div21; - let hr6; - let t41; - let div22; - let t42; - let div24; - let h56; - let t44; - let div23; - let t46; - let div26; - let h57; - let t48; - let div25; - let t51; - let div28; - let h58; - let t53; - let div27; - let t56; - let div29; - let hr7; - let t57; - let div30; - let hr8; - let t58; - let div31; - let hr9; - - const block = { - c: function create() { - div32 = element("div"); - div0 = element("div"); - - div0.textContent = `Report completed: - ${formatDistanceToNow(new Date(/*details*/ ctx[0].buildDate), { addSuffix: true })} - at - ${format(new Date(/*details*/ ctx[0].buildDate), 'hh:mm')}`; - - t4 = space(); - div2 = element("div"); - h50 = element("h5"); - h50.textContent = "Scenarios launched"; - t6 = space(); - div1 = element("div"); - div1.textContent = `${/*details*/ ctx[0].scenariosCreated}`; - t8 = space(); - div3 = element("div"); - div3.textContent = "Request Latency"; - t10 = space(); - div4 = element("div"); - hr0 = element("hr"); - t11 = space(); - div5 = element("div"); - hr1 = element("hr"); - t12 = space(); - div7 = element("div"); - h51 = element("h5"); - h51.textContent = "Scenarios completed"; - t14 = space(); - div6 = element("div"); - div6.textContent = `${/*details*/ ctx[0].scenariosCompleted}`; - t16 = space(); - div9 = element("div"); - h52 = element("h5"); - h52.textContent = "Min"; - t18 = space(); - div8 = element("div"); - - div8.textContent = `${/*details*/ ctx[0].latencyMin} - (ms)`; - - t21 = space(); - div11 = element("div"); - h53 = element("h5"); - h53.textContent = "Max"; - t23 = space(); - div10 = element("div"); - - div10.textContent = `${/*details*/ ctx[0].latencyMax} - (ms)`; - - t26 = space(); - div12 = element("div"); - hr2 = element("hr"); - t27 = space(); - div13 = element("div"); - hr3 = element("hr"); - t28 = space(); - div14 = element("div"); - hr4 = element("hr"); - t29 = space(); - div16 = element("div"); - h54 = element("h5"); - h54.textContent = "Requests completed"; - t31 = space(); - div15 = element("div"); - div15.textContent = `${/*details*/ ctx[0].requestsCompleted}`; - t33 = space(); - div18 = element("div"); - h55 = element("h5"); - h55.textContent = "Median"; - t35 = space(); - div17 = element("div"); - - div17.textContent = `${/*details*/ ctx[0].latencyMedian} - (ms)`; - - t38 = space(); - div19 = element("div"); - t39 = space(); - div20 = element("div"); - hr5 = element("hr"); - t40 = space(); - div21 = element("div"); - hr6 = element("hr"); - t41 = space(); - div22 = element("div"); - t42 = space(); - div24 = element("div"); - h56 = element("h5"); - h56.textContent = "RPS sent"; - t44 = space(); - div23 = element("div"); - div23.textContent = `${/*details*/ ctx[0].rpsCount}`; - t46 = space(); - div26 = element("div"); - h57 = element("h5"); - h57.textContent = "p95"; - t48 = space(); - div25 = element("div"); - - div25.textContent = `${/*details*/ ctx[0].latencyP95} - (ms)`; - - t51 = space(); - div28 = element("div"); - h58 = element("h5"); - h58.textContent = "p99"; - t53 = space(); - div27 = element("div"); - - div27.textContent = `${/*details*/ ctx[0].latencyP99} - (ms)`; - - t56 = space(); - div29 = element("div"); - hr7 = element("hr"); - t57 = space(); - div30 = element("div"); - hr8 = element("hr"); - t58 = space(); - div31 = element("div"); - hr9 = element("hr"); - attr_dev(div0, "class", "col-span-7 font-bold"); - add_location(div0, file$9, 16, 2, 347); - attr_dev(h50, "class", "float-left"); - add_location(h50, file$9, 23, 4, 578); - attr_dev(div1, "class", "text-right float-right font-bold"); - add_location(div1, file$9, 24, 4, 629); - attr_dev(div2, "class", "col-span-2"); - add_location(div2, file$9, 22, 2, 549); - attr_dev(div3, "class", "col-span-4 font-bold"); - add_location(div3, file$9, 28, 2, 731); - attr_dev(hr0, "class", "svelte-1esk07k"); - add_location(hr0, file$9, 30, 4, 818); - attr_dev(div4, "class", "col-span-2"); - add_location(div4, file$9, 29, 2, 789); - attr_dev(hr1, "class", "svelte-1esk07k"); - add_location(hr1, file$9, 33, 4, 865); - attr_dev(div5, "class", "col-span-4"); - add_location(div5, file$9, 32, 2, 836); - attr_dev(h51, "class", "float-left"); - add_location(h51, file$9, 36, 4, 912); - attr_dev(div6, "class", "text-right float-right font-bold"); - add_location(div6, file$9, 37, 4, 964); - attr_dev(div7, "class", "col-span-2"); - add_location(div7, file$9, 35, 2, 883); - attr_dev(h52, "class", "float-left"); - add_location(h52, file$9, 42, 4, 1097); - attr_dev(div8, "class", "text-right float-right font-bold"); - add_location(div8, file$9, 43, 4, 1133); - attr_dev(div9, "class", "col-span-2"); - add_location(div9, file$9, 41, 2, 1068); - attr_dev(h53, "class", "float-left"); - add_location(h53, file$9, 49, 4, 1269); - attr_dev(div10, "class", "text-right float-right font-bold"); - add_location(div10, file$9, 50, 4, 1305); - attr_dev(div11, "class", "col-span-2"); - add_location(div11, file$9, 48, 2, 1240); - attr_dev(hr2, "class", "svelte-1esk07k"); - add_location(hr2, file$9, 56, 4, 1441); - attr_dev(div12, "class", "col-span-2"); - add_location(div12, file$9, 55, 2, 1412); - attr_dev(hr3, "class", "svelte-1esk07k"); - add_location(hr3, file$9, 59, 4, 1488); - attr_dev(div13, "class", "col-span-2"); - add_location(div13, file$9, 58, 2, 1459); - attr_dev(hr4, "class", "svelte-1esk07k"); - add_location(hr4, file$9, 62, 4, 1535); - attr_dev(div14, "class", "col-span-2"); - add_location(div14, file$9, 61, 2, 1506); - attr_dev(h54, "class", "float-left"); - add_location(h54, file$9, 65, 4, 1582); - attr_dev(div15, "class", "text-right float-right font-bold"); - add_location(div15, file$9, 66, 4, 1633); - attr_dev(div16, "class", "col-span-2"); - add_location(div16, file$9, 64, 2, 1553); - attr_dev(h55, "class", "float-left"); - add_location(h55, file$9, 71, 4, 1765); - attr_dev(div17, "class", "text-right float-right font-bold"); - add_location(div17, file$9, 72, 4, 1804); - attr_dev(div18, "class", "col-span-2"); - add_location(div18, file$9, 70, 2, 1736); - attr_dev(div19, "class", "col-span-2"); - add_location(div19, file$9, 77, 2, 1914); - attr_dev(hr5, "class", "svelte-1esk07k"); - add_location(hr5, file$9, 79, 4, 1972); - attr_dev(div20, "class", "col-span-2"); - add_location(div20, file$9, 78, 2, 1943); - attr_dev(hr6, "class", "svelte-1esk07k"); - add_location(hr6, file$9, 82, 4, 2019); - attr_dev(div21, "class", "col-span-2"); - add_location(div21, file$9, 81, 2, 1990); - attr_dev(div22, "class", "col-span-2"); - add_location(div22, file$9, 84, 2, 2037); - attr_dev(h56, "class", "float-left"); - add_location(h56, file$9, 86, 4, 2095); - attr_dev(div23, "class", "text-right float-right font-bold"); - add_location(div23, file$9, 87, 4, 2136); - attr_dev(div24, "class", "col-span-2"); - add_location(div24, file$9, 85, 2, 2066); - attr_dev(h57, "class", "float-left"); - add_location(h57, file$9, 90, 4, 2247); - attr_dev(div25, "class", "text-right float-right font-bold"); - add_location(div25, file$9, 91, 4, 2283); - attr_dev(div26, "class", "col-span-2"); - add_location(div26, file$9, 89, 2, 2218); - attr_dev(h58, "class", "float-left"); - add_location(h58, file$9, 97, 4, 2419); - attr_dev(div27, "class", "text-right float-right font-bold"); - add_location(div27, file$9, 98, 4, 2455); - attr_dev(div28, "class", "col-span-2"); - add_location(div28, file$9, 96, 2, 2390); - attr_dev(hr7, "class", "svelte-1esk07k"); - add_location(hr7, file$9, 104, 4, 2591); - attr_dev(div29, "class", "col-span-2"); - add_location(div29, file$9, 103, 2, 2562); - attr_dev(hr8, "class", "svelte-1esk07k"); - add_location(hr8, file$9, 107, 4, 2638); - attr_dev(div30, "class", "col-span-2"); - add_location(div30, file$9, 106, 2, 2609); - attr_dev(hr9, "class", "svelte-1esk07k"); - add_location(hr9, file$9, 110, 4, 2685); - attr_dev(div31, "class", "col-span-2"); - add_location(div31, file$9, 109, 2, 2656); - attr_dev(div32, "class", "grid gap-x-12 md:gap-x-20 gap-y-4 grid-flow-row grid-cols-6 my-5 font-sans text-gray-700"); - add_location(div32, file$9, 14, 0, 240); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div32, anchor); - append_dev(div32, div0); - append_dev(div32, t4); - append_dev(div32, div2); - append_dev(div2, h50); - append_dev(div2, t6); - append_dev(div2, div1); - append_dev(div32, t8); - append_dev(div32, div3); - append_dev(div32, t10); - append_dev(div32, div4); - append_dev(div4, hr0); - append_dev(div32, t11); - append_dev(div32, div5); - append_dev(div5, hr1); - append_dev(div32, t12); - append_dev(div32, div7); - append_dev(div7, h51); - append_dev(div7, t14); - append_dev(div7, div6); - append_dev(div32, t16); - append_dev(div32, div9); - append_dev(div9, h52); - append_dev(div9, t18); - append_dev(div9, div8); - append_dev(div32, t21); - append_dev(div32, div11); - append_dev(div11, h53); - append_dev(div11, t23); - append_dev(div11, div10); - append_dev(div32, t26); - append_dev(div32, div12); - append_dev(div12, hr2); - append_dev(div32, t27); - append_dev(div32, div13); - append_dev(div13, hr3); - append_dev(div32, t28); - append_dev(div32, div14); - append_dev(div14, hr4); - append_dev(div32, t29); - append_dev(div32, div16); - append_dev(div16, h54); - append_dev(div16, t31); - append_dev(div16, div15); - append_dev(div32, t33); - append_dev(div32, div18); - append_dev(div18, h55); - append_dev(div18, t35); - append_dev(div18, div17); - append_dev(div32, t38); - append_dev(div32, div19); - append_dev(div32, t39); - append_dev(div32, div20); - append_dev(div20, hr5); - append_dev(div32, t40); - append_dev(div32, div21); - append_dev(div21, hr6); - append_dev(div32, t41); - append_dev(div32, div22); - append_dev(div32, t42); - append_dev(div32, div24); - append_dev(div24, h56); - append_dev(div24, t44); - append_dev(div24, div23); - append_dev(div32, t46); - append_dev(div32, div26); - append_dev(div26, h57); - append_dev(div26, t48); - append_dev(div26, div25); - append_dev(div32, t51); - append_dev(div32, div28); - append_dev(div28, h58); - append_dev(div28, t53); - append_dev(div28, div27); - append_dev(div32, t56); - append_dev(div32, div29); - append_dev(div29, hr7); - append_dev(div32, t57); - append_dev(div32, div30); - append_dev(div30, hr8); - append_dev(div32, t58); - append_dev(div32, div31); - append_dev(div31, hr9); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div32); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$9.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$9($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('ArtilleryDetailTable', slots, []); - let { value = {} } = $$props; - let details = value.summary; - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - }; - - $$self.$capture_state = () => ({ - format, - formatDistanceToNow, - value, - details - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('details' in $$props) $$invalidate(0, details = $$props.details); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [details, value]; - } - - class ArtilleryDetailTable extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$9, create_fragment$9, safe_not_equal, { value: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "ArtilleryDetailTable", - options, - id: create_fragment$9.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/artillerycomponents/ArtilleryChart.svelte generated by Svelte v3.59.1 */ - const file$8 = "src/components/artillerycomponents/ArtilleryChart.svelte"; - - function create_fragment$8(ctx) { - let div; - let canvas; - - const block = { - c: function create() { - div = element("div"); - canvas = element("canvas"); - attr_dev(canvas, "width", "600"); - attr_dev(canvas, "height", "250"); - add_location(canvas, file$8, 81, 0, 1830); - attr_dev(div, "class", "wrapper svelte-1h7kq9t"); - add_location(div, file$8, 80, 0, 1808); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, canvas); - /*canvas_binding*/ ctx[2](canvas); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - /*canvas_binding*/ ctx[2](null); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$8.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$8($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('ArtilleryChart', slots, []); - let { value } = $$props; - let latencyMedian = []; - let latencyP95 = []; - let latencyP99 = []; - let timestamp = []; - - value.forEach(i => { - if (i.fullLatencyMedian !== null || i.fullLatencyP99 !== null || i.fullLatencyP99 !== null) { - timestamp.push(format(new Date(i.fullTimestamp), 'HH:mm:ss')); - latencyMedian.push(i.fullLatencyMedian); - latencyP99.push(i.fullLatencyP99); - latencyP95.push(i.fullLatencyP95); - } - }); - - let data = { - labels: timestamp, - datasets: [ - { - label: 'latency Median', - data: latencyMedian, - fill: false, - borderColor: 'orange', - borderWidth: 1 - }, - { - label: 'latency P95', - data: latencyP95, - fill: false, - borderColor: 'green', - borderWidth: 1 - }, - { - label: 'latency P99', - data: latencyP99, - fill: false, - borderColor: 'red', - borderWidth: 1 - } - ] - }; - - let options = { - responsive: true, - maintainAspectRatio: false, - scales: { - yAxes: [ - { - scaleLabel: { - display: true, - labelString: 'Millisecond (ms)' - } - } - ], - xAxes: [ - { - scaleLabel: { - display: true, - labelString: 'Time (hh:mm:ss)' - } - } - ] - } - }; - - let chartRef; - - onMount(() => { - Chart.Line(chartRef, { options, data }); - }); - - $$self.$$.on_mount.push(function () { - if (value === undefined && !('value' in $$props || $$self.$$.bound[$$self.$$.props['value']])) { - console.warn(" was created without expected prop 'value'"); - } - }); - - const writable_props = ['value']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function canvas_binding($$value) { - binding_callbacks[$$value ? 'unshift' : 'push'](() => { - chartRef = $$value; - $$invalidate(0, chartRef); - }); - } - - $$self.$$set = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - }; - - $$self.$capture_state = () => ({ - onMount, - format, - value, - latencyMedian, - latencyP95, - latencyP99, - timestamp, - data, - options, - chartRef - }); - - $$self.$inject_state = $$props => { - if ('value' in $$props) $$invalidate(1, value = $$props.value); - if ('latencyMedian' in $$props) latencyMedian = $$props.latencyMedian; - if ('latencyP95' in $$props) latencyP95 = $$props.latencyP95; - if ('latencyP99' in $$props) latencyP99 = $$props.latencyP99; - if ('timestamp' in $$props) timestamp = $$props.timestamp; - if ('data' in $$props) data = $$props.data; - if ('options' in $$props) options = $$props.options; - if ('chartRef' in $$props) $$invalidate(0, chartRef = $$props.chartRef); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [chartRef, value, canvas_binding]; - } - - class ArtilleryChart extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$8, create_fragment$8, safe_not_equal, { value: 1 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "ArtilleryChart", - options, - id: create_fragment$8.name - }); - } - - get value() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set value(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/artillerycomponents/UpdateArtilleryThreshold.svelte generated by Svelte v3.59.1 */ - - const { Error: Error_1 } = globals; - const file$7 = "src/components/artillerycomponents/UpdateArtilleryThreshold.svelte"; - - // (60:2) {:else} - function create_else_block$4(ctx) { - let div2; - let label0; - let t0; - let t1_value = /*threshold*/ ctx[0].latencyMedian + ""; - let t1; - let t2; - let input0; - let t3; - let label1; - let t4; - let t5_value = /*threshold*/ ctx[0].latencyP95 + ""; - let t5; - let t6; - let input1; - let t7; - let label2; - let t8; - let t9_value = /*threshold*/ ctx[0].latencyP99 + ""; - let t9; - let t10; - let input2; - let t11; - let label3; - let t12; - let t13_value = /*threshold*/ ctx[0].errors + ""; - let t13; - let t14; - let input3; - let t15; - let div0; - let t17; - let div1; - let button0; - let t19; - let button1; - let mounted; - let dispose; - - const block = { - c: function create() { - div2 = element("div"); - label0 = element("label"); - t0 = text("Median latency (ms) is < "); - t1 = text(t1_value); - t2 = space(); - input0 = element("input"); - t3 = space(); - label1 = element("label"); - t4 = text("P95 latency (ms) is < "); - t5 = text(t5_value); - t6 = space(); - input1 = element("input"); - t7 = space(); - label2 = element("label"); - t8 = text("P99 latency (ms) is < "); - t9 = text(t9_value); - t10 = space(); - input2 = element("input"); - t11 = space(); - label3 = element("label"); - t12 = text("Number of errors < "); - t13 = text(t13_value); - t14 = space(); - input3 = element("input"); - t15 = space(); - div0 = element("div"); - div0.textContent = "0 = ignore criteria"; - t17 = space(); - div1 = element("div"); - button0 = element("button"); - button0.textContent = "Remove Threshold"; - t19 = space(); - button1 = element("button"); - button1.textContent = "Use This Build Stats"; - attr_dev(label0, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mt-3"); - add_location(label0, file$7, 62, 6, 1429); - attr_dev(input0, "class", "shadow appearance-none border rounded w-full py-2 px-3 text-gray-700 leading-tight focus:outline-none focus:shadow-outline"); - attr_dev(input0, "type", "number"); - input0.required = false; - add_location(input0, file$7, 66, 6, 1602); - attr_dev(label1, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mt-3"); - add_location(label1, file$7, 73, 6, 1858); - attr_dev(input1, "class", "shadow appearance-none border rounded w-full py-2 px-3 text-gray-700 leading-tight focus:outline-none focus:shadow-outline"); - attr_dev(input1, "type", "number"); - input1.required = false; - add_location(input1, file$7, 77, 6, 2025); - attr_dev(label2, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mt-3"); - add_location(label2, file$7, 84, 6, 2278); - attr_dev(input2, "class", "shadow appearance-none border rounded w-full py-2 px-3 text-gray-700 leading-tight focus:outline-none focus:shadow-outline"); - attr_dev(input2, "type", "number"); - input2.required = false; - add_location(input2, file$7, 88, 6, 2445); - attr_dev(label3, "class", "block uppercase tracking-wide text-gray-700 text-xs font-bold mt-3"); - add_location(label3, file$7, 95, 8, 2700); - attr_dev(input3, "class", "shadow appearance-none border rounded w-full py-2 px-3 text-gray-700 leading-tight focus:outline-none focus:shadow-outline"); - attr_dev(input3, "type", "number"); - input3.required = false; - add_location(input3, file$7, 99, 6, 2860); - attr_dev(div0, "class", "italic text-center pb-3"); - add_location(div0, file$7, 106, 6, 3109); - attr_dev(button0, "type", "button"); - attr_dev(button0, "class", "bg-grey-100 hover:bg-blue-500 text-blue-800 font-semibold ml-1 hover:text-white py-2 px-4 border border-blue-500 hover:border-transparent rounded"); - add_location(button0, file$7, 108, 8, 3212); - attr_dev(button1, "type", "button"); - attr_dev(button1, "class", "bg-grey-100 hover:bg-blue-500 text-blue-800 font-semibold ml-1 hover:text-white py-2 px-4 border border-blue-500 hover:border-transparent rounded"); - add_location(button1, file$7, 116, 8, 3513); - attr_dev(div1, "class", "text-center"); - add_location(div1, file$7, 107, 6, 3178); - attr_dev(div2, "class", "ml-5"); - add_location(div2, file$7, 61, 4, 1404); - }, - m: function mount(target, anchor) { - insert_dev(target, div2, anchor); - append_dev(div2, label0); - append_dev(label0, t0); - append_dev(label0, t1); - append_dev(div2, t2); - append_dev(div2, input0); - set_input_value(input0, /*threshold*/ ctx[0].latencyMedian); - append_dev(div2, t3); - append_dev(div2, label1); - append_dev(label1, t4); - append_dev(label1, t5); - append_dev(div2, t6); - append_dev(div2, input1); - set_input_value(input1, /*threshold*/ ctx[0].latencyP95); - append_dev(div2, t7); - append_dev(div2, label2); - append_dev(label2, t8); - append_dev(label2, t9); - append_dev(div2, t10); - append_dev(div2, input2); - set_input_value(input2, /*threshold*/ ctx[0].latencyP99); - append_dev(div2, t11); - append_dev(div2, label3); - append_dev(label3, t12); - append_dev(label3, t13); - append_dev(div2, t14); - append_dev(div2, input3); - set_input_value(input3, /*threshold*/ ctx[0].errors); - append_dev(div2, t15); - append_dev(div2, div0); - append_dev(div2, t17); - append_dev(div2, div1); - append_dev(div1, button0); - append_dev(div1, t19); - append_dev(div1, button1); - - if (!mounted) { - dispose = [ - listen_dev(input0, "input", /*input0_input_handler*/ ctx[12]), - listen_dev(input1, "input", /*input1_input_handler*/ ctx[13]), - listen_dev(input2, "input", /*input2_input_handler*/ ctx[14]), - listen_dev(input3, "input", /*input3_input_handler*/ ctx[15]), - listen_dev(button0, "click", /*clearAll*/ ctx[7], false, false, false, false), - listen_dev(button1, "click", /*useLastBuild*/ ctx[8], false, false, false, false) - ]; - - mounted = true; - } - }, - p: function update(ctx, dirty) { - if (dirty & /*threshold*/ 1 && t1_value !== (t1_value = /*threshold*/ ctx[0].latencyMedian + "")) set_data_dev(t1, t1_value); - - if (dirty & /*threshold*/ 1 && to_number(input0.value) !== /*threshold*/ ctx[0].latencyMedian) { - set_input_value(input0, /*threshold*/ ctx[0].latencyMedian); - } - - if (dirty & /*threshold*/ 1 && t5_value !== (t5_value = /*threshold*/ ctx[0].latencyP95 + "")) set_data_dev(t5, t5_value); - - if (dirty & /*threshold*/ 1 && to_number(input1.value) !== /*threshold*/ ctx[0].latencyP95) { - set_input_value(input1, /*threshold*/ ctx[0].latencyP95); - } - - if (dirty & /*threshold*/ 1 && t9_value !== (t9_value = /*threshold*/ ctx[0].latencyP99 + "")) set_data_dev(t9, t9_value); - - if (dirty & /*threshold*/ 1 && to_number(input2.value) !== /*threshold*/ ctx[0].latencyP99) { - set_input_value(input2, /*threshold*/ ctx[0].latencyP99); - } - - if (dirty & /*threshold*/ 1 && t13_value !== (t13_value = /*threshold*/ ctx[0].errors + "")) set_data_dev(t13, t13_value); - - if (dirty & /*threshold*/ 1 && to_number(input3.value) !== /*threshold*/ ctx[0].errors) { - set_input_value(input3, /*threshold*/ ctx[0].errors); - } - }, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(div2); - mounted = false; - run_all(dispose); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$4.name, - type: "else", - source: "(60:2) {:else}", - ctx - }); - - return block; - } - - // (58:2) {#if loading} - function create_if_block$6(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$6.name, - type: "if", - source: "(58:2) {#if loading}", - ctx - }); - - return block; - } - - // (51:0) - function create_default_slot_1$2(ctx) { - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - const if_block_creators = [create_if_block$6, create_else_block$4]; - const if_blocks = []; - - function select_block_type(ctx, dirty) { - if (/*loading*/ ctx[3]) return 0; - return 1; - } - - current_block_type_index = select_block_type(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - if_block.c(); - if_block_anchor = empty(); - }, - m: function mount(target, anchor) { - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(ctx, dirty) { - let previous_block_index = current_block_type_index; - current_block_type_index = select_block_type(ctx); - - if (current_block_type_index === previous_block_index) { - if_blocks[current_block_type_index].p(ctx, dirty); - } else { - group_outros(); - - transition_out(if_blocks[previous_block_index], 1, 1, () => { - if_blocks[previous_block_index] = null; - }); - - check_outros(); - if_block = if_blocks[current_block_type_index]; - - if (!if_block) { - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - if_block.c(); - } else { - if_block.p(ctx, dirty); - } - - transition_in(if_block, 1); - if_block.m(if_block_anchor.parentNode, if_block_anchor); - } - }, - i: function intro(local) { - if (current) return; - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_1$2.name, - type: "slot", - source: "(51:0) ", - ctx - }); - - return block; - } - - // (131:0) - function create_default_slot$2(ctx) { - let p; - let t1; - let span; - let a; - let t2; - - const block = { - c: function create() { - p = element("p"); - p.textContent = "Artillery Load threshold updated for"; - t1 = space(); - span = element("span"); - a = element("a"); - t2 = text(/*url*/ ctx[2]); - attr_dev(p, "class", "font-bold"); - add_location(p, file$7, 131, 2, 3892); - attr_dev(a, "href", /*url*/ ctx[2]); - attr_dev(a, "target", "_blank"); - add_location(a, file$7, 133, 4, 4026); - attr_dev(span, "class", "inline-block align-baseline font-bold text-sm link"); - add_location(span, file$7, 132, 2, 3956); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - insert_dev(target, t1, anchor); - insert_dev(target, span, anchor); - append_dev(span, a); - append_dev(a, t2); - }, - p: function update(ctx, dirty) { - if (dirty & /*url*/ 4) set_data_dev(t2, /*url*/ ctx[2]); - - if (dirty & /*url*/ 4) { - attr_dev(a, "href", /*url*/ ctx[2]); - } - }, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - if (detaching) detach_dev(t1); - if (detaching) detach_dev(span); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot$2.name, - type: "slot", - source: "(131:0) ", - ctx - }); - - return block; - } - - function create_fragment$7(ctx) { - let modal; - let updating_show; - let updating_loading; - let t; - let toastr; - let updating_show_1; - let current; - - function modal_show_binding(value) { - /*modal_show_binding*/ ctx[16](value); - } - - function modal_loading_binding(value) { - /*modal_loading_binding*/ ctx[17](value); - } - - let modal_props = { - header: "Fail the build when:", - mainAction: "Save", - $$slots: { default: [create_default_slot_1$2] }, - $$scope: { ctx } - }; - - if (/*show*/ ctx[1] !== void 0) { - modal_props.show = /*show*/ ctx[1]; - } - - if (/*saving*/ ctx[4] !== void 0) { - modal_props.loading = /*saving*/ ctx[4]; - } - - modal = new Modal({ props: modal_props, $$inline: true }); - binding_callbacks.push(() => bind$2(modal, 'show', modal_show_binding)); - binding_callbacks.push(() => bind$2(modal, 'loading', modal_loading_binding)); - modal.$on("action", /*updateIgnore*/ ctx[9]); - modal.$on("dismiss", /*dismiss*/ ctx[6]); - - function toastr_show_binding(value) { - /*toastr_show_binding*/ ctx[18](value); - } - - let toastr_props = { - $$slots: { default: [create_default_slot$2] }, - $$scope: { ctx } - }; - - if (/*addedSuccess*/ ctx[5] !== void 0) { - toastr_props.show = /*addedSuccess*/ ctx[5]; - } - - toastr = new Toastr({ props: toastr_props, $$inline: true }); - binding_callbacks.push(() => bind$2(toastr, 'show', toastr_show_binding)); - - const block = { - c: function create() { - create_component(modal.$$.fragment); - t = space(); - create_component(toastr.$$.fragment); - }, - l: function claim(nodes) { - throw new Error_1("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - mount_component(modal, target, anchor); - insert_dev(target, t, anchor); - mount_component(toastr, target, anchor); - current = true; - }, - p: function update(ctx, [dirty]) { - const modal_changes = {}; - - if (dirty & /*$$scope, loading, threshold*/ 524297) { - modal_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show && dirty & /*show*/ 2) { - updating_show = true; - modal_changes.show = /*show*/ ctx[1]; - add_flush_callback(() => updating_show = false); - } - - if (!updating_loading && dirty & /*saving*/ 16) { - updating_loading = true; - modal_changes.loading = /*saving*/ ctx[4]; - add_flush_callback(() => updating_loading = false); - } - - modal.$set(modal_changes); - const toastr_changes = {}; - - if (dirty & /*$$scope, url*/ 524292) { - toastr_changes.$$scope = { dirty, ctx }; - } - - if (!updating_show_1 && dirty & /*addedSuccess*/ 32) { - updating_show_1 = true; - toastr_changes.show = /*addedSuccess*/ ctx[5]; - add_flush_callback(() => updating_show_1 = false); - } - - toastr.$set(toastr_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(modal.$$.fragment, local); - transition_in(toastr.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(modal.$$.fragment, local); - transition_out(toastr.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(modal, detaching); - if (detaching) detach_dev(t); - destroy_component(toastr, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$7.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$7($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('UpdateArtilleryThreshold', slots, []); - let { url } = $$props; - let { threshold = {} } = $$props; - let { show } = $$props; - let { loading } = $$props; - let { lastBuild } = $$props; - let { user } = $$props; - let saving; - let addedSuccess; - const dismiss = () => $$invalidate(1, show = false); - - const clearAll = () => $$invalidate(0, threshold = { - latencyMedian: 0, - latencyP95: 0, - latencyP99: 0, - errors: 0 - }); - - const useLastBuild = () => $$invalidate(0, threshold = getLoadThresholdResult(lastBuild)); - - const updateIgnore = async () => { - $$invalidate(4, saving = true); - - const res = await fetch(`${CONSTS.API}/api/config/${user.apiKey}/loadthreshold`, { - method: "PUT", - body: JSON.stringify({ url, ...threshold }), - headers: { "Content-Type": "application/json" } - }); - - if (res.ok) { - $$invalidate(4, saving = false); - $$invalidate(1, show = false); - $$invalidate(5, addedSuccess = true); - } else { - throw new Error("Failed to load"); - } - }; - - $$self.$$.on_mount.push(function () { - if (url === undefined && !('url' in $$props || $$self.$$.bound[$$self.$$.props['url']])) { - console.warn(" was created without expected prop 'url'"); - } - - if (show === undefined && !('show' in $$props || $$self.$$.bound[$$self.$$.props['show']])) { - console.warn(" was created without expected prop 'show'"); - } - - if (loading === undefined && !('loading' in $$props || $$self.$$.bound[$$self.$$.props['loading']])) { - console.warn(" was created without expected prop 'loading'"); - } - - if (lastBuild === undefined && !('lastBuild' in $$props || $$self.$$.bound[$$self.$$.props['lastBuild']])) { - console.warn(" was created without expected prop 'lastBuild'"); - } - - if (user === undefined && !('user' in $$props || $$self.$$.bound[$$self.$$.props['user']])) { - console.warn(" was created without expected prop 'user'"); - } - }); - - const writable_props = ['url', 'threshold', 'show', 'loading', 'lastBuild', 'user']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - function input0_input_handler() { - threshold.latencyMedian = to_number(this.value); - $$invalidate(0, threshold); - } - - function input1_input_handler() { - threshold.latencyP95 = to_number(this.value); - $$invalidate(0, threshold); - } - - function input2_input_handler() { - threshold.latencyP99 = to_number(this.value); - $$invalidate(0, threshold); - } - - function input3_input_handler() { - threshold.errors = to_number(this.value); - $$invalidate(0, threshold); - } - - function modal_show_binding(value) { - show = value; - $$invalidate(1, show); - } - - function modal_loading_binding(value) { - saving = value; - $$invalidate(4, saving); - } - - function toastr_show_binding(value) { - addedSuccess = value; - $$invalidate(5, addedSuccess); - } - - $$self.$$set = $$props => { - if ('url' in $$props) $$invalidate(2, url = $$props.url); - if ('threshold' in $$props) $$invalidate(0, threshold = $$props.threshold); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('lastBuild' in $$props) $$invalidate(10, lastBuild = $$props.lastBuild); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - }; - - $$self.$capture_state = () => ({ - Toastr, - CONSTS, - getLoadThresholdResult, - Modal, - LoadingFlat, - url, - threshold, - show, - loading, - lastBuild, - user, - saving, - addedSuccess, - dismiss, - clearAll, - useLastBuild, - updateIgnore - }); - - $$self.$inject_state = $$props => { - if ('url' in $$props) $$invalidate(2, url = $$props.url); - if ('threshold' in $$props) $$invalidate(0, threshold = $$props.threshold); - if ('show' in $$props) $$invalidate(1, show = $$props.show); - if ('loading' in $$props) $$invalidate(3, loading = $$props.loading); - if ('lastBuild' in $$props) $$invalidate(10, lastBuild = $$props.lastBuild); - if ('user' in $$props) $$invalidate(11, user = $$props.user); - if ('saving' in $$props) $$invalidate(4, saving = $$props.saving); - if ('addedSuccess' in $$props) $$invalidate(5, addedSuccess = $$props.addedSuccess); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [ - threshold, - show, - url, - loading, - saving, - addedSuccess, - dismiss, - clearAll, - useLastBuild, - updateIgnore, - lastBuild, - user, - input0_input_handler, - input1_input_handler, - input2_input_handler, - input3_input_handler, - modal_show_binding, - modal_loading_binding, - toastr_show_binding - ]; - } - - class UpdateArtilleryThreshold extends SvelteComponentDev { - constructor(options) { - super(options); - - init(this, options, instance$7, create_fragment$7, safe_not_equal, { - url: 2, - threshold: 0, - show: 1, - loading: 3, - lastBuild: 10, - user: 11 - }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "UpdateArtilleryThreshold", - options, - id: create_fragment$7.name - }); - } - - get url() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set url(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get threshold() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set threshold(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get show() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set show(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get loading() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set loading(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get lastBuild() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set lastBuild(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - - get user() { - throw new Error_1(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set user(value) { - throw new Error_1(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/components/artillerycomponents/ArtilleryDetailsCard.svelte generated by Svelte v3.59.1 */ - const file$6 = "src/components/artillerycomponents/ArtilleryDetailsCard.svelte"; - - // (36:2) {:else} - function create_else_block$3(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-orange-500 h-2"); - add_location(div, file$6, 36, 4, 989); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$3.name, - type: "else", - source: "(36:2) {:else}", - ctx - }); - - return block; - } - - // (34:36) - function create_if_block_2$2(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-green-500 h-2"); - add_location(div, file$6, 34, 4, 942); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_2$2.name, - type: "if", - source: "(34:36) ", - ctx - }); - - return block; - } - - // (32:2) {#if val.finalEval == 'FAIL'} - function create_if_block_1$4(ctx) { - let div; - - const block = { - c: function create() { - div = element("div"); - attr_dev(div, "class", "bg-red-500 h-2"); - add_location(div, file$6, 32, 4, 870); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$4.name, - type: "if", - source: "(32:2) {#if val.finalEval == 'FAIL'}", - ctx - }); - - return block; - } - - // (54:8) {#if val.performanceScore} - function create_if_block$5(ctx) { - let div; - let h2; - let span; - let t1; - let lighthousesummary; - let current; - - lighthousesummary = new LighthouseSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - h2 = element("h2"); - span = element("span"); - span.textContent = "LIGHTHOUSE"; - t1 = space(); - create_component(lighthousesummary.$$.fragment); - attr_dev(span, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span, file$6, 56, 14, 1677); - attr_dev(h2, "class", "svelte-1fv0uxu"); - add_location(h2, file$6, 55, 12, 1658); - attr_dev(div, "class", "md:row-span-1 text-sm my-2"); - add_location(div, file$6, 54, 10, 1605); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - append_dev(div, h2); - append_dev(h2, span); - append_dev(div, t1); - mount_component(lighthousesummary, div, null); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(lighthousesummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(lighthousesummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(lighthousesummary); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$5.name, - type: "if", - source: "(54:8) {#if val.performanceScore}", - ctx - }); - - return block; - } - - function create_fragment$6(ctx) { - let div9; - let t0; - let div8; - let div6; - let div0; - let t1; - let div4; - let div1; - let h20; - let span0; - let t3; - let linksummary; - let t4; - let div2; - let h21; - let span1; - let t6; - let codesummary; - let t7; - let t8; - let div3; - let h22; - let span2; - let t10; - let artillerysummary; - let t11; - let div5; - let t12; - let div7; - let span3; - let current; - - function select_block_type(ctx, dirty) { - if (/*val*/ ctx[0].finalEval == 'FAIL') return create_if_block_1$4; - if (/*val*/ ctx[0].finalEval == 'PASS') return create_if_block_2$2; - return create_else_block$3; - } - - let current_block_type = select_block_type(ctx); - let if_block0 = current_block_type(ctx); - - linksummary = new LinkSummary({ - props: { - value: /*val*/ ctx[0], - brokenLinks: /*brokenLinks*/ ctx[1].length - }, - $$inline: true - }); - - codesummary = new CodeSummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - let if_block1 = /*val*/ ctx[0].performanceScore && create_if_block$5(ctx); - - artillerysummary = new ArtillerySummary({ - props: { value: /*val*/ ctx[0] }, - $$inline: true - }); - - const block = { - c: function create() { - div9 = element("div"); - if_block0.c(); - t0 = space(); - div8 = element("div"); - div6 = element("div"); - div0 = element("div"); - t1 = space(); - div4 = element("div"); - div1 = element("div"); - h20 = element("h2"); - span0 = element("span"); - span0.textContent = "LINKS"; - t3 = space(); - create_component(linksummary.$$.fragment); - t4 = space(); - div2 = element("div"); - h21 = element("h2"); - span1 = element("span"); - span1.textContent = "CODE"; - t6 = space(); - create_component(codesummary.$$.fragment); - t7 = space(); - if (if_block1) if_block1.c(); - t8 = space(); - div3 = element("div"); - h22 = element("h2"); - span2 = element("span"); - span2.textContent = "LOAD TEST"; - t10 = space(); - create_component(artillerysummary.$$.fragment); - t11 = space(); - div5 = element("div"); - t12 = space(); - div7 = element("div"); - span3 = element("span"); - span3.textContent = `Build Version: ${/*val*/ ctx[0].buildVersion}`; - add_location(div0, file$6, 41, 6, 1099); - attr_dev(span0, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span0, file$6, 44, 14, 1222); - attr_dev(h20, "class", "svelte-1fv0uxu"); - add_location(h20, file$6, 44, 10, 1218); - attr_dev(div1, "class", "md:row-span-1 text-sm my-2"); - add_location(div1, file$6, 43, 8, 1167); - attr_dev(span1, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span1, file$6, 49, 14, 1439); - attr_dev(h21, "class", "svelte-1fv0uxu"); - add_location(h21, file$6, 49, 10, 1435); - attr_dev(div2, "class", "md:row-span-1 text-sm my-2"); - add_location(div2, file$6, 48, 8, 1384); - attr_dev(span2, "class", "font-bold font-sans text-gray-600 svelte-1fv0uxu"); - add_location(span2, file$6, 64, 12, 1917); - attr_dev(h22, "class", "svelte-1fv0uxu"); - add_location(h22, file$6, 63, 10, 1900); - attr_dev(div3, "class", "md:row-span-1 text-sm my-2"); - add_location(div3, file$6, 62, 8, 1849); - attr_dev(div4, "class", "grid grid-rows-3 col-span-4"); - add_location(div4, file$6, 42, 6, 1117); - add_location(div5, file$6, 69, 6, 2075); - attr_dev(div6, "class", "grid grid-cols-6"); - add_location(div6, file$6, 40, 4, 1062); - attr_dev(span3, "class", "font-sans text-lg pt-2"); - add_location(span3, file$6, 73, 6, 2133); - attr_dev(div7, "class", "text-left"); - add_location(div7, file$6, 72, 4, 2103); - attr_dev(div8, "class", "px-6 py-2"); - add_location(div8, file$6, 39, 2, 1034); - attr_dev(div9, "class", "overflow-hidden shadow-lg my-5"); - add_location(div9, file$6, 30, 0, 789); - }, - l: function claim(nodes) { - throw new Error("options.hydrate only works if the component was compiled with the `hydratable: true` option"); - }, - m: function mount(target, anchor) { - insert_dev(target, div9, anchor); - if_block0.m(div9, null); - append_dev(div9, t0); - append_dev(div9, div8); - append_dev(div8, div6); - append_dev(div6, div0); - append_dev(div6, t1); - append_dev(div6, div4); - append_dev(div4, div1); - append_dev(div1, h20); - append_dev(h20, span0); - append_dev(div1, t3); - mount_component(linksummary, div1, null); - append_dev(div4, t4); - append_dev(div4, div2); - append_dev(div2, h21); - append_dev(h21, span1); - append_dev(div2, t6); - mount_component(codesummary, div2, null); - append_dev(div4, t7); - if (if_block1) if_block1.m(div4, null); - append_dev(div4, t8); - append_dev(div4, div3); - append_dev(div3, h22); - append_dev(h22, span2); - append_dev(div3, t10); - mount_component(artillerysummary, div3, null); - append_dev(div6, t11); - append_dev(div6, div5); - append_dev(div8, t12); - append_dev(div8, div7); - append_dev(div7, span3); - current = true; - }, - p: function update(ctx, [dirty]) { - if (/*val*/ ctx[0].performanceScore) if_block1.p(ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(linksummary.$$.fragment, local); - transition_in(codesummary.$$.fragment, local); - transition_in(if_block1); - transition_in(artillerysummary.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(linksummary.$$.fragment, local); - transition_out(codesummary.$$.fragment, local); - transition_out(if_block1); - transition_out(artillerysummary.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div9); - if_block0.d(); - destroy_component(linksummary); - destroy_component(codesummary); - if (if_block1) if_block1.d(); - destroy_component(artillerysummary); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_fragment$6.name, - type: "component", - source: "", - ctx - }); - - return block; - } - - function instance$6($$self, $$props, $$invalidate) { - let { $$slots: slots = {}, $$scope } = $$props; - validate_slots('ArtilleryDetailsCard', slots, []); - let { build = {} } = $$props; - let val = build.summary; - let brokenLinks = build.brokenLinks; - const dispatch = createEventDispatcher(); - const artilleryThreshold = () => dispatch("artilleryThreshold"); - const writable_props = ['build']; - - Object.keys($$props).forEach(key => { - if (!~writable_props.indexOf(key) && key.slice(0, 2) !== '$$' && key !== 'slot') console.warn(` was created with unknown prop '${key}'`); - }); - - $$self.$$set = $$props => { - if ('build' in $$props) $$invalidate(2, build = $$props.build); - }; - - $$self.$capture_state = () => ({ - LighthouseSummary, - createEventDispatcher, - CodeSummary, - LinkSummary, - ArtillerySummary, - build, - val, - brokenLinks, - dispatch, - artilleryThreshold - }); - - $$self.$inject_state = $$props => { - if ('build' in $$props) $$invalidate(2, build = $$props.build); - if ('val' in $$props) $$invalidate(0, val = $$props.val); - if ('brokenLinks' in $$props) $$invalidate(1, brokenLinks = $$props.brokenLinks); - }; - - if ($$props && "$$inject" in $$props) { - $$self.$inject_state($$props.$$inject); - } - - return [val, brokenLinks, build]; - } - - class ArtilleryDetailsCard extends SvelteComponentDev { - constructor(options) { - super(options); - init(this, options, instance$6, create_fragment$6, safe_not_equal, { build: 2 }); - - dispatch_dev("SvelteRegisterComponent", { - component: this, - tagName: "ArtilleryDetailsCard", - options, - id: create_fragment$6.name - }); - } - - get build() { - throw new Error(": Props cannot be read directly from the component instance unless compiling with 'accessors: true' or ''"); - } - - set build(value) { - throw new Error(": Props cannot be set directly on the component instance unless compiling with 'accessors: true' or ''"); - } - } - - /* src/containers/ArtilleryReport.svelte generated by Svelte v3.59.1 */ - - const { console: console_1 } = globals; - const file$5 = "src/containers/ArtilleryReport.svelte"; - - // (83:4) {:else} - function create_else_block$2(ctx) { - let await_block_anchor; - let current; - - let info = { - ctx, - current: null, - token: null, - hasCatch: true, - pending: create_pending_block, - then: create_then_block, - catch: create_catch_block_1, - value: 18, - error: 19, - blocks: [,,,] - }; - - handle_promise(/*promise*/ ctx[9], info); - - const block = { - c: function create() { - await_block_anchor = empty(); - info.block.c(); - }, - m: function mount(target, anchor) { - insert_dev(target, await_block_anchor, anchor); - info.block.m(target, info.anchor = anchor); - info.mount = () => await_block_anchor.parentNode; - info.anchor = await_block_anchor; - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - update_await_block_branch(info, ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(info.block); - current = true; - }, - o: function outro(local) { - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(await_block_anchor); - info.block.d(detaching); - info.token = null; - info = null; - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block$2.name, - type: "else", - source: "(83:4) {:else}", - ctx - }); - - return block; - } - - // (81:4) {#if loading} - function create_if_block$4(ctx) { - let loadingflat; - let current; - loadingflat = new LoadingFlat({ $$inline: true }); - - const block = { - c: function create() { - create_component(loadingflat.$$.fragment); - }, - m: function mount(target, anchor) { - mount_component(loadingflat, target, anchor); - current = true; - }, - p: noop$1, - i: function intro(local) { - if (current) return; - transition_in(loadingflat.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(loadingflat.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - destroy_component(loadingflat, detaching); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block$4.name, - type: "if", - source: "(81:4) {#if loading}", - ctx - }); - - return block; - } - - // (143:6) {:catch error} - function create_catch_block_1(ctx) { - let p; - let t_value = /*error*/ ctx[19].message + ""; - let t; - - const block = { - c: function create() { - p = element("p"); - t = text(t_value); - attr_dev(p, "class", "text-red-600 mx-auto text-2xl py-8"); - add_location(p, file$5, 143, 8, 4770); - }, - m: function mount(target, anchor) { - insert_dev(target, p, anchor); - append_dev(p, t); - }, - p: noop$1, - i: noop$1, - o: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(p); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_catch_block_1.name, - type: "catch", - source: "(143:6) {:catch error}", - ctx - }); - - return block; - } - - // (86:6) {:then data} - function create_then_block(ctx) { - let breadcrumbs; - let t0; - let br; - let t1; - let cardsummary; - let t2; - let artillerydetailscard; - let t3; - let tabs; - let t4; - let current_block_type_index; - let if_block; - let if_block_anchor; - let current; - - breadcrumbs = new Breadcrumbs({ - props: { - build: /*data*/ ctx[18] ? /*data*/ ctx[18].summary : {}, - runId: /*currentRoute*/ ctx[0].namedParams.id, - displayMode: "Artillery Load Test" - }, - $$inline: true - }); - - cardsummary = new CardSummary({ - props: { value: /*data*/ ctx[18].summary }, - $$inline: true - }); - - function artilleryThreshold_handler() { - return /*artilleryThreshold_handler*/ ctx[14](/*data*/ ctx[18]); - } - - artillerydetailscard = new ArtilleryDetailsCard({ - props: { - build: /*data*/ ctx[18] ? /*data*/ ctx[18] : {} - }, - $$inline: true - }); - - artillerydetailscard.$on("artilleryThreshold", artilleryThreshold_handler); - - tabs = new Tabs({ - props: { - build: /*data*/ ctx[18] ? /*data*/ ctx[18] : {}, - displayMode: "artillery" - }, - $$inline: true - }); - - const if_block_creators = [create_if_block_1$3, create_else_block_1]; - const if_blocks = []; - - function select_block_type_1(ctx, dirty) { - if (/*data*/ ctx[18].summary.latencyP95 !== undefined) return 0; - return 1; - } - - current_block_type_index = select_block_type_1(ctx); - if_block = if_blocks[current_block_type_index] = if_block_creators[current_block_type_index](ctx); - - const block = { - c: function create() { - create_component(breadcrumbs.$$.fragment); - t0 = space(); - br = element("br"); - t1 = space(); - create_component(cardsummary.$$.fragment); - t2 = space(); - create_component(artillerydetailscard.$$.fragment); - t3 = space(); - create_component(tabs.$$.fragment); - t4 = space(); - if_block.c(); - if_block_anchor = empty(); - add_location(br, file$5, 90, 8, 2949); - }, - m: function mount(target, anchor) { - mount_component(breadcrumbs, target, anchor); - insert_dev(target, t0, anchor); - insert_dev(target, br, anchor); - insert_dev(target, t1, anchor); - mount_component(cardsummary, target, anchor); - insert_dev(target, t2, anchor); - mount_component(artillerydetailscard, target, anchor); - insert_dev(target, t3, anchor); - mount_component(tabs, target, anchor); - insert_dev(target, t4, anchor); - if_blocks[current_block_type_index].m(target, anchor); - insert_dev(target, if_block_anchor, anchor); - current = true; - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const breadcrumbs_changes = {}; - if (dirty & /*currentRoute*/ 1) breadcrumbs_changes.runId = /*currentRoute*/ ctx[0].namedParams.id; - breadcrumbs.$set(breadcrumbs_changes); - if_block.p(ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(breadcrumbs.$$.fragment, local); - transition_in(cardsummary.$$.fragment, local); - transition_in(artillerydetailscard.$$.fragment, local); - transition_in(tabs.$$.fragment, local); - transition_in(if_block); - current = true; - }, - o: function outro(local) { - transition_out(breadcrumbs.$$.fragment, local); - transition_out(cardsummary.$$.fragment, local); - transition_out(artillerydetailscard.$$.fragment, local); - transition_out(tabs.$$.fragment, local); - transition_out(if_block); - current = false; - }, - d: function destroy(detaching) { - destroy_component(breadcrumbs, detaching); - if (detaching) detach_dev(t0); - if (detaching) detach_dev(br); - if (detaching) detach_dev(t1); - destroy_component(cardsummary, detaching); - if (detaching) detach_dev(t2); - destroy_component(artillerydetailscard, detaching); - if (detaching) detach_dev(t3); - destroy_component(tabs, detaching); - if (detaching) detach_dev(t4); - if_blocks[current_block_type_index].d(detaching); - if (detaching) detach_dev(if_block_anchor); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_then_block.name, - type: "then", - source: "(86:6) {:then data}", - ctx - }); - - return block; - } - - // (128:8) {:else} - function create_else_block_1(ctx) { - let div; - let icon0; - let t; - let icon1; - let current; - - icon0 = new Icon({ - props: { - cssClass: "text-yellow-800 inline-block", - $$slots: { default: [create_default_slot_4] }, - $$scope: { ctx } - }, - $$inline: true - }); - - icon1 = new Icon({ - props: { - cssClass: "text-yellow-800 inline-block", - $$slots: { default: [create_default_slot_3] }, - $$scope: { ctx } - }, - $$inline: true - }); - - const block = { - c: function create() { - div = element("div"); - create_component(icon0.$$.fragment); - t = text("\n Artillery Load Test was not executed\n "); - create_component(icon1.$$.fragment); - attr_dev(div, "class", "mb-6 text-center text-xl py-8"); - add_location(div, file$5, 128, 10, 4135); - }, - m: function mount(target, anchor) { - insert_dev(target, div, anchor); - mount_component(icon0, div, null); - append_dev(div, t); - mount_component(icon1, div, null); - current = true; - }, - p: function update(ctx, dirty) { - const icon0_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon0_changes.$$scope = { dirty, ctx }; - } - - icon0.$set(icon0_changes); - const icon1_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon1_changes.$$scope = { dirty, ctx }; - } - - icon1.$set(icon1_changes); - }, - i: function intro(local) { - if (current) return; - transition_in(icon0.$$.fragment, local); - transition_in(icon1.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon0.$$.fragment, local); - transition_out(icon1.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div); - destroy_component(icon0); - destroy_component(icon1); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_else_block_1.name, - type: "else", - source: "(128:8) {:else}", - ctx - }); - - return block; - } - - // (101:8) {#if data.summary.latencyP95 !== undefined} - function create_if_block_1$3(ctx) { - let div1; - let div0; - let button; - let icon; - let t0; - let div3; - let div2; - let t1; - let t2; - let artillerydetailtable; - let current; - let mounted; - let dispose; - - icon = new Icon({ - props: { - cssClass: "", - $$slots: { default: [create_default_slot_2$1] }, - $$scope: { ctx } - }, - $$inline: true - }); - - let info = { - ctx, - current: null, - token: null, - hasCatch: false, - pending: create_pending_block_1, - then: create_then_block_1, - catch: create_catch_block, - value: 13, - blocks: [,,,] - }; - - handle_promise(/*getAtrData*/ ctx[12], info); - - artillerydetailtable = new ArtilleryDetailTable({ - props: { value: /*data*/ ctx[18] }, - $$inline: true - }); - - const block = { - c: function create() { - div1 = element("div"); - div0 = element("div"); - button = element("button"); - create_component(icon.$$.fragment); - t0 = space(); - div3 = element("div"); - div2 = element("div"); - t1 = space(); - info.block.c(); - t2 = space(); - create_component(artillerydetailtable.$$.fragment); - attr_dev(button, "title", "Download JSON"); - attr_dev(button, "class", "bg-gray-300 hover:bg-gray-400 text-gray-800 font-bold py-1 px-1 rounded-lg inline-flex items-center"); - add_location(button, file$5, 103, 14, 3364); - attr_dev(div0, "class", "float-right"); - add_location(div0, file$5, 102, 12, 3324); - attr_dev(div1, "class", "my-4"); - add_location(div1, file$5, 101, 10, 3293); - attr_dev(div2, "class", "h-5"); - add_location(div2, file$5, 117, 12, 3872); - attr_dev(div3, "class", "grid grid-rows-1"); - add_location(div3, file$5, 116, 10, 3829); - }, - m: function mount(target, anchor) { - insert_dev(target, div1, anchor); - append_dev(div1, div0); - append_dev(div0, button); - mount_component(icon, button, null); - insert_dev(target, t0, anchor); - insert_dev(target, div3, anchor); - append_dev(div3, div2); - insert_dev(target, t1, anchor); - info.block.m(target, info.anchor = anchor); - info.mount = () => t2.parentNode; - info.anchor = t2; - insert_dev(target, t2, anchor); - mount_component(artillerydetailtable, target, anchor); - current = true; - - if (!mounted) { - dispose = listen_dev(button, "click", /*download*/ ctx[10], false, false, false, false); - mounted = true; - } - }, - p: function update(new_ctx, dirty) { - ctx = new_ctx; - const icon_changes = {}; - - if (dirty & /*$$scope*/ 1048576) { - icon_changes.$$scope = { dirty, ctx }; - } - - icon.$set(icon_changes); - update_await_block_branch(info, ctx, dirty); - }, - i: function intro(local) { - if (current) return; - transition_in(icon.$$.fragment, local); - transition_in(info.block); - transition_in(artillerydetailtable.$$.fragment, local); - current = true; - }, - o: function outro(local) { - transition_out(icon.$$.fragment, local); - - for (let i = 0; i < 3; i += 1) { - const block = info.blocks[i]; - transition_out(block); - } - - transition_out(artillerydetailtable.$$.fragment, local); - current = false; - }, - d: function destroy(detaching) { - if (detaching) detach_dev(div1); - destroy_component(icon); - if (detaching) detach_dev(t0); - if (detaching) detach_dev(div3); - if (detaching) detach_dev(t1); - info.block.d(detaching); - info.token = null; - info = null; - if (detaching) detach_dev(t2); - destroy_component(artillerydetailtable, detaching); - mounted = false; - dispose(); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_if_block_1$3.name, - type: "if", - source: "(101:8) {#if data.summary.latencyP95 !== undefined}", - ctx - }); - - return block; - } - - // (130:12) - function create_default_slot_4(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$5, 130, 14, 4252); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_4.name, - type: "slot", - source: "(130:12) ", - ctx - }); - - return block; - } - - // (136:12) - function create_default_slot_3(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13\n 21l-2.286-6.857L5 12l5.714-2.143L13 3z"); - add_location(path, file$5, 136, 14, 4542); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_3.name, - type: "slot", - source: "(136:12) ", - ctx - }); - - return block; - } - - // (109:16) - function create_default_slot_2$1(ctx) { - let path; - - const block = { - c: function create() { - path = svg_element("path"); - attr_dev(path, "d", "M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"); - add_location(path, file$5, 109, 18, 3638); - }, - m: function mount(target, anchor) { - insert_dev(target, path, anchor); - }, - p: noop$1, - d: function destroy(detaching) { - if (detaching) detach_dev(path); - } - }; - - dispatch_dev("SvelteRegisterBlock", { - block, - id: create_default_slot_2$1.name, - type: "slot", - source: "(109:16) ", - ctx - }); - - return block; - } - - // (1:0) \";\n unsubscribe = listen(window, 'message', (event) => {\n if (event.source === iframe.contentWindow)\n fn();\n });\n }\n else {\n iframe.src = 'about:blank';\n iframe.onload = () => {\n unsubscribe = listen(iframe.contentWindow, 'resize', fn);\n // make sure an initial resize event is fired _after_ the iframe is loaded (which is asynchronous)\n // see https://github.com/sveltejs/svelte/issues/4233\n fn();\n };\n }\n append(node, iframe);\n return () => {\n if (crossorigin) {\n unsubscribe();\n }\n else if (unsubscribe && iframe.contentWindow) {\n unsubscribe();\n }\n detach(iframe);\n };\n}\nconst resize_observer_content_box = /* @__PURE__ */ new ResizeObserverSingleton({ box: 'content-box' });\nconst resize_observer_border_box = /* @__PURE__ */ new ResizeObserverSingleton({ box: 'border-box' });\nconst resize_observer_device_pixel_content_box = /* @__PURE__ */ new ResizeObserverSingleton({ box: 'device-pixel-content-box' });\nfunction toggle_class(element, name, toggle) {\n element.classList[toggle ? 'add' : 'remove'](name);\n}\nfunction custom_event(type, detail, { bubbles = false, cancelable = false } = {}) {\n const e = document.createEvent('CustomEvent');\n e.initCustomEvent(type, bubbles, cancelable, detail);\n return e;\n}\nfunction query_selector_all(selector, parent = document.body) {\n return Array.from(parent.querySelectorAll(selector));\n}\nfunction head_selector(nodeId, head) {\n const result = [];\n let started = 0;\n for (const node of head.childNodes) {\n if (node.nodeType === 8 /* comment node */) {\n const comment = node.textContent.trim();\n if (comment === `HEAD_${nodeId}_END`) {\n started -= 1;\n result.push(node);\n }\n else if (comment === `HEAD_${nodeId}_START`) {\n started += 1;\n result.push(node);\n }\n }\n else if (started > 0) {\n result.push(node);\n }\n }\n return result;\n}\nclass HtmlTag {\n constructor(is_svg = false) {\n this.is_svg = false;\n this.is_svg = is_svg;\n this.e = this.n = null;\n }\n c(html) {\n this.h(html);\n }\n m(html, target, anchor = null) {\n if (!this.e) {\n if (this.is_svg)\n this.e = svg_element(target.nodeName);\n /** #7364 target for