diff --git a/.gitignore b/.gitignore index 403adbc..4a2e501 100644 --- a/.gitignore +++ b/.gitignore @@ -1,6 +1,5 @@ .DS_Store node_modules -/dist # local env files diff --git a/chromeExtension/button.css b/chromeExtension/button.css new file mode 100644 index 0000000..a9946e2 --- /dev/null +++ b/chromeExtension/button.css @@ -0,0 +1,13 @@ +button { + height: 30px; + width: 30px; + outline: none; + margin: 10px; + border: none; + border-radius: 2px; + } + + button.current { + box-shadow: 0 0 0 2px white, + 0 0 0 4px black; + } \ No newline at end of file diff --git a/chromeExtension/images/get_started128.png b/chromeExtension/images/get_started128.png new file mode 100644 index 0000000..4c1cf87 Binary files /dev/null and b/chromeExtension/images/get_started128.png differ diff --git a/chromeExtension/images/get_started16.png b/chromeExtension/images/get_started16.png new file mode 100644 index 0000000..fb8531c Binary files /dev/null and b/chromeExtension/images/get_started16.png differ diff --git a/chromeExtension/images/get_started32.png b/chromeExtension/images/get_started32.png new file mode 100644 index 0000000..7715223 Binary files /dev/null and b/chromeExtension/images/get_started32.png differ diff --git a/chromeExtension/images/get_started48.png b/chromeExtension/images/get_started48.png new file mode 100644 index 0000000..94ddde9 Binary files /dev/null and b/chromeExtension/images/get_started48.png differ diff --git a/chromeExtension/manifest.json b/chromeExtension/manifest.json new file mode 100644 index 0000000..d76737b --- /dev/null +++ b/chromeExtension/manifest.json @@ -0,0 +1,40 @@ +{ + "name": "Trading Bias Helper", + "description": "Extension to help users beat their own overconfidence bias while putting in trade offers", + "version": "1.0", + "manifest_version": 3, + "icons": { + "16": "/images/get_started16.png", + "32": "/images/get_started32.png", + "48": "/images/get_started48.png", + "128": "/images/get_started128.png" + }, + "permissions": [ + "tabs", + "storage", + "activeTab", + "scripting", + "debugger", + "unlimitedStorage" + ], + + "background": { + "service_worker": "/scripts/background.js" + }, + "content_scripts": [ + { + "matches": [""], + "js": ["/scripts/pageTracker.js"] + } + ], + "action": { + "default_popup": "/popup/popup.html", + "default_icon": { + "16": "/images/get_started16.png", + "32": "/images/get_started32.png", + "48": "/images/get_started48.png", + "128": "/images/get_started128.png" + } + } + +} \ No newline at end of file diff --git a/chromeExtension/popup/popup.html b/chromeExtension/popup/popup.html new file mode 100644 index 0000000..2efa34d --- /dev/null +++ b/chromeExtension/popup/popup.html @@ -0,0 +1,11 @@ + + + + + + + +

Message Title

+

Message Description

+ + \ No newline at end of file diff --git a/chromeExtension/popup/popup.js b/chromeExtension/popup/popup.js new file mode 100644 index 0000000..8b13789 --- /dev/null +++ b/chromeExtension/popup/popup.js @@ -0,0 +1 @@ + diff --git a/chromeExtension/scripts/activity.js b/chromeExtension/scripts/activity.js new file mode 100644 index 0000000..0452f4f --- /dev/null +++ b/chromeExtension/scripts/activity.js @@ -0,0 +1,162 @@ +'use strict'; + +class Activity { + addTab(tab) { + if (this.isValidPage(tab) === true) { + if (tab.id && (tab.id != 0)) { + tabs = tabs || []; + var url = new Url(tab.url); + var isDifferentUrl = false; + if (!url.isMatch(currentTab)) { + isDifferentUrl = true; + } + + if (this.isNewUrl(url) && !this.isInBlackList(url)) { + var favicon = tab.favIconUrl; + if (favicon === undefined) { + favicon = 'chrome://favicon/' + url.host; + } + var newTab = new Tab(url, favicon); + tabs.push(newTab); + } + + if (isDifferentUrl && !this.isInBlackList(url)) { + this.setCurrentActiveTab(url); + var tabUrl = this.getTab(url); + if (tabUrl !== undefined) + tabUrl.incCounter(); + this.addTimeInterval(url); + } + } + } else this.closeIntervalForCurrentTab(); + } + + isValidPage(tab) {//Checks if we are currently at a valid url -> maybe can check for our whitelisted pages? + if (!tab || !tab.url || (tab.url.indexOf('http:') == -1 && tab.url.indexOf('https:') == -1) + || tab.url.indexOf('chrome://') !== -1 + || tab.url.indexOf('chrome-extension://') !== -1) + return false; + return true; + } + + isInBlackList(domain) { + if (setting_black_list !== undefined && setting_black_list.length > 0) + return setting_black_list.find(o => o.isMatch(domain)) !== undefined; + else return false; + } + + isLimitExceeded(domain, tab) { + if (setting_restriction_list !== undefined && setting_restriction_list.length > 0) { + var item = setting_restriction_list.find(o => o.url.isMatch(domain)); + if (item !== undefined) { + var data = tab.days.find(x => x.date == todayLocalDate()); + if (data !== undefined) { + var todayTimeUse = data.summary; + if (todayTimeUse >= item.time) { + return true; + } + } + } + } + return false; + } + + wasDeferred(domain){ + if (deferredRestrictionsList != undefined){ + let defItem = deferredRestrictionsList.find(x => new Url(x.site).isMatch(domain)); + if (defItem != null){ + let time = defItem.dateOfDeferred; + if (time + DEFERRED_TIMEOUT > new Date().getTime()){ + return true; + } + else { + let index = deferredRestrictionsList.indexOf(defItem); + if (index > -1) + deferredRestrictionsList.splice(index, 1); + + return false; + } + } + } + + return false; + } + + isNewUrl(domain) { + if (tabs.length > 0) + return tabs.find(o => o.url.isMatch(domain)) === undefined; + else return true; + } + + getTab(domain) { + if (tabs !== undefined) + return tabs.find(o => o.url.isMatch(domain)); + } + + + updateFavicon(tab) { + if (!this.isValidPage(tab)){ + return; + } + + var url = new Url(tab.url); + var currentTab = this.getTab(url); + if (currentTab !== null && currentTab !== undefined) { + if (tab.favIconUrl !== undefined && tab.favIconUrl !== currentTab.favicon) { + currentTab.favicon = tab.favIconUrl; + } + } + } + + setCurrentActiveTab(domain) { + this.closeIntervalForCurrentTab(); + currentTab = domain; + this.addTimeInterval(domain); + } + + addTimeInterval(domain) { + var item = timeIntervalList.find(o => o.url.isMatch(domain) && o.day == todayLocalDate()); + if (item != undefined) { + if (item.day == todayLocalDate()) + item.addInterval(); + else { + var newInterval = new TimeInterval(todayLocalDate(), domain); + newInterval.addInterval(); + timeIntervalList.push(newInterval); + } + } else { + var newInterval = new TimeInterval(todayLocalDate(), domain); + newInterval.addInterval(); + timeIntervalList.push(newInterval); + } + } + + closeIntervalForCurrentTab(preserveCurrentTab) { + if (currentTab && timeIntervalList != undefined) { + var item = timeIntervalList.find(o => o.url.isMatch(currentTab) && o.day == todayLocalDate()); + if (item != undefined) + item.closeInterval(); + } + + if (!preserveCurrentTab) { + currentTab = null; + } + } + + isNeedNotifyView(domain, tab){ + if (setting_notification_list !== undefined && setting_notification_list.length > 0) { + var item = setting_notification_list.find(o => o.url.isMatch(domain)); + if (item !== undefined) { + var today = todayLocalDate(); + var data = tab.days.find(x => x.date == today); + if (data !== undefined) { + var todayTimeUse = data.summary; + if (todayTimeUse == item.time || todayTimeUse % item.time == 0) { + return true; + } + } + } + } + return false; + } +}; \ No newline at end of file diff --git a/chromeExtension/scripts/background.js b/chromeExtension/scripts/background.js new file mode 100644 index 0000000..ca13cfd --- /dev/null +++ b/chromeExtension/scripts/background.js @@ -0,0 +1,68 @@ +function checkPermissionsForNotifications(callback, ...props) { + chrome.permissions.contains({ + permissions: ["notifications"] + }, function(result) { + if (callback != undefined && result) + callback(...props); + isHasPermissioForNotification = result; + }); +} + +function addListener() { + //Fires when an active tab in a window changes, + //URL may not be set at the time the event is fired but we can listen to onUpdated events to check when URL is set + chrome.tabs.onActivated.addListener(info => { + chrome.tabs.get(info.tabId, function(tab) { + activity.addTab(tab); //register the tab + }); + }); + + //Fires when a document including it's resources is completely loaded + // chrome.webNavigation.onCompleted.addListener(function(details) { + // chrome.tabs.get(details.tabId, function(tab) { + // activity.updateFavicon(tab); + // }); + // }); + + //fires when chrome extension is installed or updated + chrome.runtime.onInstalled.addListener(details => { + if (details.reason == 'install') { + storage.saveValue(SETTINGS_SHOW_HINT, SETTINGS_SHOW_HINT_DEFAULT); + setDefaultSettings(); + } + if (details.reason == 'update') { + storage.saveValue(SETTINGS_SHOW_HINT, SETTINGS_SHOW_HINT_DEFAULT); + checkSettingsImEmpty(); + setDefaultValueForNewSettings(); + isNeedDeleteTimeIntervalFromTabs = true; + } + }); + + chrome.storage.onChanged.addListener(function(changes, namespace) { + for (var key in changes) { + if (key === STORAGE_BLACK_LIST) { + loadBlackList(); + } + if (key === STORAGE_RESTRICTION_LIST) { + loadRestrictionList(); + } + if (key === STORAGE_NOTIFICATION_LIST) { + loadNotificationList(); + } + if (key === STORAGE_NOTIFICATION_MESSAGE) { + loadNotificationMessage(); + } + if (key === SETTINGS_INTERVAL_INACTIVITY) { + storage.getValue(SETTINGS_INTERVAL_INACTIVITY, function(item) { setting_interval_inactivity = item; }); + } + if (key === SETTINGS_VIEW_TIME_IN_BADGE) { + storage.getValue(SETTINGS_VIEW_TIME_IN_BADGE, function(item) { setting_view_in_badge = item; }); + } + if (key === SETTINGS_BLOCK_DEFERRAL) { + storage.getValue(SETTINGS_BLOCK_DEFERRAL, function(item) { setting_block_deferral = item; }); + } + if (key === SETTINGS_DARK_MODE) { + storage.getValue(SETTINGS_DARK_MODE, function(item) { setting_dark_mode = item; }); + } + } + }); diff --git a/chromeExtension/scripts/pageTracker.js b/chromeExtension/scripts/pageTracker.js new file mode 100644 index 0000000..cfae93e --- /dev/null +++ b/chromeExtension/scripts/pageTracker.js @@ -0,0 +1,13 @@ +let newPageOpened = Date.now() +let firstInstance = newPageOpened + +console.log(`currentTime is ${newPageOpened}, starting Timer now!`) + +document.addEventListener("click", function() { + let secondInstance = Date.now() + let timeElapsed = (secondInstance - firstInstance)/1000 + console.log(`Time elapsed since last click is ${timeElapsed} seconds`) + firstInstance = secondInstance +}, false); + + diff --git a/chromeExtension/scripts/storage.js b/chromeExtension/scripts/storage.js new file mode 100644 index 0000000..65ee433 --- /dev/null +++ b/chromeExtension/scripts/storage.js @@ -0,0 +1,42 @@ +'use strict'; + +class LocalStorage { + loadTabs(name, callback, callbackIsUndefined) { + chrome.storage.local.get(name, function(item) { + if (item[name] !== undefined) { + var result = item[name]; + if (result !== undefined) + callback(result); + } else { + if (callbackIsUndefined !== undefined) + callbackIsUndefined(); + } + }); + } + + saveTabs(value, callback) { + chrome.storage.local.set({ tabs: value }); + if (callback !== undefined) + callback(); + } + + saveValue(name, value) { + chrome.storage.local.set({ + [name]: value + }); + } + + getValue(name, callback) { + chrome.storage.local.get(name, function(item) { + if (item !== undefined) { + callback(item[name]); + } else { + console.log(`${name} not found in local storage`) + } + }); + } + + getMemoryUse(name, callback) { + chrome.storage.local.getBytesInUse(name, callback); + }; +} \ No newline at end of file diff --git a/convert_csv_to_json.py b/convert_csv_to_json.py new file mode 100644 index 0000000..a624545 --- /dev/null +++ b/convert_csv_to_json.py @@ -0,0 +1,32 @@ +import json +import csv +import sys + +def extract_data_from_csv(path): + output = [] + with open(path, 'r', encoding='utf-8-sig') as fp: + reader = csv.reader(fp) + headerRow = reader.__next__() + headerRow = [header.lower().strip() for header in headerRow] + + for idx,row in enumerate(reader): + row_output = {} + row_output["id"] = idx + for idx,val in enumerate(row): + if headerRow[idx] in ["day","credibility"]: + row_output[headerRow[idx]] = row[idx] + else: + row_output[headerRow[idx]] = row[idx] + output.append(row_output) + + print(output) + return output + +def write_to_json(path,jsonOutput): + with open('news.json','w') as fp: + fp.write(json.dumps(jsonOutput,indent=1)) + + +if __name__ == '__main__': + jsonOutput = extract_data_from_csv(sys.argv[1]) + write_to_json(sys.argv[1],jsonOutput) \ No newline at end of file diff --git a/dist/css/app.a605354f.css b/dist/css/app.a605354f.css new file mode 100644 index 0000000..e92225a --- /dev/null +++ b/dist/css/app.a605354f.css @@ -0,0 +1 @@ +hr[data-v-5b2f8b3d]{width:66%;margin-top:50px;margin-bottom:15px;background-color:#ccc;color:#ccc}.end-page-main[data-v-5b2f8b3d]{margin-top:100px}.header-one[data-v-5b2f8b3d]{margin-top:30px}.header-one[data-v-5b2f8b3d],.score[data-v-5b2f8b3d]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px}.score[data-v-5b2f8b3d]{margin-bottom:35px}.card-header[data-v-5b2f8b3d],.percentage[data-v-5b2f8b3d]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px}.percentage[data-v-5b2f8b3d]{position:absolute;top:390px}h2[data-v-5b2f8b3d]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:32px;font-weight:200;line-height:36px;color:#000;position:relative}h3[data-v-5b2f8b3d]{color:#303030}.click-here[data-v-5b2f8b3d],h3[data-v-5b2f8b3d]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;position:relative}.click-here[data-v-5b2f8b3d]{color:#969696;bottom:10px}.click-here[data-v-5b2f8b3d]:hover{cursor:pointer}.text[data-v-5b2f8b3d]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;text-align:center;vertical-align:middle;margin-left:30px;width:75%}.text strong[data-v-5b2f8b3d]{font-weight:600}.meter-wrapper[data-v-5b2f8b3d]{display:flex;justify-content:center;margin-bottom:50px}.card-container[data-v-5b2f8b3d]{display:inline-flex;margin-top:40px;margin-bottom:70px}.card[data-v-5b2f8b3d]{height:450px;width:300px;margin-left:20px;margin-right:20px;transition:.5s}.card[data-v-5b2f8b3d]:hover{transform:scale(1.07)}.card-cover[data-v-5b2f8b3d]{position:absolute;border-radius:5px;background:#fff;height:475px;width:300px;transition:.5s;border-bottom:8px solid red}.card-cover[data-v-5b2f8b3d]:hover{transform:scale(1.01)}.nice-boxshadow[data-v-5b2f8b3d]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07)}.fade-enter-active[data-v-5b2f8b3d],.fade-leave-active[data-v-5b2f8b3d]{transition:opacity 2s}.fade-enter-from[data-v-5b2f8b3d],.fade-leave-to[data-v-5b2f8b3d]{opacity:0}.intro-page-main[data-v-436af7f3]{display:flex;height:1200px;line-height:1200px;align-items:center;justify-content:center}h1[data-v-436af7f3]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px;background:#ad1283;background:linear-gradient(135deg,#ad1283,#de47ac 20%,#f9554f 33%,#f9554f 0,#ff7a51 46%,#f9554f 64%,#db4ff7 84%,#a14ef4 99%);background-position:0 0;-webkit-background-clip:text;-moz-background-clip:text;background-clip:text;-webkit-animation:gradient-436af7f3 10s infinite;animation:gradient-436af7f3 10s infinite;color:transparent}h1[data-v-436af7f3]:hover{cursor:pointer}@-webkit-keyframes gradient-436af7f3{0%{font-size:64px;background-position:1px 1px}25%{background-position:200px 100px}50%{background-position:550px 100px;font-size:66px}75%{background-position:200px 100px}to{font-size:64px;background-position:1px 1px}}@keyframes gradient-436af7f3{0%{font-size:64px;background-position:1px 1px}25%{background-position:200px 100px}50%{background-position:550px 100px;font-size:66px}75%{background-position:200px 100px}to{font-size:64px;background-position:1px 1px}}.nice-boxshadow[data-v-436af7f3]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07)}.info-page-main[data-v-20a389f6]{margin-top:100px}.header-one[data-v-20a389f6]{margin-top:100px}.header-one[data-v-20a389f6],.header-two[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px}.header-two[data-v-20a389f6]{margin-bottom:50px}.card-header[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px}h3[data-v-20a389f6]{color:#969696}.click-here[data-v-20a389f6],h3[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;position:relative;bottom:10px}.click-here[data-v-20a389f6]{color:#000;border-radius:5px;border:none;padding-left:10px;padding-right:10px;padding-top:5px;padding-bottom:5px;transition:.5s;margin-top:30px}.click-here[data-v-20a389f6]:hover{cursor:pointer;opacity:1;transform:scale(1.02)}.input-field[data-v-20a389f6]:invalid{box-shadow:inset 0 -2px 0 0 red}.error[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;color:red;position:relative;top:-28px;padding-bottom:-28px}.error strong[data-v-20a389f6]{font-weight:600}.text[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;text-align:center;vertical-align:middle;margin-left:30px;width:75%}.text strong[data-v-20a389f6]{font-weight:600}.rangetext[data-v-20a389f6]{margin-left:30px}.rangetext[data-v-20a389f6],.toggletext[data-v-20a389f6]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;text-align:center;vertical-align:middle;width:75%}.toggletext[data-v-20a389f6]{margin-left:20px;margin-right:20px}.card-container[data-v-20a389f6]{display:inline-flex}.card[data-v-20a389f6]{height:250px;width:250px;margin-left:10px;margin-right:10px;transition:.5s}.card[data-v-20a389f6]:hover{transform:scale(1.01)}.card-cover[data-v-20a389f6]{position:absolute;border-radius:5px;background:#fff;height:275px;width:250px;transition:.5s;border-bottom:4px solid red}.card-cover[data-v-20a389f6]:hover{transform:scale(1.02)}.nice-boxshadow[data-v-20a389f6]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07)}.fade-enter-active[data-v-20a389f6],.fade-leave-active[data-v-20a389f6]{transition:opacity 2s}.fade-enter-from[data-v-20a389f6],.fade-leave-to[data-v-20a389f6]{opacity:0}.input-symbol-dollar[data-v-20a389f6]{position:relative;width:100%}.input-symbol-dollar input[data-v-20a389f6]{padding-left:18px}.input-symbol-dollar[data-v-20a389f6]:before{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;position:relative;content:"$";left:15px}.input-symbol-dollar:before strong[data-v-20a389f6]{font-weight:600}.input-field[data-v-20a389f6]{width:10%;height:25px;padding:10px;margin-bottom:20px;font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;background:#d7d7d7;border-radius:5px;font-size:26px;color:#000;outline:none;transition:.5s;caret-color:#ccc;border:none}.input-field strong[data-v-20a389f6]{font-weight:600}.input-field[data-v-20a389f6]:focus{box-shadow:0 0 4px 2px rgba(0,119,207,.8),inset 0 -1px 0 0 #0077cf;outline:none}.slider[data-v-20a389f6]{-webkit-appearance:none;-moz-appearance:none;appearance:none;width:50%;height:15px;background:#fff;opacity:.7;transition:opacity .2s;border-radius:13px;border-style:solid;border-width:2px;border-color:#727272}.slider[data-v-20a389f6]:hover{opacity:1}.slider[data-v-20a389f6]::-webkit-slider-thumb{-webkit-appearance:none;appearance:none;width:30px;height:30px;background:#adadad;cursor:pointer;border-radius:20px}.switch[data-v-20a389f6]{position:relative;display:inline-block;width:60px;height:34px}.switch input[data-v-20a389f6]{opacity:0;width:0;height:0}.switch-slider[data-v-20a389f6]{position:absolute;cursor:pointer;top:0;left:0;right:0;bottom:0;background-color:#ccc;transition:.4s}.switch-slider[data-v-20a389f6]:before{position:absolute;content:"";height:26px;width:26px;left:4px;bottom:4px;background-color:#fff;transition:.4s}input:checked+.switch-slider[data-v-20a389f6]{background-color:#2196f3}input:focus+.switch-slider[data-v-20a389f6]{box-shadow:0 0 1px #2196f3}input:checked+.switch-slider[data-v-20a389f6]:before{transform:translateX(26px)}.switch-slider.round[data-v-20a389f6]{border-radius:34px}.switch-slider.round[data-v-20a389f6]:before{border-radius:50%}.stock-chart-main[data-v-220444f5]{height:480px;margin-top:15px;padding-bottom:15px;border:2px solid grey;border-radius:5px;justify-content:center;align-items:center;display:flex;flex-direction:column}.nice-boxshadow[data-v-220444f5]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07),0 16px 32px rgba(47,47,47,.07),0 32px 64px rgba(52,52,52,.07)}.heading-container[data-v-220444f5]{line-height:50px;display:inline-flex;width:900px;text-align:left;padding-left:35px;padding-top:35px;line-height:45px}.bold-heading[data-v-220444f5],.heading-container[data-v-220444f5]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200}.bold-heading[data-v-220444f5]{line-height:50px;font-weight:600;margin-right:15px}.chart-container[data-v-220444f5]{border-radius:5px;height:500px;margin:35px}.button-row[data-v-220444f5]{display:inline-flex;justify-content:space-between;height:45px;width:87.5%;margin-left:35px;margin-right:35px;margin-top:35px}.price-container[data-v-220444f5]{text-align:right;margin-right:18px}.buttons[data-v-220444f5]{margin-left:4px}button[data-v-220444f5]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;border:none;background:#fff}button strong[data-v-220444f5]{font-weight:600}button[data-v-220444f5]:focus,button[data-v-220444f5]:hover{border-bottom:3px solid red}button[data-v-220444f5]:active{transform:scale(.85)}.time-button-selected[data-v-220444f5]{border-bottom:3px solid red}.stock-card-main-selected[data-v-56e7e751],.stock-card-main[data-v-56e7e751]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;background:#fff;border:2px solid grey;border-radius:5px;width:450px;padding:5px;margin-top:10px;transition:.5s;box-shadow:2px 2px 2px rgba(4,4,4,.1);display:inline-flex;justify-content:space-between}.stock-card-main-selected[data-v-56e7e751]{border-left:4.5px solid red}.stock-card-main[data-v-56e7e751]:hover{transform:scale(1.02);border-left:4.5px solid red}.name-container[data-v-56e7e751]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;margin-top:7px;margin-left:15px;color:#8a8a8a}.name-container strong[data-v-56e7e751]{font-weight:600}.ticker-and-name-container[data-v-56e7e751]{display:inline-flex;text-align:left}.price-container[data-v-56e7e751]{text-align:right}.news-card-main[data-v-2d118eca]{border:2px solid grey;border-right:4px solid #000;border-radius:5px}.news-card-main-deactivated[data-v-2d118eca],.news-card-main[data-v-2d118eca]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;font-weight:600;background:#fff;text-align:left;width:100%;max-height:300px;margin-top:15px;transition:.5s;box-shadow:2px 2px 2px rgba(4,4,4,.1);display:flex;flex-direction:column;justify-content:space-between}.news-card-main-deactivated[data-v-2d118eca]{border:2px solid grey;border-right:4px solid #afacac;border-radius:5px;opacity:.9}.advisor-card-main[data-v-2d118eca]{font-weight:200;font-weight:600;background:#fff;border:2px solid grey;border-right:4px solid red;text-align:left;border-radius:5px;width:100%;max-height:300px;margin-top:15px;transition:.5s;box-shadow:2px 2px 2px rgba(4,4,4,.1);display:flex;flex-direction:column;justify-content:space-between}.advisor-card-main[data-v-2d118eca],.advisor-message-header[data-v-2d118eca]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;line-height:34px}.advisor-message-header[data-v-2d118eca]{font-weight:200;color:red}.title-container[data-v-2d118eca]{display:inline-flex;padding:10px}.morningstar-logo[data-v-2d118eca]{height:35px;width:125px}.subtitle-container[data-v-2d118eca]{font-size:18px;line-height:22px;position:relative;bottom:10px;padding:10px}.collapsible[data-v-2d118eca],.subtitle-container[data-v-2d118eca]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-weight:300}.collapsible[data-v-2d118eca]{font-size:20px;line-height:26px;cursor:pointer;width:98%;padding-left:10px;color:#909090;height:40px;border:none;text-align:left;background:none;border-top:1px solid #ccc}.collapsible strong[data-v-2d118eca]{font-weight:600}.content-container-hidden[data-v-2d118eca]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;color:#000;-webkit-mask-image:-webkit-gradient(linear,left top,left bottom,from(#363636),to(hsla(0,0%,78%,0)));height:50px;width:90%;overflow:hidden;transition:max-height .2s ease-out;padding:0 10px 0 10px}.content-container-hidden strong[data-v-2d118eca]{font-weight:600}.content-container[data-v-2d118eca]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;overflow:hidden;width:90%;transition:max-height .2s ease-out;padding:0 10px 10px 10px;transition:all .5 ease}.content-container strong[data-v-2d118eca]{font-weight:600}.read-more-link[data-v-2d118eca]:hover{text-decoration:underline;cursor:pointer}.nice-boxshadow[data-v-2d118eca]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07)}.greyText[data-v-2d118eca]{color:#7c7c7c}.stock-card-main[data-v-8dbf8efe]{margin-left:5px;margin-right:5px}.stock-card-main-selected[data-v-8dbf8efe],.stock-card-main[data-v-8dbf8efe]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;background:#fff;border:2px solid grey;border-radius:5px;padding:5px;transition:.5s;box-shadow:2px 2px 2px rgba(4,4,4,.1);display:inline-flex;justify-content:space-between}.stock-card-main-selected[data-v-8dbf8efe]{width:450px;margin-top:15px;border-left:4.5px solid red}.stock-card-main[data-v-8dbf8efe]:hover{border-left:4.5px solid red}.name-container[data-v-8dbf8efe]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;margin-top:7px;margin-left:15px;color:#8a8a8a}.name-container strong[data-v-8dbf8efe]{font-weight:600}.ticker-and-name-container[data-v-8dbf8efe]{display:inline-flex;text-align:left}.price-container[data-v-8dbf8efe]{display:inline-flex;text-align:right}.percentage-container-green[data-v-8dbf8efe]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;font-weight:600;color:#00af41;margin-right:15px;line-height:32.5px}.percentage-container-green strong[data-v-8dbf8efe]{font-weight:600}.percentage-container-red[data-v-8dbf8efe]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;font-weight:600;color:red;margin-right:15px;line-height:32.5px}.percentage-container-red strong[data-v-8dbf8efe]{font-weight:600}.percentage-container-grey[data-v-8dbf8efe]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;font-weight:600;margin-right:15px;color:#ccc;line-height:32.5px}.percentage-container-grey strong[data-v-8dbf8efe]{font-weight:600}.nice-boxshadow[data-v-8dbf8efe]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07)}.nice-boxshadow[data-v-3045488a]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07),0 16px 32px rgba(47,47,47,.07),0 32px 64px rgba(52,52,52,.07)}.clock[data-v-3045488a]{width:25px;height:25px;border-radius:50%;background:#fff;background-size:88%;position:relative;border:2px solid #000;margin-right:5px}.clock-and-button[data-v-3045488a]{display:inline-flex}.hours-container-moving[data-v-3045488a]{-webkit-animation:rotate-3045488a 4s linear infinite;animation:rotate-3045488a 4s linear infinite}.hours-container-moving[data-v-3045488a],.hours-container[data-v-3045488a]{position:absolute;top:0;right:0;bottom:0;left:5%}.ticker-top[data-v-3045488a]{top:-5%}.ticker-bottom[data-v-3045488a],.ticker-top[data-v-3045488a]{background:#000;height:20%;position:absolute;width:2.5%;left:50%}.ticker-bottom[data-v-3045488a]{top:85%}.ticker-left[data-v-3045488a],.ticker-right[data-v-3045488a]{background:#000;width:20%;height:2.5%;position:absolute;top:50%}.ticker-right[data-v-3045488a]{left:85%}.ticker-top-left[data-v-3045488a]{background:#000;width:20%;height:2.5%;position:absolute;top:10%;left:15%;transform:rotate(45deg);transform-origin:top left}.ticker-top-right[data-v-3045488a]{top:25%;left:75%}.ticker-bottom-left[data-v-3045488a],.ticker-top-right[data-v-3045488a]{background:#000;width:20%;height:2.5%;position:absolute;transform:rotate(-45deg);transform-origin:top left}.ticker-bottom-left[data-v-3045488a]{top:85%;left:10%}.ticker-bottom-right[data-v-3045488a]{background:#000;width:20%;height:2.5%;position:absolute;top:70%;left:80%;transform:rotate(45deg);transform-origin:top left}.hours-moving[data-v-3045488a]{left:45%}.hours-moving[data-v-3045488a],.hours[data-v-3045488a]{background:red;height:40%;position:absolute;top:10%;width:10%;border-radius:50%}.hours[data-v-3045488a]{left:42.5%}.tick-dot[data-v-3045488a]{position:relative;top:-5px;left:12px;border-radius:50%;height:2px;width:1px;background:#000;-webkit-animation:tick-3045488a 4s linear infinite;animation:tick-3045488a 4s linear infinite;-webkit-animation-timing-function:cubic-bezier(0,.1,0,.6);animation-timing-function:cubic-bezier(0,.1,0,.6)}@-webkit-keyframes rotate-3045488a{to{transform:rotate(1turn)}}@keyframes rotate-3045488a{to{transform:rotate(1turn)}}@-webkit-keyframes tick-3045488a{50%{background:#fff}to{transform:translateY(-10px);background:#fff}}@keyframes tick-3045488a{50%{background:#fff}to{transform:translateY(-10px);background:#fff}}.trading-form-container-main[data-v-2de6374e]{height:285px;flex-direction:column}.trading-form-blocked[data-v-2de6374e],.trading-form-container-main[data-v-2de6374e]{margin-top:15px;border:2px solid grey;border-radius:5px;display:flex;justify-content:center;background:#fff}.trading-form-blocked[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;height:100px;line-height:100px}.trading-form-blocked strong[data-v-2de6374e]{font-weight:600}.v-enter-active[data-v-2de6374e],.v-leave-active[data-v-2de6374e]{transition:opacity .8s ease}.v-enter-from[data-v-2de6374e],.v-leave-to[data-v-2de6374e]{opacity:0}.trading-form-header[data-v-2de6374e]{font-size:45px;font-weight:200;line-height:50px;font-weight:600;text-align:left;margin-left:25px;margin-right:25px;border-bottom:2px solid #000}.stock-select-button[data-v-2de6374e],.trading-form-header[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal}.stock-select-button[data-v-2de6374e]{font-size:20px;font-weight:300;line-height:26px;width:15%;margin-left:10px;margin-right:10px;border-radius:10px;padding-top:5px;padding-bottom:5px;background:#fff;border:2px solid #ccc;box-sizing:border-box;transition:.5s}.stock-select-button strong[data-v-2de6374e]{font-weight:600}.stock-select-button-selected[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;width:15%;margin-left:10px;margin-right:10px;border-radius:10px;padding-top:5px;padding-bottom:5px;border:none;background:red;color:#fff;box-sizing:border-box;transition:.5s;box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 4px 16px rgba(37,37,37,.07),0 4px 32px rgba(37,37,37,.07)}.stock-select-button-selected strong[data-v-2de6374e]{font-weight:600}.stock-select-button[data-v-2de6374e]:hover{transform:scale(1.02);box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 4px 16px rgba(37,37,37,.07),0 4px 32px rgba(37,37,37,.07)}.buy-sell-button[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;width:25%;margin-left:10px;margin-right:10px;border-radius:10px;background:#fff;border:none}.buy-sell-button strong[data-v-2de6374e]{font-weight:600}.buy-sell-button-selected[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;width:25%;margin-left:10px;margin-right:10px;border-radius:10px;background:#fff;border:none}.buy-sell-button-selected strong[data-v-2de6374e]{font-weight:600}.confirm-order-form[data-v-2de6374e]{border-top:2px solid #ccc;margin-top:15px;margin-left:25px;margin-right:25px}.confirm-order-button[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;background:red;color:#fff;width:100%;height:40px;border-radius:10px;border:none;transition:.5s}.confirm-order-button strong[data-v-2de6374e]{font-weight:600}.confirm-order-button-disabled[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;background:#ccc;color:#fff;width:100%;height:40px;border-radius:10px;border:none;transition:.5s}.confirm-order-button-disabled strong[data-v-2de6374e]{font-weight:600}.stock-form[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;display:inline-flex;justify-content:space-evenly;margin-top:20px;margin-bottom:10px}.stock-form strong[data-v-2de6374e]{font-weight:600}.my-hover[data-v-2de6374e]{transition:.5s}.my-hover[data-v-2de6374e]:hover{transform:scale(1.01);box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 4px 16px rgba(37,37,37,.07),0 4px 32px rgba(37,37,37,.07)}.buy-sell-form[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;display:inline-flex;justify-content:space-evenly;margin-top:15px;height:35px;line-height:35px;margin-left:15px}.buy-sell-form strong[data-v-2de6374e]{font-weight:600}.price-input[data-v-2de6374e]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;padding:10px;width:200px;height:35px;position:relative;background:none;border-radius:20px;box-sizing:border-box;font-size:26px;color:#000;outline:none;transition:.5s;caret-color:#ccc;border:none}.price-input strong[data-v-2de6374e]{font-weight:600}.nice-boxshadow[data-v-2de6374e]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07)}.container-main[data-v-7c9bafae]{display:inline-flex;width:100%;justify-content:center}.section-margin[data-v-7c9bafae]{margin:0 25px 0 25px}.portfolio-card-main[data-v-7c9bafae]{height:250px;margin-top:15px;border:2px solid grey;border-radius:5px;display:flex;padding-top:10px;justify-content:center;flex-direction:column;background:#fff}.portfolio-card-header[data-v-7c9bafae]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px;font-weight:600;text-align:left;margin-left:25px;margin-right:25px;margin-bottom:5px;border-bottom:2px solid #000}.securities-container[data-v-7c9bafae]{padding-left:22.5px;padding-right:22.5px;display:flex;flex-direction:column}.securities-bottom-row[data-v-7c9bafae],.securities-row[data-v-7c9bafae]{margin-bottom:5px;margin-top:5px;display:inline-flex;height:33%}.securities-bottom-row[data-v-7c9bafae]{justify-content:center}.security[data-v-7c9bafae]{border-radius:5px;text-align:left;width:50%}.heading-container[data-v-7c9bafae]{margin-top:10px}.heading-container-holdings[data-v-7c9bafae],.heading-container[data-v-7c9bafae]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px;text-align:left;padding:5px;display:inline-flex;border-bottom:3px solid grey}.heading-container-holdings[data-v-7c9bafae]{margin-top:20px;margin-bottom:10px}.section-left[data-v-7c9bafae]{width:450px;height:1000px;display:flex;flex-direction:column}.section-middle[data-v-7c9bafae]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px;font-weight:600;width:900px;height:1200px;display:flex;flex-direction:column}.section-right[data-v-7c9bafae]{width:450px;height:1200px;display:flex;flex-direction:column}svg[data-v-7c9bafae]{display:block;fill:none;stroke:none;width:100%;height:100%;width:1200px;overflow:visible;background:#eee}.nice-boxshadow[data-v-7c9bafae]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07),0 16px 32px rgba(47,47,47,.07),0 32px 64px rgba(52,52,52,.07)}.clock-and-button[data-v-7c9bafae]{display:inline-flex}.timer-section[data-v-7c9bafae]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:28px;font-weight:200;line-height:34px;display:flex;flex-direction:column;height:175px;padding-left:5px;padding-top:10px;text-align:left;margin-bottom:10px}.timer-section-top[data-v-7c9bafae]{justify-content:space-between}.timer-section-bottom[data-v-7c9bafae],.timer-section-top[data-v-7c9bafae]{display:inline-flex;margin-top:10px;margin-bottom:5px}.play-icon[data-v-7c9bafae]{height:25px;width:25px;margin-top:1px}.stop-icon[data-v-7c9bafae]{height:23px;width:25px}.icon[data-v-7c9bafae]{margin-left:5px;max-width:25px;width:25px}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:100;src:url(../fonts/3ff7b647-ed35-4a34-a497-0b8e0455ef09.a7ee4fac.eot);src:url(../fonts/3ff7b647-ed35-4a34-a497-0b8e0455ef09.a7ee4fac.eot?#iefix) format("embedded-opentype"),url(../fonts/f9c3797f-895f-42e2-9e83-9340081311d6.bd276dea.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:200;src:url(../fonts/4236b369-2f95-4452-9326-0e51d1087bdc.6dbed1ad.eot);src:url(../fonts/4236b369-2f95-4452-9326-0e51d1087bdc.6dbed1ad.eot?#iefix) format("embedded-opentype"),url(../fonts/5a67b0ed-239e-4f3e-adeb-8b1e517a5bd3.80b641f8.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:italic;font-weight:200;src:url(../fonts/40115d96-2de2-43ce-a50f-5baba79381b2.5d0ad10d.eot);src:url(../fonts/40115d96-2de2-43ce-a50f-5baba79381b2.5d0ad10d.eot?#iefix) format("embedded-opentype"),url(../fonts/9df5f782-d089-4356-8fc5-8f4a338019c8.1f8ae7ca.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:300;src:url(../fonts/fd397187-4d65-4b13-99ac-e43b94abebcc.3f2cd68f.eot);src:url(../fonts/fd397187-4d65-4b13-99ac-e43b94abebcc.3f2cd68f.eot?#iefix) format("embedded-opentype"),url(../fonts/600bda4e-11fe-4903-9a39-bb6b77389170.e5b81ec7.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:italic;font-weight:300;src:url(../fonts/30641e69-bdcf-49b9-b7c5-d9e4290f8f0f.b6a28f47.eot);src:url(../fonts/30641e69-bdcf-49b9-b7c5-d9e4290f8f0f.b6a28f47.eot?#iefix) format("embedded-opentype"),url(../fonts/21ca819a-38ec-4f58-92d9-107d0f271416.b3a86cdf.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:400;src:url(../fonts/f1bc8267-a817-408b-a089-4310761881f7.81921da9.eot);src:url(../fonts/f1bc8267-a817-408b-a089-4310761881f7.81921da9.eot?#iefix) format("embedded-opentype"),url(../fonts/3b5a7b6a-e026-4ee8-b80f-6aa5e44b2977.27b8d65f.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:italic;font-weight:400;src:url(../fonts/7235be49-0fbf-499c-b3b6-32d85e74fea9.91910052.eot);src:url(../fonts/7235be49-0fbf-499c-b3b6-32d85e74fea9.91910052.eot?#iefix) format("embedded-opentype"),url(../fonts/f8abf68e-0fda-4e20-ab06-995b353028ee.637ef15a.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:500;src:url(../fonts/a0041c8f-87d5-4762-9433-d1bd14041dd1.9525f348.eot);src:url(../fonts/a0041c8f-87d5-4762-9433-d1bd14041dd1.9525f348.eot?#iefix) format("embedded-opentype"),url(../fonts/656bb203-0436-41f9-8266-de61f5c29096.904b29f0.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:normal;font-weight:600;src:url(../fonts/8ce6a630-11cb-4fba-be7f-e9f01c898ea2.f71ee310.eot);src:url(../fonts/8ce6a630-11cb-4fba-be7f-e9f01c898ea2.f71ee310.eot?#iefix) format("embedded-opentype"),url(../fonts/a55d5255-e095-4e87-ac0d-fe0968b0a9c6.bb601bd7.woff) format("woff")}@font-face{font-display:swap;font-family:Univers;font-style:italic;font-weight:600;src:url(../fonts/6dc72ad9-779c-4857-acb7-2ef161563863.5552e4de.eot);src:url(../fonts/6dc72ad9-779c-4857-acb7-2ef161563863.5552e4de.eot?#iefix) format("embedded-opentype"),url(../fonts/632eeeb1-e81b-472c-87cc-6ec84f44c7b2.1e1be322.woff) format("woff")}.info-page-main[data-v-24276024]{margin-top:100px;display:flex;flex-direction:column;align-items:center}.header-one[data-v-24276024]{margin-top:100px}.header-one[data-v-24276024],.header-two[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px}.header-two[data-v-24276024]{margin-bottom:50px}.card-header[data-v-24276024]{font-size:45px;line-height:50px}.card-header[data-v-24276024],h3[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-weight:200}h3[data-v-24276024]{font-size:28px;line-height:34px;color:#969696;position:relative;bottom:10px}.click-here[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:45px;font-weight:200;line-height:50px;background:#ad1283;background:linear-gradient(135deg,#ad1283,#de47ac 20%,#f9554f 33%,#f9554f 0,#ff7a51 46%,#f9554f 64%,#db4ff7 84%,#a14ef4 99%);background-position:0 0;-webkit-background-clip:text;-moz-background-clip:text;background-clip:text;-webkit-animation:gradient-24276024 10s infinite;animation:gradient-24276024 10s infinite;color:transparent}.click-here[data-v-24276024]:hover{cursor:pointer}.click-here-container[data-v-24276024]{width:10%;display:flex;flex-direction:column;align-items:center}.text[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;text-align:center;vertical-align:middle;margin-left:30px;width:75%}.text strong[data-v-24276024]{font-weight:600}.nice-boxshadow[data-v-24276024]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07),0 8px 16px rgba(49,49,49,.07)}.fade-enter-active[data-v-24276024],.fade-leave-active[data-v-24276024]{transition:opacity 2s}.fade-enter-from[data-v-24276024],.fade-leave-to[data-v-24276024]{opacity:0}@-webkit-keyframes gradient-24276024{0%{font-size:64px;background-position:1px 1px}25%{background-position:200px 100px}50%{background-position:550px 100px;font-size:66px}75%{background-position:200px 100px}to{font-size:64px;background-position:1px 1px}}@keyframes gradient-24276024{0%{font-size:64px;background-position:1px 1px}25%{background-position:200px 100px}50%{background-position:550px 100px;font-size:66px}75%{background-position:200px 100px}to{font-size:64px;background-position:1px 1px}}.input-field[data-v-24276024]{width:30%;height:25px;padding:10px;margin-bottom:20px;font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;background:#d7d7d7;border-radius:5px;font-size:26px;color:#000;outline:none;transition:.5s;caret-color:#ccc;border:none}.input-field strong[data-v-24276024]{font-weight:600}.input-field-name[data-v-24276024]{width:30%;height:25px;padding:10px;margin-bottom:20px;font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;background:#d7d7d7;border-radius:5px;font-size:26px;color:#000;outline:none;transition:.5s;caret-color:#ccc;border:none}.input-field-name strong[data-v-24276024]{font-weight:600}.input-field-name[data-v-24276024]:focus,.input-field[data-v-24276024]:focus{box-shadow:0 0 4px 2px rgba(0,119,207,.8),inset 0 -1px 0 0 #0077cf;outline:none}.input-field-name[data-v-24276024]:invalid{box-shadow:inset 0 -2px 0 0 red}.nice-boxshadow[data-v-24276024]{box-shadow:0 1px 2px rgba(36,36,36,.07),0 2px 4px rgba(41,41,41,.07),0 4px 8px rgba(37,37,37,.07)}.form-container[data-v-24276024]{text-align:center;width:100%}.form[data-v-24276024]{display:flex;flex-direction:column;align-items:center}.input-header[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;text-align:left;width:30.5%;color:#ccc}.input-header strong[data-v-24276024]{font-weight:600}.input-header-name[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;font-weight:600;text-align:left;width:30.5%;color:#ccc}.input-header-name strong[data-v-24276024]{font-weight:600}.input-symbol-dollar[data-v-24276024]{position:relative;width:100%}.input-symbol-dollar input[data-v-24276024]{padding-left:18px}.input-symbol-dollar[data-v-24276024]:before{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:20px;font-weight:300;line-height:26px;position:relative;content:"$";left:15px}.input-symbol-dollar:before strong[data-v-24276024]{font-weight:600}.error[data-v-24276024]{font-family:Univers,HelveticaNeue,Helvetica Neue,Helvetica,Arial,sans-serif;font-style:normal;font-size:16px;font-weight:300;line-height:21px;color:red;position:relative;top:-28px;padding-bottom:-28px}.error strong[data-v-24276024]{font-weight:600}#app{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;text-align:center}.trading-app-main{margin-top:100px}.fade-enter-active,.fade-leave-active{transition:opacity .5s}.fade-enter-from,.fade-leave-to{opacity:0}.fadee-enter-active,.fadee-leave-active{transition:opacity 1.5s}.fadee-enter-from,.fadee-leave-to{opacity:0} \ No newline at end of file diff --git a/dist/favicon.ico b/dist/favicon.ico new file mode 100644 index 0000000..df36fcf Binary files /dev/null and b/dist/favicon.ico differ diff --git a/dist/fonts/21ca819a-38ec-4f58-92d9-107d0f271416.b3a86cdf.woff b/dist/fonts/21ca819a-38ec-4f58-92d9-107d0f271416.b3a86cdf.woff new file mode 100644 index 0000000..9de3ffe Binary files /dev/null and b/dist/fonts/21ca819a-38ec-4f58-92d9-107d0f271416.b3a86cdf.woff differ diff --git a/dist/fonts/30641e69-bdcf-49b9-b7c5-d9e4290f8f0f.b6a28f47.eot b/dist/fonts/30641e69-bdcf-49b9-b7c5-d9e4290f8f0f.b6a28f47.eot new file mode 100644 index 0000000..881ea0d Binary files /dev/null and b/dist/fonts/30641e69-bdcf-49b9-b7c5-d9e4290f8f0f.b6a28f47.eot differ diff --git a/dist/fonts/3b5a7b6a-e026-4ee8-b80f-6aa5e44b2977.27b8d65f.woff b/dist/fonts/3b5a7b6a-e026-4ee8-b80f-6aa5e44b2977.27b8d65f.woff new file mode 100644 index 0000000..5fe4325 Binary files /dev/null and b/dist/fonts/3b5a7b6a-e026-4ee8-b80f-6aa5e44b2977.27b8d65f.woff differ diff --git a/dist/fonts/3ff7b647-ed35-4a34-a497-0b8e0455ef09.a7ee4fac.eot b/dist/fonts/3ff7b647-ed35-4a34-a497-0b8e0455ef09.a7ee4fac.eot new file mode 100644 index 0000000..16bfb11 Binary files /dev/null and b/dist/fonts/3ff7b647-ed35-4a34-a497-0b8e0455ef09.a7ee4fac.eot differ diff --git a/dist/fonts/40115d96-2de2-43ce-a50f-5baba79381b2.5d0ad10d.eot b/dist/fonts/40115d96-2de2-43ce-a50f-5baba79381b2.5d0ad10d.eot new file mode 100644 index 0000000..64d2d14 Binary files /dev/null and b/dist/fonts/40115d96-2de2-43ce-a50f-5baba79381b2.5d0ad10d.eot differ diff --git a/dist/fonts/4236b369-2f95-4452-9326-0e51d1087bdc.6dbed1ad.eot b/dist/fonts/4236b369-2f95-4452-9326-0e51d1087bdc.6dbed1ad.eot new file mode 100644 index 0000000..4dc293f Binary files /dev/null and b/dist/fonts/4236b369-2f95-4452-9326-0e51d1087bdc.6dbed1ad.eot differ diff --git a/dist/fonts/5a67b0ed-239e-4f3e-adeb-8b1e517a5bd3.80b641f8.woff b/dist/fonts/5a67b0ed-239e-4f3e-adeb-8b1e517a5bd3.80b641f8.woff new file mode 100644 index 0000000..224f809 Binary files /dev/null and b/dist/fonts/5a67b0ed-239e-4f3e-adeb-8b1e517a5bd3.80b641f8.woff differ diff --git a/dist/fonts/600bda4e-11fe-4903-9a39-bb6b77389170.e5b81ec7.woff b/dist/fonts/600bda4e-11fe-4903-9a39-bb6b77389170.e5b81ec7.woff new file mode 100644 index 0000000..c450789 Binary files /dev/null and b/dist/fonts/600bda4e-11fe-4903-9a39-bb6b77389170.e5b81ec7.woff differ diff --git a/dist/fonts/632eeeb1-e81b-472c-87cc-6ec84f44c7b2.1e1be322.woff b/dist/fonts/632eeeb1-e81b-472c-87cc-6ec84f44c7b2.1e1be322.woff new file mode 100644 index 0000000..3e7a886 Binary files /dev/null and b/dist/fonts/632eeeb1-e81b-472c-87cc-6ec84f44c7b2.1e1be322.woff differ diff --git a/dist/fonts/656bb203-0436-41f9-8266-de61f5c29096.904b29f0.woff b/dist/fonts/656bb203-0436-41f9-8266-de61f5c29096.904b29f0.woff new file mode 100644 index 0000000..a8a5be4 Binary files /dev/null and b/dist/fonts/656bb203-0436-41f9-8266-de61f5c29096.904b29f0.woff differ diff --git a/dist/fonts/6dc72ad9-779c-4857-acb7-2ef161563863.5552e4de.eot b/dist/fonts/6dc72ad9-779c-4857-acb7-2ef161563863.5552e4de.eot new file mode 100644 index 0000000..7ee8dd0 Binary files /dev/null and b/dist/fonts/6dc72ad9-779c-4857-acb7-2ef161563863.5552e4de.eot differ diff --git a/dist/fonts/7235be49-0fbf-499c-b3b6-32d85e74fea9.91910052.eot b/dist/fonts/7235be49-0fbf-499c-b3b6-32d85e74fea9.91910052.eot new file mode 100644 index 0000000..77b3d81 Binary files /dev/null and b/dist/fonts/7235be49-0fbf-499c-b3b6-32d85e74fea9.91910052.eot differ diff --git a/dist/fonts/8ce6a630-11cb-4fba-be7f-e9f01c898ea2.f71ee310.eot b/dist/fonts/8ce6a630-11cb-4fba-be7f-e9f01c898ea2.f71ee310.eot new file mode 100644 index 0000000..1569d25 Binary files /dev/null and b/dist/fonts/8ce6a630-11cb-4fba-be7f-e9f01c898ea2.f71ee310.eot differ diff --git a/dist/fonts/9df5f782-d089-4356-8fc5-8f4a338019c8.1f8ae7ca.woff b/dist/fonts/9df5f782-d089-4356-8fc5-8f4a338019c8.1f8ae7ca.woff new file mode 100644 index 0000000..44102d4 Binary files /dev/null and b/dist/fonts/9df5f782-d089-4356-8fc5-8f4a338019c8.1f8ae7ca.woff differ diff --git a/dist/fonts/a0041c8f-87d5-4762-9433-d1bd14041dd1.9525f348.eot b/dist/fonts/a0041c8f-87d5-4762-9433-d1bd14041dd1.9525f348.eot new file mode 100644 index 0000000..5299d4d Binary files /dev/null and b/dist/fonts/a0041c8f-87d5-4762-9433-d1bd14041dd1.9525f348.eot differ diff --git a/dist/fonts/a55d5255-e095-4e87-ac0d-fe0968b0a9c6.bb601bd7.woff b/dist/fonts/a55d5255-e095-4e87-ac0d-fe0968b0a9c6.bb601bd7.woff new file mode 100644 index 0000000..208f94c Binary files /dev/null and b/dist/fonts/a55d5255-e095-4e87-ac0d-fe0968b0a9c6.bb601bd7.woff differ diff --git a/dist/fonts/f1bc8267-a817-408b-a089-4310761881f7.81921da9.eot b/dist/fonts/f1bc8267-a817-408b-a089-4310761881f7.81921da9.eot new file mode 100644 index 0000000..aa9512c Binary files /dev/null and b/dist/fonts/f1bc8267-a817-408b-a089-4310761881f7.81921da9.eot differ diff --git a/dist/fonts/f8abf68e-0fda-4e20-ab06-995b353028ee.637ef15a.woff b/dist/fonts/f8abf68e-0fda-4e20-ab06-995b353028ee.637ef15a.woff new file mode 100644 index 0000000..511ba87 Binary files /dev/null and b/dist/fonts/f8abf68e-0fda-4e20-ab06-995b353028ee.637ef15a.woff differ diff --git a/dist/fonts/f9c3797f-895f-42e2-9e83-9340081311d6.bd276dea.woff b/dist/fonts/f9c3797f-895f-42e2-9e83-9340081311d6.bd276dea.woff new file mode 100644 index 0000000..4f05363 Binary files /dev/null and b/dist/fonts/f9c3797f-895f-42e2-9e83-9340081311d6.bd276dea.woff differ diff --git a/dist/fonts/fd397187-4d65-4b13-99ac-e43b94abebcc.3f2cd68f.eot b/dist/fonts/fd397187-4d65-4b13-99ac-e43b94abebcc.3f2cd68f.eot new file mode 100644 index 0000000..ffc8fc7 Binary files /dev/null and b/dist/fonts/fd397187-4d65-4b13-99ac-e43b94abebcc.3f2cd68f.eot differ diff --git a/dist/img/morningstar-logo.927fba7d.svg b/dist/img/morningstar-logo.927fba7d.svg new file mode 100644 index 0000000..7a3b1e3 --- /dev/null +++ b/dist/img/morningstar-logo.927fba7d.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/dist/img/play-icon.526d3087.svg b/dist/img/play-icon.526d3087.svg new file mode 100644 index 0000000..7c1b618 --- /dev/null +++ b/dist/img/play-icon.526d3087.svg @@ -0,0 +1,36 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/src/assets/stop-icon-other.svg b/dist/img/stop-icon.a87f5eda.svg similarity index 100% rename from src/assets/stop-icon-other.svg rename to dist/img/stop-icon.a87f5eda.svg diff --git a/dist/index.html b/dist/index.html new file mode 100644 index 0000000..4e55259 --- /dev/null +++ b/dist/index.html @@ -0,0 +1 @@ +ms-trading-ui
\ No newline at end of file diff --git a/dist/js/app.2d625c8f.js b/dist/js/app.2d625c8f.js new file mode 100644 index 0000000..4de859b --- /dev/null +++ b/dist/js/app.2d625c8f.js @@ -0,0 +1,2 @@ +(function(){var e={6700:function(e,i,c){var a={"./af":3906,"./af.js":3906,"./ar":902,"./ar-dz":3853,"./ar-dz.js":3853,"./ar-kw":299,"./ar-kw.js":299,"./ar-ly":6825,"./ar-ly.js":6825,"./ar-ma":6379,"./ar-ma.js":6379,"./ar-sa":7700,"./ar-sa.js":7700,"./ar-tn":2059,"./ar-tn.js":2059,"./ar.js":902,"./az":6043,"./az.js":6043,"./be":7936,"./be.js":7936,"./bg":4078,"./bg.js":4078,"./bm":4014,"./bm.js":4014,"./bn":9554,"./bn-bd":7114,"./bn-bd.js":7114,"./bn.js":9554,"./bo":6529,"./bo.js":6529,"./br":5437,"./br.js":5437,"./bs":9647,"./bs.js":9647,"./ca":9951,"./ca.js":9951,"./cs":6113,"./cs.js":6113,"./cv":7965,"./cv.js":7965,"./cy":5858,"./cy.js":5858,"./da":3515,"./da.js":3515,"./de":2831,"./de-at":6263,"./de-at.js":6263,"./de-ch":1127,"./de-ch.js":1127,"./de.js":2831,"./dv":4510,"./dv.js":4510,"./el":8616,"./el.js":8616,"./en-au":4595,"./en-au.js":4595,"./en-ca":3545,"./en-ca.js":3545,"./en-gb":9609,"./en-gb.js":9609,"./en-ie":3727,"./en-ie.js":3727,"./en-il":3302,"./en-il.js":3302,"./en-in":6305,"./en-in.js":6305,"./en-nz":9128,"./en-nz.js":9128,"./en-sg":4569,"./en-sg.js":4569,"./eo":650,"./eo.js":650,"./es":6358,"./es-do":4214,"./es-do.js":4214,"./es-mx":8639,"./es-mx.js":8639,"./es-us":232,"./es-us.js":232,"./es.js":6358,"./et":7279,"./et.js":7279,"./eu":5515,"./eu.js":5515,"./fa":7981,"./fa.js":7981,"./fi":7090,"./fi.js":7090,"./fil":9208,"./fil.js":9208,"./fo":2799,"./fo.js":2799,"./fr":3463,"./fr-ca":2213,"./fr-ca.js":2213,"./fr-ch":2848,"./fr-ch.js":2848,"./fr.js":3463,"./fy":1468,"./fy.js":1468,"./ga":8163,"./ga.js":8163,"./gd":2898,"./gd.js":2898,"./gl":6312,"./gl.js":6312,"./gom-deva":682,"./gom-deva.js":682,"./gom-latn":9178,"./gom-latn.js":9178,"./gu":5009,"./gu.js":5009,"./he":2795,"./he.js":2795,"./hi":7009,"./hi.js":7009,"./hr":6506,"./hr.js":6506,"./hu":9565,"./hu.js":9565,"./hy-am":3864,"./hy-am.js":3864,"./id":5626,"./id.js":5626,"./is":6649,"./is.js":6649,"./it":151,"./it-ch":5348,"./it-ch.js":5348,"./it.js":151,"./ja":9830,"./ja.js":9830,"./jv":3751,"./jv.js":3751,"./ka":3365,"./ka.js":3365,"./kk":5980,"./kk.js":5980,"./km":9571,"./km.js":9571,"./kn":5880,"./kn.js":5880,"./ko":6809,"./ko.js":6809,"./ku":6773,"./ku.js":6773,"./ky":5505,"./ky.js":5505,"./lb":553,"./lb.js":553,"./lo":1237,"./lo.js":1237,"./lt":1563,"./lt.js":1563,"./lv":1057,"./lv.js":1057,"./me":6495,"./me.js":6495,"./mi":3096,"./mi.js":3096,"./mk":3874,"./mk.js":3874,"./ml":6055,"./ml.js":6055,"./mn":7747,"./mn.js":7747,"./mr":7113,"./mr.js":7113,"./ms":8687,"./ms-my":7948,"./ms-my.js":7948,"./ms.js":8687,"./mt":4532,"./mt.js":4532,"./my":4655,"./my.js":4655,"./nb":6961,"./nb.js":6961,"./ne":2512,"./ne.js":2512,"./nl":8448,"./nl-be":2936,"./nl-be.js":2936,"./nl.js":8448,"./nn":9031,"./nn.js":9031,"./oc-lnc":5174,"./oc-lnc.js":5174,"./pa-in":118,"./pa-in.js":118,"./pl":3448,"./pl.js":3448,"./pt":3518,"./pt-br":2447,"./pt-br.js":2447,"./pt.js":3518,"./ro":817,"./ro.js":817,"./ru":262,"./ru.js":262,"./sd":8990,"./sd.js":8990,"./se":3842,"./se.js":3842,"./si":7711,"./si.js":7711,"./sk":756,"./sk.js":756,"./sl":3772,"./sl.js":3772,"./sq":6187,"./sq.js":6187,"./sr":732,"./sr-cyrl":5713,"./sr-cyrl.js":5713,"./sr.js":732,"./ss":9455,"./ss.js":9455,"./sv":9770,"./sv.js":9770,"./sw":959,"./sw.js":959,"./ta":6459,"./ta.js":6459,"./te":5302,"./te.js":5302,"./tet":7975,"./tet.js":7975,"./tg":1294,"./tg.js":1294,"./th":2385,"./th.js":2385,"./tk":4613,"./tk.js":4613,"./tl-ph":8668,"./tl-ph.js":8668,"./tlh":8190,"./tlh.js":8190,"./tr":4506,"./tr.js":4506,"./tzl":3440,"./tzl.js":3440,"./tzm":9852,"./tzm-latn":2350,"./tzm-latn.js":2350,"./tzm.js":9852,"./ug-cn":730,"./ug-cn.js":730,"./uk":99,"./uk.js":99,"./ur":2100,"./ur.js":2100,"./uz":6002,"./uz-latn":6322,"./uz-latn.js":6322,"./uz.js":6002,"./vi":4207,"./vi.js":4207,"./x-pseudo":4674,"./x-pseudo.js":4674,"./yo":570,"./yo.js":570,"./zh-cn":3644,"./zh-cn.js":3644,"./zh-hk":2591,"./zh-hk.js":2591,"./zh-mo":9503,"./zh-mo.js":9503,"./zh-tw":8080,"./zh-tw.js":8080};function o(e){var i=s(e);return c(i)}function s(e){if(!c.o(a,e)){var i=new Error("Cannot find module '"+e+"'");throw i.code="MODULE_NOT_FOUND",i}return a[e]}o.keys=function(){return Object.keys(a)},o.resolve=s,e.exports=o,o.id=6700},4193:function(e,i,c){"use strict";var a=c(9242),o=c(3396);const s={class:"trading-app-main"};function r(e,i,c,r,t,l){const d=(0,o.up)("IntroPage"),n=(0,o.up)("InputPage"),y=(0,o.up)("InfoPage"),P=(0,o.up)("TradingPage"),u=(0,o.up)("EndPage");return(0,o.wg)(),(0,o.iD)("div",s,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[t.isShowingIntroPage?((0,o.wg)(),(0,o.j4)(d,{key:0,onClick:i[0]||(i[0]=e=>l.switchToInputPage())})):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[t.isShowingInputPage?((0,o.wg)(),(0,o.j4)(n,{key:0,switchToInfoPage:l.switchToInfoPage},null,8,["switchToInfoPage"])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[t.isShowingInfoPage?((0,o.wg)(),(0,o.j4)(y,{key:0,switchToTradingPage:l.switchToTradingPage},null,8,["switchToTradingPage"])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[t.isShowingTradingPage?((0,o.wg)(),(0,o.j4)(P,{key:0,switchToEndPage:l.switchToEndPage},null,8,["switchToEndPage"])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[t.isShowingEndPage?((0,o.wg)(),(0,o.j4)(u,{key:0})):(0,o.kq)("",!0)])),_:1})])}var t=c(7139);const l=e=>((0,o.dD)("data-v-5b2f8b3d"),e=e(),(0,o.Cn)(),e),d={class:"end-page-main"},n=l((()=>(0,o._)("h1",{class:"header-one"},"Time's Up! Thank you for completing the Morningstar Overconfidence Trading Simulation!",-1))),y={key:0,class:"score"},P={key:0,class:"meter-wrapper"},u={class:"percentage"},h={key:0},p=(0,o.Uk)(" Your overconfidence level is: "),m=(0,o.Uk)(" You made a total of "),g=l((()=>(0,o._)("hr",null,null,-1))),f={key:0},v=(0,o.Uk)("Based on your trade history, We saw that you made "),k=(0,o.Uk)(" with a value that was more than 40% of your uninvested money at the time."),w=l((()=>(0,o._)("h3",null,"This could be a sign of overconfidence, especially if you are betting on a single stock to go up. It might be better to avoid such transactions that are a big portion of your portfolio.",-1))),b=l((()=>(0,o._)("hr",null,null,-1))),S={key:0},T=(0,o.Uk)(" We analyzed snapshots of your portfolio: They were well balanced "),_=l((()=>(0,o._)("h3",null," Make sure you aren't putting all your eggs in one basket!.",-1))),C={key:0,class:"card-container"},D={class:"card"},A={key:0,class:"card-cover nice-boxshadow"},j=l((()=>(0,o._)("h2",{class:"card-header"},"Day 40",-1))),O={class:"card"},N={key:0,class:"card-cover nice-boxshadow"},B=l((()=>(0,o._)("h2",{class:"card-header"},"Day 60",-1))),R={class:"card"},I={key:0,class:"card-cover nice-boxshadow"},U=l((()=>(0,o._)("h2",{class:"card-header"},"Day 80",-1))),F={class:"card"},x={key:0,class:"card-cover nice-boxshadow"},E=l((()=>(0,o._)("h2",{class:"card-header"},"Day 100",-1))),M={class:"card"},H={key:0,class:"card-cover nice-boxshadow"},q=l((()=>(0,o._)("h2",{class:"card-header"},"Day 120 - End",-1))),Y={key:0},W=l((()=>(0,o._)("hr",null,null,-1))),z=(0,o.Uk)("You read a total of "),L=l((()=>(0,o._)("h3",null," The more research you do, the better. But make sure your sources are as reliable as possible! ",-1))),G={key:0},V=l((()=>(0,o._)("hr",null,null,-1))),$={key:0},Z=(0,o.Uk)(" You "),K=l((()=>(0,o._)("b",null,"did",-1))),J=(0,o.Uk)(" subscribe to Morningstar's premium advice"),Q=[Z,K,J],X={key:1},ee=(0,o.Uk)(" You "),ie=l((()=>(0,o._)("b",null,"did not",-1))),ce=(0,o.Uk)(" subscribe to Morningstar's premium advice. This could be a sign of overconfidence, especially if you are only looking of perspectives that reinforce your own"),ae=[ee,ie,ce],oe=l((()=>(0,o._)("h3",null," Expert advice can help to enhance the overall objectiveness & quality of the information you receive, to helping you make better decisions",-1))),se={key:0},re=l((()=>(0,o._)("hr",null,null,-1))),te=(0,o.Uk)("You made "),le=(0,o.Uk)(" in the game's running state."),de=l((()=>(0,o._)("h3",null," Players who chose to trade without stopping the time might be more prone to impulsive decision making",-1)));function ne(e,i,c,s,r,l){const Z=(0,o.up)("circle-progress"),K=(0,o.up)("PieChart");return(0,o.wg)(),(0,o.iD)("div",d,[n,(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingSubHeader?((0,o.wg)(),(0,o.iD)("h1",y,"Here is your score:")):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingScore?((0,o.wg)(),(0,o.iD)("div",P,[(0,o._)("div",u,(0,t.zw)(r.playerDataStore.overconfidenceScore.toFixed(2)),1),(0,o.Wm)(Z,{"fill-color":l.getFillColor(),percent:l.calculateOverConfidencePercentage(),size:300,transition:200},null,8,["fill-color","percent"])])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showVerbage?((0,o.wg)(),(0,o.iD)("div",h,[(0,o._)("h2",null,[p,(0,o._)("b",null,(0,t.zw)(l.getOverconfidenceRating()),1)]),(0,o._)("h3",null,[m,(0,o._)("b",null,(0,t.zw)(r.playerDataStore.tradeCount)+" "+(0,t.zw)(1===r.playerDataStore.tradeCount?"trade":"trades")+" over the course of the simulation",1)]),g])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showMetric_1?((0,o.wg)(),(0,o.iD)("div",f,[(0,o._)("h2",null,[v,(0,o._)("b",null,(0,t.zw)(r.playerDataStore.bigTrades.length)+" "+(0,t.zw)(1===r.playerDataStore.bigTrades.length?"trade":"trades"),1),k]),w,b])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showMetric_2?((0,o.wg)(),(0,o.iD)("div",S,[(0,o._)("h2",null,[T,(0,o._)("b",null,(0,t.zw)(r.playerDataStore.numBalancedPortfolioSnapshots)+" out of 5 times.",1)]),_])):(0,o.kq)("",!0)])),_:1}),r.showMetric_2?((0,o.wg)(),(0,o.iD)("div",C,[(0,o._)("div",D,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showChart1?((0,o.wg)(),(0,o.iD)("div",A,[j,((0,o.wg)(),(0,o.j4)(K,{holdingsData:r.playerDataStore.portfolioSnapshots[0].data,key:1},null,8,["holdingsData"]))])):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",O,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showChart2?((0,o.wg)(),(0,o.iD)("div",N,[B,((0,o.wg)(),(0,o.j4)(K,{holdingsData:r.playerDataStore.portfolioSnapshots[1].data,key:2},null,8,["holdingsData"]))])):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",R,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showChart3?((0,o.wg)(),(0,o.iD)("div",I,[U,((0,o.wg)(),(0,o.j4)(K,{holdingsData:r.playerDataStore.portfolioSnapshots[2].data,key:3},null,8,["holdingsData"]))])):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",F,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showChart4?((0,o.wg)(),(0,o.iD)("div",x,[E,((0,o.wg)(),(0,o.j4)(K,{holdingsData:r.playerDataStore.portfolioSnapshots[3].data,key:4},null,8,["holdingsData"]))])):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",M,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showChart5?((0,o.wg)(),(0,o.iD)("div",H,[q,((0,o.wg)(),(0,o.j4)(K,{holdingsData:r.playerDataStore.portfolioSnapshots[4].data,key:5},null,8,["holdingsData"]))])):(0,o.kq)("",!0)])),_:1})])])):(0,o.kq)("",!0),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showMetric_3?((0,o.wg)(),(0,o.iD)("div",Y,[W,(0,o._)("h2",null,[z,(0,o._)("b",null,(0,t.zw)(r.playerDataStore.numArticlesRead),1),(0,o.Uk)(" articles "+(0,t.zw)(!0===r.playerDataStore.isAdvisorEnabled?"and advisor messages":""),1)]),L])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showMetric_4?((0,o.wg)(),(0,o.iD)("div",G,[V,!0===r.playerDataStore.isAdvisorEnabled?((0,o.wg)(),(0,o.iD)("h2",$,Q)):((0,o.wg)(),(0,o.iD)("h2",X,ae)),oe])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showMetric_5?((0,o.wg)(),(0,o.iD)("div",se,[re,(0,o._)("h2",null,[te,(0,o._)("b",null,(0,t.zw)(r.playerDataStore.hastyTrades.length)+" "+(0,t.zw)(1===r.playerDataStore.hastyTrades.length?"trade":"trades"),1),le]),de])):(0,o.kq)("",!0)])),_:1})])}var ye=c(6066),Pe=(0,o.aZ)({name:"PieChart",extends:ye.by,props:{holdingsData:{type:Array}},data(){return{chartData:{type:"doughnut",datasets:[{data:this.holdingsData,label:"$",backgroundColor:["#6a4c9e","#1961FB","#759cfa","#FF635C","#ff0000"],borderColor:"black",clip:100}],labels:["CROC","SLTH","TURT","GIRA","BUNY"]},chartOptions:{responsive:!0}}},mounted(){this.renderChart(this.chartData,this.chartOptions)}});const ue=Pe;var he=ue,pe=c(264),me=c.n(pe),ge=(c(6699),c(4870));const fe=(0,ge.qj)({accountBalance:1e4,overconfidenceScore:125,isAdvisorEnabled:!1,timeSpentInPause:0,timeSpentInSimulation:0,numberOfTrades:0,holdingsData:[0,0,0,0,0,1e4],portfolioSnapshots:[],articlesRead:[],tradeHistory:[],portfolioValue:0,playerName:"",annualSalary:0,annualSavings:0,portfolio:{CROC:{index:0,numberOfShares:0,totalValue:0,percentageValue:0,isInPortfolio:!1},SLTH:{index:1,numberOfShares:0,totalValue:0,percentageValue:0,isInPortfolio:!1},TURT:{index:2,numberOfShares:0,totalValue:0,percentageValue:0,isInPortfolio:!1},GIRA:{index:3,numberOfShares:0,totalValue:0,percentageValue:0,isInPortfolio:!1},BUNY:{index:4,numberOfShares:0,totalValue:0,percentageValue:0,isInPortfolio:!1}},incrementOverconfidenceScore(e){this.overconfidenceScore+=e},incrementPauseTime(){this.timeSpentInPause++},incrementSimulationTime(){this.timeSpentInSimulation++},setIsAdvisorEnabled(e){this.isAdvisorEnabled=e,!0===e&&(this.incrementOverconfidenceScore(-50),console.log("Overconfidence score: "+this.overconfidenceScore))},markArticleAsRead(e){this.articlesRead.includes(e)||(this.articlesRead.push(e),this.incrementOverconfidenceScore(-5),console.log(`Just read article no. ${e}, Overconfidence score: `+this.overconfidenceScore),console.log("Overconfidence score: "+this.overconfidenceScore))},get numArticlesRead(){return this.articlesRead.length},updatePortfolio(e,i){this.portfolioValue=0;for(const[c,a]of Object.entries(this.portfolio)){let i=e[c];this.portfolio[c]["totalValue"]=a["numberOfShares"]*i,this.portfolioValue+=a["totalValue"],this.holdingsData[this.portfolio[c]["index"]]=this.portfolio[c]["totalValue"]}if(i%20===0&&20!=i){let e=0;for(const i of Object.values(this.portfolio))!0===i["isInPortfolio"]&&(e+=1);e<=3&&(this.incrementOverconfidenceScore(35-10*e),console.log("Overconfidence score: "+this.overconfidenceScore))}this.numberOfTrades>=50&&(this.incrementOverconfidenceScore(30),console.log("Overconfidence score: "+this.overconfidenceScore))},addStock(e,i,c,a,o,s){let r=this.accountBalance;this.accountBalance-=c,this.portfolioValue+=c,this.portfolio[e]["numberOfShares"]+=a,this.portfolio[e]["totalValue"]+=c,this.portfolio[e]["isInPortfolio"]=!0,this.holdingsData[this.portfolio[e]["index"]]=this.portfolio[e]["totalValue"],this.holdingsData[5]=this.accountBalance,this.numberOfTrades++;let t=c/r*100,l={ticker:e,day:o,accountBalance:this.accountBalance,tradeType:"BUY",sharePrice:i,numberOfShares:a,tradeValue:c,totalValue:this.portfolio[e]["totalValue"],percentageOfInvestedMoney:t,isTimeRunning:s};this.tradeHistory.push(l),l["percentageOfInvestedMoney"]>=40&&r>=1e3&&(this.incrementOverconfidenceScore(l["percentageOfInvestedMoney"]/2),console.log(l),console.log("Overconfidence score: "+this.overconfidenceScore)),!0===s&&(this.incrementOverconfidenceScore(5),console.log("Overconfidence score: "+this.overconfidenceScore))},sellStock(e,i,c,a,o,s){this.accountBalance+=c,this.portfolioValue-=c,this.portfolio[e]["numberOfShares"]-=a,this.portfolio[e]["totalValue"]-=c,this.holdingsData[this.portfolio[e]["index"]]=this.portfolio[e]["totalValue"],this.holdingsData[5]=this.accountBalance,this.numberOfTrades++,0===this.portfolio[e]["numberOfShares"]&&(this.portfolio[e]["isInPortfolio"]=!1);let r={ticker:e,day:o,accountBalance:this.accountBalance,tradeType:"SELL",sharePrice:i,numberOfShares:a,tradeValue:c,totalValue:this.portfolio[e]["totalValue"],percentageOfInvestedMoney:0,isTimeRunning:s};this.tradeHistory.push(r),!0===s&&(this.incrementOverconfidenceScore(5),console.log("Overconfidence score: "+this.overconfidenceScore))},setPlayerData(e,i,c){this.playerName=e,this.annualSalary=i,this.annualSavings=c},setAccountBalance(e){this.accountBalance=e},addPortfolioSnapshot(){let e=[...this.holdingsData],i=0,c=!1;for(const a of Object.values(this.portfolio))!0===a["isInPortfolio"]&&(i+=1);c=i>=3,this.portfolioSnapshots.push({data:e,wasBalanced:c}),console.log(this.portfolioSnapshots)},capOverconfidenceScore(){this.overconfidenceScore>250?this.overconfidenceScore=250:this.overconfidenceScore<20&&(this.overconfidenceScore=20)},get bigTrades(){let e=this.tradeHistory.filter((e=>e["percentageOfInvestedMoney"]>=40));return e},get hastyTrades(){let e=this.tradeHistory.filter((e=>!0===e["isTimeRunning"]));return e},get numBalancedPortfolioSnapshots(){let e=this.portfolioSnapshots.filter((e=>!0===e["wasBalanced"]));return e.length},get tradeCount(){return this.tradeHistory.length}});var ve={name:"EndPage",components:{PieChart:he,CircleProgress:me()},data(){return{isShowingSubHeader:!1,isShowingScore:!1,showVerbage:!1,showMetric_1:!1,showMetric_2:!1,showMetric_3:!1,showMetric_4:!1,showMetric_5:!1,showChart1:!1,showChart2:!1,showChart3:!1,showChart4:!1,showChart5:!1,playerDataStore:fe}},mounted(){setTimeout((()=>{this.isShowingSubHeader=!0}),2e3),setTimeout((()=>{this.isShowingScore=!0}),3e3),setTimeout((()=>{this.showVerbage=!0}),3e3),setTimeout((()=>{this.showMetric_1=!0}),5e3),setTimeout((()=>{this.showMetric_2=!0}),7e3),setTimeout((()=>{this.showChart1=!0}),8e3),setTimeout((()=>{this.showChart2=!0}),9e3),setTimeout((()=>{this.showChart3=!0}),1e4),setTimeout((()=>{this.showChart4=!0}),11e3),setTimeout((()=>{this.showChart5=!0}),12e3),setTimeout((()=>{this.showMetric_3=!0}),14e3),setTimeout((()=>{this.showMetric_4=!0}),16e3),setTimeout((()=>{this.showMetric_5=!0}),18e3)},methods:{calculateOverConfidencePercentage(){return console.log(fe.overconfidenceScore),parseFloat(100*fe.overconfidenceScore/250)},getOverconfidenceRating(){const e=this.calculateOverConfidencePercentage();return e<=30?"low":e<=60?"average":"high"},getFillColor(){const e=this.getOverconfidenceRating();return"high"===e?"#ff0000":"average"===e?"#ffff00":"#00ff00"}}},ke=c(89);const we=(0,ke.Z)(ve,[["render",ne],["__scopeId","data-v-5b2f8b3d"]]);var be=we;const Se=e=>((0,o.dD)("data-v-436af7f3"),e=e(),(0,o.Cn)(),e),Te={class:"intro-page-main"},_e=Se((()=>(0,o._)("h1",null,"Click to Start",-1))),Ce=[_e];function De(e,i,c,a,s,r){return(0,o.wg)(),(0,o.iD)("div",Te,Ce)}var Ae={name:"IntroPage"};const je=(0,ke.Z)(Ae,[["render",De],["__scopeId","data-v-436af7f3"]]);var Oe=je;const Ne=e=>((0,o.dD)("data-v-20a389f6"),e=e(),(0,o.Cn)(),e),Be={class:"info-page-main"},Re={key:0,class:"header-two"},Ie={class:"card-container"},Ue={class:"card"},Fe={key:0,class:"card-cover nice-boxshadow"},xe=Ne((()=>(0,o._)("h2",{class:"card-header"},"CROC",-1))),Ee=Ne((()=>(0,o._)("h3",null,"Crocodile, Inc.",-1))),Me=Ne((()=>(0,o._)("p",{class:"text"},"Consumer electronics, software",-1))),He=[xe,Ee,Me],qe={class:"card"},Ye={key:0,class:"card-cover nice-boxshadow"},We=Ne((()=>(0,o._)("h2",{class:"card-header"},"SLTH",-1))),ze=Ne((()=>(0,o._)("h3",null,"Sloth Entertainment",-1))),Le=Ne((()=>(0,o._)("p",{class:"text"},"Digital media, streaming",-1))),Ge=[We,ze,Le],Ve={class:"card"},$e={key:0,class:"card-cover nice-boxshadow"},Ze=Ne((()=>(0,o._)("h2",{class:"card-header"},"TURT",-1))),Ke=Ne((()=>(0,o._)("h3",null,"Turtle",-1))),Je=Ne((()=>(0,o._)("p",{class:"text"},"Automotive, clean energy",-1))),Qe=[Ze,Ke,Je],Xe={class:"card"},ei={key:0,class:"card-cover nice-boxshadow"},ii=Ne((()=>(0,o._)("h2",{class:"card-header"},"GIRA",-1))),ci=Ne((()=>(0,o._)("h3",null,"Giraffe, Inc.",-1))),ai=Ne((()=>(0,o._)("p",{class:"text"},"Advertising, cloud computing",-1))),oi=[ii,ci,ai],si={class:"card"},ri={key:0,class:"card-cover nice-boxshadow"},ti=Ne((()=>(0,o._)("h2",{class:"card-header"},"BUNY",-1))),li=Ne((()=>(0,o._)("h3",null,"Bunny Corp.",-1))),di=Ne((()=>(0,o._)("p",{class:"text"},"Consumer electronics, software",-1))),ni=[ti,li,di],yi={key:0},Pi=Ne((()=>(0,o._)("h1",{class:"header-one"},"Please select your starting account balance.",-1))),ui=Ne((()=>(0,o._)("h3",null,"You may use the slider or provide a custom value that more accurately represents your financial situation.",-1))),hi=[Pi,ui],pi={key:0},mi={class:"rangetext"},gi=(0,o.Uk)(" $1000 "),fi=(0,o.Uk)(" $10000 "),vi={class:"input-symbol-dollar"},ki=(0,o.Uk)(),wi=Ne((()=>(0,o._)("span",{class:"error"},[(0,o._)("p",{id:"value_error"})],-1))),bi={key:0},Si={class:"header-one"},Ti=Ne((()=>(0,o._)("h3",null," The advisor subscription provides you with additional investing tips, and additional information about the data presented to you ",-1))),_i={key:0},Ci={class:"toggletext"},Di=(0,o.Uk)("No "),Ai={class:"switch"},ji=Ne((()=>(0,o._)("span",{class:"switch-slider round nice-boxshadow"},null,-1))),Oi=(0,o.Uk)(" Yes "),Ni={key:0,class:"header-one"};function Bi(e,i,c,s,r,l){return(0,o.wg)(),(0,o.iD)("div",Be,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingHeader?((0,o.wg)(),(0,o.iD)("h1",Re,"In this game, you will be following five stocks in a controlled trading environment.")):(0,o.kq)("",!0)])),_:1}),(0,o._)("div",Ie,[(0,o._)("div",Ue,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showSquareOne?((0,o.wg)(),(0,o.iD)("div",Fe,He)):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",qe,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showSquareTwo?((0,o.wg)(),(0,o.iD)("div",Ye,Ge)):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",Ve,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showSquareThree?((0,o.wg)(),(0,o.iD)("div",$e,Qe)):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",Xe,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showSquareFour?((0,o.wg)(),(0,o.iD)("div",ei,oi)):(0,o.kq)("",!0)])),_:1})]),(0,o._)("div",si,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showSquareFive?((0,o.wg)(),(0,o.iD)("div",ri,ni)):(0,o.kq)("",!0)])),_:1})])]),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingSliderMessage?((0,o.wg)(),(0,o.iD)("div",yi,hi)):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingSlider?((0,o.wg)(),(0,o.iD)("div",pi,[(0,o._)("form",null,[(0,o._)("span",null,[(0,o._)("span",mi,[gi,(0,o.wy)((0,o._)("input",{type:"range",min:"1000",max:"10000","onUpdate:modelValue":i[0]||(i[0]=e=>r.accountBalance=e),class:"slider",id:"myRange"},null,512),[[a.nr,r.accountBalance]]),fi]),(0,o._)("span",vi,[(0,o.wy)((0,o._)("input",{type:"number",class:"input-field nice-boxshadow",id:"1","onUpdate:modelValue":i[1]||(i[1]=e=>r.accountBalance=e),onChange:i[2]||(i[2]=(...e)=>l.clearErrorText&&l.clearErrorText(...e)),required:""},null,544),[[a.nr,r.accountBalance]]),ki,wi])])]),(0,o._)("button",{class:"click-here nice-boxshadow",onClick:i[3]||(i[3]=(...e)=>l.submitAccountBalance&&l.submitAccountBalance(...e))},"Submit")])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingAdvisorSubscription?((0,o.wg)(),(0,o.iD)("div",bi,[(0,o._)("h1",Si,"You also have the option to subscribe to Morningstar Advisor before the simulation begins. This will cost $"+(0,t.zw)(r.fee.toFixed(2))+".",1),Ti])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingAdvisorSubscription?((0,o.wg)(),(0,o.iD)("div",_i,[(0,o._)("span",Ci,[Di,(0,o._)("label",Ai,[(0,o.wy)((0,o._)("input",{type:"checkbox",id:"_button","onUpdate:modelValue":i[4]||(i[4]=e=>r.advisorSubscription=e),onClick:i[5]||(i[5]=e=>{l.toggleAdvisorSubscription()})},null,512),[[a.e8,r.advisorSubscription]]),ji]),Oi])])):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingAdvisorSubscription?((0,o.wg)(),(0,o.iD)("button",{key:0,class:"click-here nice-boxshadow",onClick:i[6]||(i[6]=(...e)=>l.submitAdvisorSubscription&&l.submitAdvisorSubscription(...e))},"Submit")):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingLastMessage?((0,o.wg)(),(0,o.iD)("h1",Ni,"You will have 120 days to invest $"+(0,t.zw)(r.accountBalance.toFixed(2))+", good luck!",1)):(0,o.kq)("",!0)])),_:1}),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingLastMessage?((0,o.wg)(),(0,o.iD)("h3",{key:0,onClick:i[7]||(i[7]=e=>c.switchToTradingPage()),class:"click-here"},"Click here to continue.")):(0,o.kq)("",!0)])),_:1})])}var Ri={name:"InfoPage",data(){return{isShowingHeader:!1,showSquareOne:!1,showSquareTwo:!1,showSquareThree:!1,showSquareFour:!1,showSquareFive:!1,isShowingSliderMessage:!1,isShowingSlider:!1,isShowingLastMessage:!1,isShowingAdvisorSubscription:!1,showClickAnywhere:!1,accountBalance:2350,advisorSubscription:!1,playerDataStore:fe,fee:235}},props:{switchToTradingPage:{type:Function}},mounted(){setTimeout((()=>{this.isShowingHeader=!1}),1e3),setTimeout((()=>{this.isShowingHeader=!0}),2e3),setTimeout((()=>{this.showSquareOne=!0}),3e3),setTimeout((()=>{this.showSquareTwo=!0}),4e3),setTimeout((()=>{this.showSquareThree=!0}),5e3),setTimeout((()=>{this.showSquareFour=!0}),6e3),setTimeout((()=>{this.showSquareFive=!0}),7e3),setTimeout((()=>{this.isShowingSliderMessage=!0}),8e3),setTimeout((()=>{this.isShowingSlider=!0}),9e3)},methods:{submitAccountBalance(){if(""===this.accountBalance||this.accountBalance<1e3){let e="Please enter a value greater than $1000";document.getElementById("value_error").innerHTML=e,document.getElementById("1").focus()}else this.triggerAdvisorOption();this.setFee()},submitAdvisorSubscription(){if(this.playerDataStore.setIsAdvisorEnabled(this.advisorSubscription),this.triggerLastMessage(),!0===this.advisorSubscription){let e=.1*this.accountBalance;this.accountBalance-=e}this.playerDataStore.setAccountBalance(this.accountBalance)},triggerAdvisorOption(){setTimeout((()=>{this.isShowingSliderMessage=!1,this.isShowingSlider=!1}),0),setTimeout((()=>{this.isShowingAdvisorSubscription=!0}),2e3)},triggerLastMessage(){setTimeout((()=>{this.isShowingAdvisorSubscription=!1}),0),setTimeout((()=>{this.isShowingLastMessage=!0,this.showClickAnywhere=!0}),2e3),console.log(this.playerDataStore)},clearErrorText(){document.getElementById("value_error").innerHTML=""},toggleAdvisorSubscription(){this.advisorSubscription=!this.advisorSubscription,console.log(this.advisorSubscription)},setFee(){this.fee=this.accountBalance/10}}};const Ii=(0,ke.Z)(Ri,[["render",Bi],["__scopeId","data-v-20a389f6"]]);var Ui=Ii,Fi=c.p+"img/stop-icon.a87f5eda.svg",xi=c.p+"img/play-icon.526d3087.svg";const Ei=e=>((0,o.dD)("data-v-7c9bafae"),e=e(),(0,o.Cn)(),e),Mi={class:"container-main"},Hi={class:"section-left section-margin"},qi={class:"heading-container"},Yi=(0,o.Uk)(" Welcome, "),Wi={class:"timer-section"},zi={class:"timer-section-top"},Li={class:"timer-section-bottom"},Gi=Ei((()=>(0,o._)("u",null,"Account Balance:",-1))),Vi={class:"clock-and-button"},$i={key:0},Zi={key:1},Ki=Ei((()=>(0,o._)("u",null,"Portfolio Value:",-1))),Ji={class:"timer-section-bottom"},Qi=Ei((()=>(0,o._)("u",null,"Day:",-1))),Xi=Ei((()=>(0,o._)("div",{class:"heading-container"}," Watchlist ",-1))),ec=Ei((()=>(0,o._)("div",{class:"heading-container-holdings"}," Holdings ",-1))),ic={class:"section-middle section-margin"},cc={class:"heading-container"},ac=(0,o.Uk)(" Market Profile > "),oc={key:0},sc={key:1},rc={key:2},tc={key:3},lc={key:4},dc={class:"portfolio-card-main nice-boxshadow"},nc=Ei((()=>(0,o._)("div",{class:"portfolio-card-header"},[(0,o._)("b",null,"Portfolio")],-1))),yc={class:"securities-container"},Pc={class:"securities-row"},uc={class:"securities-row"},hc={class:"securities-bottom-row"},pc={class:"section-right section-margin"},mc=Ei((()=>(0,o._)("div",{class:"heading-container"}," Events ",-1)));function gc(e,i,c,a,s,r){const l=(0,o.up)("ClockIcon"),d=(0,o.up)("StockCard"),n=(0,o.up)("PieChart"),y=(0,o.up)("StockChart"),P=(0,o.up)("TradingForm"),u=(0,o.up)("StockCardPortfolio"),h=(0,o.up)("NewsCard");return(0,o.wg)(),(0,o.iD)("div",Mi,[(0,o._)("div",Hi,[(0,o._)("div",qi,[Yi,(0,o._)("b",null,(0,t.zw)(e.playerDataStore.playerName.slice(0,15)),1)]),(0,o._)("div",Wi,[(0,o._)("div",zi,[(0,o._)("div",Li,[Gi,(0,o.Uk)(" "+(0,t.zw)(e.formatCurrency(e.playerDataStore.accountBalance)),1)]),(0,o._)("div",Vi,[(0,o.Wm)(l,{timeRunning:e.isTimeRunning},null,8,["timeRunning"]),!0===e.isTimeRunning?((0,o.wg)(),(0,o.iD)("div",$i,[(0,o._)("img",{class:"stop-icon icon",onClick:i[0]||(i[0]=i=>{e.pauseSimulation()}),src:Fi})])):((0,o.wg)(),(0,o.iD)("div",Zi,[(0,o._)("img",{class:"play-icon icon",onClick:i[1]||(i[1]=i=>{e.resumeSimulation()}),src:xi})]))])]),(0,o._)("div",null,[Ki,(0,o.Uk)(" "+(0,t.zw)(e.formatCurrency(e.playerDataStore.portfolioValue)),1)]),(0,o._)("div",Ji,[Qi,(0,o.Uk)(" "+(0,t.zw)(e.currentDay)+" / "+(0,t.zw)(e.simulationDuration),1)])]),Xi,((0,o.wg)(!0),(0,o.iD)(o.HY,null,(0,o.Ko)(e.stocks,(i=>((0,o.wg)(),(0,o.iD)("div",{key:i.id},[(0,o.Wm)(d,{name:i.name,ticker:i.ticker,price:e.getCurrentPriceForStock(i.ticker),updateCurrentStock:e.updateCurrentStock,activeStock:e.activeStock},null,8,["name","ticker","price","updateCurrentStock","activeStock"])])))),128)),ec,((0,o.wg)(),(0,o.j4)(n,{holdingsData:e.holdingsData,key:e.pieKey},null,8,["holdingsData"]))]),(0,o._)("div",ic,[(0,o._)("div",cc,[ac,(0,o._)("b",null,(0,t.zw)(e.activeStock),1)]),"CROC"===e.activeStock?((0,o.wg)(),(0,o.iD)("div",oc,[((0,o.wg)(),(0,o.j4)(y,{key:e.currentDay,currentDay:e.currentDay,simulationDuration:e.simulationDuration,allTimeStockData:e.stockData[0].slice(1,e.stockData[0].length-e.simulationDuration+e.currentDay)},null,8,["currentDay","simulationDuration","allTimeStockData"]))])):"SLTH"===e.activeStock?((0,o.wg)(),(0,o.iD)("div",sc,[((0,o.wg)(),(0,o.j4)(y,{key:e.currentDay,currentDay:e.currentDay,simulationDuration:e.simulationDuration,allTimeStockData:e.stockData[1].slice(1,e.stockData[1].length-e.simulationDuration+e.currentDay)},null,8,["currentDay","simulationDuration","allTimeStockData"]))])):"TURT"===e.activeStock?((0,o.wg)(),(0,o.iD)("div",rc,[((0,o.wg)(),(0,o.j4)(y,{key:e.currentDay,currentDay:e.currentDay,simulationDuration:e.simulationDuration,allTimeStockData:e.stockData[2].slice(1,e.stockData[2].length-e.simulationDuration+e.currentDay)},null,8,["currentDay","simulationDuration","allTimeStockData"]))])):"GIRA"===e.activeStock?((0,o.wg)(),(0,o.iD)("div",tc,[((0,o.wg)(),(0,o.j4)(y,{key:e.currentDay,currentDay:e.currentDay,simulationDuration:e.simulationDuration,allTimeStockData:e.stockData[3].slice(1,e.stockData[3].length-e.simulationDuration+e.currentDay)},null,8,["currentDay","simulationDuration","allTimeStockData"]))])):"BUNY"===e.activeStock?((0,o.wg)(),(0,o.iD)("div",lc,[((0,o.wg)(),(0,o.j4)(y,{key:e.currentDay,currentDay:e.currentDay,simulationDuration:e.simulationDuration,allTimeStockData:e.stockData[4].slice(1,e.stockData[4].length-e.simulationDuration+e.currentDay)},null,8,["currentDay","simulationDuration","allTimeStockData"]))])):(0,o.kq)("",!0),(0,o.Wm)(P,{startSimulation:e.startSimulation,stopSimulation:e.stopSimulation,makeTrade:e.makeTrade,currentPrices:e.getCurrentPrices(),accountBalance:e.playerDataStore.accountBalance,portfolio:e.portfolio},null,8,["startSimulation","stopSimulation","makeTrade","currentPrices","accountBalance","portfolio"]),(0,o._)("div",dc,[nc,(0,o._)("div",yc,[(0,o._)("div",Pc,[(0,o.Wm)(u,{name:"Crocodile Inc.",ticker:"CROC",price:e.getPortfolioValueForStock("CROC"),percentageUpdate:e.calculatePercentage("CROC"),class:"security"},null,8,["name","price","percentageUpdate"]),(0,o.Wm)(u,{name:"Sloth Entertainment",ticker:"SLTH",price:e.getPortfolioValueForStock("SLTH"),percentageUpdate:e.calculatePercentage("SLTH"),class:"security"},null,8,["price","percentageUpdate"])]),(0,o._)("div",uc,[(0,o.Wm)(u,{name:"Turtle",ticker:"TURT",price:e.getPortfolioValueForStock("TURT"),percentageUpdate:e.calculatePercentage("TURT"),class:"security"},null,8,["price","percentageUpdate"]),(0,o.Wm)(u,{name:"Giraffe Inc.",ticker:"GIRA",price:e.getPortfolioValueForStock("GIRA"),percentageUpdate:e.calculatePercentage("GIRA"),class:"security"},null,8,["name","price","percentageUpdate"])]),(0,o._)("div",hc,[(0,o.Wm)(u,{name:"Bunny Corp.",ticker:"BUNY",price:e.getPortfolioValueForStock("BUNY"),percentageUpdate:e.calculatePercentage("BUNY"),class:"security"},null,8,["name","price","percentageUpdate"])])])])]),(0,o._)("div",pc,[mc,((0,o.wg)(!0),(0,o.iD)(o.HY,null,(0,o.Ko)(e.currentNewsFeed.peekN(e.currentNewsFeed.size()),(e=>((0,o.wg)(),(0,o.iD)("div",{key:e.id},[((0,o.wg)(),(0,o.j4)(h,{key:e.id,title:e.headline,description:e.description,imageNum:1,_article_id:e.id,is_advisor_message:"Advisor"===e.ticker},null,8,["title","description","_article_id","is_advisor_message"]))])))),128))])])}const fc=e=>((0,o.dD)("data-v-220444f5"),e=e(),(0,o.Cn)(),e),vc={class:"stock-chart-main nice-boxshadow"},kc={class:"button-row"},wc={class:"buttons"},bc={class:"price-container"},Sc={ref:"resizeRef"},Tc=fc((()=>(0,o._)("g",{class:"x-axis"},null,-1))),_c=fc((()=>(0,o._)("g",{class:"y-axis"},null,-1))),Cc=[Tc,_c];function Dc(e,i,c,a,s,r){return(0,o.wg)(),(0,o.iD)("div",vc,[(0,o._)("div",kc,[(0,o._)("div",wc,[0===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:0,class:"time-button-selected",onClick:i[0]||(i[0]=e=>a.getStockDataForPeriod("1W"))},"1W")):((0,o.wg)(),(0,o.iD)("button",{key:1,onClick:i[1]||(i[1]=e=>{a.getStockDataForPeriod("1W"),r.updateActiveTimeFilter(0)})},"1W")),1===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:2,class:"time-button-selected",onClick:i[2]||(i[2]=e=>a.getStockDataForPeriod("2W"))},"2W")):((0,o.wg)(),(0,o.iD)("button",{key:3,onClick:i[3]||(i[3]=e=>{a.getStockDataForPeriod("2W"),r.updateActiveTimeFilter(1)})},"2W")),2===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:4,class:"time-button-selected",onClick:i[4]||(i[4]=e=>a.getStockDataForPeriod("1M"))},"1M")):((0,o.wg)(),(0,o.iD)("button",{key:5,onClick:i[5]||(i[5]=e=>{a.getStockDataForPeriod("1M"),r.updateActiveTimeFilter(2)})},"1M")),3===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:6,class:"time-button-selected",onClick:i[6]||(i[6]=e=>a.getStockDataForPeriod("3M"))},"3M")):((0,o.wg)(),(0,o.iD)("button",{key:7,onClick:i[7]||(i[7]=e=>{a.getStockDataForPeriod("3M"),r.updateActiveTimeFilter(3)})},"3M")),4===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:8,class:"time-button-selected",onClick:i[8]||(i[8]=e=>a.getStockDataForPeriod("6M"))},"6M")):((0,o.wg)(),(0,o.iD)("button",{key:9,onClick:i[9]||(i[9]=e=>{a.getStockDataForPeriod("6M"),r.updateActiveTimeFilter(4)})},"6M")),5===s.activeTimeFilter?((0,o.wg)(),(0,o.iD)("button",{key:10,class:"time-button-selected",onClick:i[10]||(i[10]=e=>a.getStockDataForPeriod("YTD"))},"YTD")):((0,o.wg)(),(0,o.iD)("button",{key:11,onClick:i[11]||(i[11]=e=>{a.getStockDataForPeriod("YTD"),r.updateActiveTimeFilter(5)})},"YTD"))]),(0,o._)("div",bc,(0,t.zw)(parseFloat(c.allTimeStockData[c.allTimeStockData.length-1].closePrice).toFixed(2)),1)]),(0,o._)("div",Sc,[((0,o.wg)(),(0,o.iD)("svg",{key:c.currentDay,ref:"svgRef"},Cc))],512)])}var Ac=c(1855),jc={name:"StockChart",data(){return{activeTimeFilter:5}},methods:{updateActiveTimeFilter(e){this.activeTimeFilter=e}},props:{allTimeStockData:{type:Array},simulationDuration:{type:Number},currentDay:{type:Number}},setup(e){const i=(0,ge.iH)(null),c=(0,ge.iH)(e.allTimeStockData),a=(0,ge.iH)(e.allTimeStockData),s=e=>{"YTD"===e?a.value=c.value:"6M"===e?a.value=c.value.slice(c.value.length-180,c.value.length):"3M"===e?a.value=c.value.slice(c.value.length-90,c.value.length):"1M"===e?a.value=c.value.slice(c.value.length-30,c.value.length):"2W"===e?a.value=c.value.slice(c.value.length-14,c.value.length):"1W"===e&&(a.value=c.value.slice(c.value.length-7,c.value.length))};return(0,o.m0)((()=>{const e=(0,Ac.Ys)(i.value);Ac.td_("svg > *").remove();const c="",o="black",s=800,r=400,t=30,l=30,d=40,n=30,y="round",P="round",u=1.5,h=1,p=Ac.c_6,m=a.value.map((e=>e.day)),g=a.value.map((e=>parseInt(e.closePrice))),f=Ac.w6H(m.length),v=Ac.KYF,k=Ac.BYU;let w,b;const S=[d,s-n],T=[r-l,t];void 0===w&&(w=Ac.Wem(m)),void 0===b&&(b=[Ac.VV$(g)-7,Ac.Fp7(g)+10]);const _=v(w,S),C=Ac.BYU().domain([0,a.value.length]).range(S),D=k(b,T),A=Ac.LLu(C).ticks(10),j=Ac.y4O(D).ticks(r/50),O=Ac.jvg().curve(p).x((e=>_(m[e]))).y((e=>D(g[e])));e.attr("width",s).attr("height",r).attr("viewBox",[0,0,s,r]).attr("style","max-width: 100%; height: auto; height: intrinsic;"),e.append("g").attr("transform",`translate(0,${r-l})`).call(A),e.append("g").attr("transform",`translate(${d},0)`).call(j).style("font-size","12px").call((e=>e.select(".domain").remove())).call((e=>e.selectAll(".tick line").clone().attr("x2",s-d-n).attr("stroke-opacity",.1))).call((e=>e.append("text").attr("x",-d).attr("y",10).attr("fill","currentColor").attr("text-anchor","start").text(c))),e.append("path").attr("fill","none").attr("stroke",o).attr("stroke-width",u).attr("stroke-linecap",y).attr("stroke-linejoin",P).attr("stroke-opacity",h).attr("d",O(f))})),{svgRef:i,activeData:a,getStockDataForPeriod:s}}};const Oc=(0,ke.Z)(jc,[["render",Dc],["__scopeId","data-v-220444f5"]]);var Nc=Oc;const Bc={class:"ticker-and-name-container"},Rc={class:"ticker-container"},Ic={class:"name-container"},Uc={class:"price-container"},Fc={class:"ticker-and-name-container"},xc={class:"ticker-container"},Ec={class:"name-container"},Mc={class:"price-container"};function Hc(e,i,c,a,s,r){return r.isActiveStock()?((0,o.wg)(),(0,o.iD)("button",{key:0,class:"stock-card-main-selected",onClick:i[0]||(i[0]=e=>r.changeStock(s.current))},[(0,o._)("div",Bc,[(0,o._)("div",Rc,(0,t.zw)(c.ticker),1),(0,o._)("div",Ic,(0,t.zw)(c.name),1)]),(0,o._)("div",Uc,(0,t.zw)(c.price),1)])):((0,o.wg)(),(0,o.iD)("button",{key:1,class:"stock-card-main",onClick:i[1]||(i[1]=e=>r.changeStock(s.current))},[(0,o._)("div",Fc,[(0,o._)("div",xc,(0,t.zw)(c.ticker),1),(0,o._)("div",Ec,(0,t.zw)(c.name),1)]),(0,o._)("div",Mc,(0,t.zw)(c.price),1)]))}var qc={name:"StockCard",data(){return{current:this.ticker}},props:{name:{type:String},ticker:{type:String},price:{type:String},activeStock:{type:String},updateCurrentStock:{type:Function}},methods:{changeStock(e){this.updateCurrentStock(e)},isActiveStock(){return this.ticker===this.activeStock}}};const Yc=(0,ke.Z)(qc,[["render",Hc],["__scopeId","data-v-56e7e751"]]);var Wc=Yc,zc=c.p+"img/morningstar-logo.927fba7d.svg";const Lc={class:"title-container"},Gc={key:0,class:"morningstar-logo",src:zc},Vc={key:1,class:"advisor-message-header"},$c={key:2},Zc={key:0,class:"content-container-hidden"},Kc={key:1,class:"content-container"};function Jc(e,i,c,a,s,r){return(0,o.wg)(),(0,o.iD)("div",{class:(0,t.C_)({"news-card-main nice-boxshadow":!s.was_read&&!c.is_advisor_message,"advisor-card-main nice-boxshadow":!s.was_read&&c.is_advisor_message,"news-card-main-deactivated nice-boxshadow":s.was_read})},[(0,o._)("div",Lc,[c.is_advisor_message?((0,o.wg)(),(0,o.iD)("img",Gc)):(0,o.kq)("",!0),c.is_advisor_message?((0,o.wg)(),(0,o.iD)("div",Vc," |  Advisor")):((0,o.wg)(),(0,o.iD)("div",$c,(0,t.zw)(c.title),1))]),s.showContent?(0,o.kq)("",!0):((0,o.wg)(),(0,o.iD)("div",Zc,(0,t.zw)(c.description.slice(0,100))+" ... ",1)),s.showContent?((0,o.wg)(),(0,o.iD)("div",Kc,(0,t.zw)(c.description),1)):(0,o.kq)("",!0),0==s.showContent?((0,o.wg)(),(0,o.iD)("button",{key:2,onClick:i[0]||(i[0]=e=>{s.showContent=!0,s.playerDataStore.markArticleAsRead(c._article_id)}),class:"collapsible"}," Read more ")):((0,o.wg)(),(0,o.iD)("button",{key:3,onClick:i[1]||(i[1]=e=>{s.showContent=!1,s.was_read=!0}),class:"collapsible"}," Read less "))],2)}var Qc={name:"NewsCard",props:{title:{type:String},description:{type:String},source:{type:String},imageNum:{type:Number},_article_id:{type:Number},is_advisor_message:{type:Boolean}},data(){return{playerDataStore:fe,showContent:!1,was_read:!1,content:"A shocking downturn for the media company rears its ugly head as SLTH loses almost $50 billion in market cap value. The company's subscriber count continues to fall despite the push for more content."}}};const Xc=(0,ke.Z)(Qc,[["render",Jc],["__scopeId","data-v-2d118eca"]]);var ea=Xc;const ia={class:"stock-card-main"},ca={class:"ticker-and-name-container"},aa={class:"ticker-container"},oa={class:"name-container"},sa={class:"price-container"},ra={key:0,class:"percentage-container-green"},ta={key:1,class:"percentage-container-red"},la={key:2,class:"percentage-container-grey"};function da(e,i,c,a,s,r){return(0,o.wg)(),(0,o.iD)("div",ia,[(0,o._)("div",ca,[(0,o._)("div",aa,(0,t.zw)(c.ticker),1),(0,o._)("div",oa,(0,t.zw)(c.name),1)]),(0,o._)("div",sa,[c.percentageUpdate>0?((0,o.wg)(),(0,o.iD)("div",ra,(0,t.zw)(r.formatCurrency(c.percentageUpdate)),1)):c.percentageUpdate<0?((0,o.wg)(),(0,o.iD)("div",ta,(0,t.zw)(r.formatCurrency(c.percentageUpdate)),1)):((0,o.wg)(),(0,o.iD)("div",la,(0,t.zw)(r.formatCurrency(c.percentageUpdate)),1)),(0,o.Uk)(" "+(0,t.zw)(c.price),1)])])}var na={name:"StockCardPortfolio",data(){return{current:this.ticker}},props:{name:{type:String},ticker:{type:String},price:{type:String},percentageUpdate:{type:Number},activeStock:{type:String},updateCurrentStock:{type:Function}},methods:{changeStock(e){this.updateCurrentStock(e)},isActiveStock(){return this.ticker===this.activeStock},formatCurrency(e){return 0==e?"0.00":e>0?"+ "+e.toFixed(2)+"%":e.toFixed(2)+"%"}}};const ya=(0,ke.Z)(na,[["render",da],["__scopeId","data-v-8dbf8efe"]]);var Pa=ya;const ua=e=>((0,o.dD)("data-v-3045488a"),e=e(),(0,o.Cn)(),e),ha={class:"clock nice-boxshadow"},pa=(0,o.uE)('
',8),ma={key:0},ga=ua((()=>(0,o._)("div",{class:"hours-container-moving"},[(0,o._)("div",{class:"hours-moving"})],-1))),fa=[ga],va={key:1},ka=ua((()=>(0,o._)("div",{class:"hours-container"},[(0,o._)("div",{class:"hours"})],-1))),wa=[ka],ba={key:2,class:"tick-dot"};function Sa(e,i,c,a,s,r){return(0,o.wg)(),(0,o.iD)("article",ha,[pa,!0===c.timeRunning?((0,o.wg)(),(0,o.iD)("div",ma,fa)):((0,o.wg)(),(0,o.iD)("div",va,wa)),!0===c.timeRunning?((0,o.wg)(),(0,o.iD)("div",ba)):(0,o.kq)("",!0)])}var Ta={name:"ClockIcon",props:{timeRunning:Boolean}};const _a=(0,ke.Z)(Ta,[["render",Sa],["__scopeId","data-v-3045488a"]]);var Ca=_a;const Da=e=>((0,o.dD)("data-v-2de6374e"),e=e(),(0,o.Cn)(),e),Aa={class:"trading-form-container-main nice-boxshadow"},ja=Da((()=>(0,o._)("div",{class:"trading-form-header"}," Trade ",-1))),Oa={class:"stock-form"},Na={class:"buy-sell-form"},Ba=(0,o.Uk)(" Amount ($): "),Ra={class:"confirm-order-form"},Ia={key:1,class:"confirm-order-button-disabled"};function Ua(e,i,c,s,r,t){return(0,o.wg)(),(0,o.iD)("div",Aa,[ja,(0,o._)("div",Oa,["CROC"===r.selectedStock?((0,o.wg)(),(0,o.iD)("button",{key:0,onClick:i[0]||(i[0]=e=>t.updateSelectedStock("CROC")),class:"stock-select-button-selected"},"CROC")):((0,o.wg)(),(0,o.iD)("button",{key:1,onClick:i[1]||(i[1]=e=>t.updateSelectedStock("CROC")),class:"stock-select-button"},"CROC")),"SLTH"===r.selectedStock?((0,o.wg)(),(0,o.iD)("button",{key:2,onClick:i[2]||(i[2]=e=>t.updateSelectedStock("SLTH")),class:"stock-select-button-selected"},"SLTH")):((0,o.wg)(),(0,o.iD)("button",{key:3,onClick:i[3]||(i[3]=e=>t.updateSelectedStock("SLTH")),class:"stock-select-button"},"SLTH")),"TURT"===r.selectedStock?((0,o.wg)(),(0,o.iD)("button",{key:4,onClick:i[4]||(i[4]=e=>t.updateSelectedStock("TURT")),class:"stock-select-button-selected"},"TURT")):((0,o.wg)(),(0,o.iD)("button",{key:5,onClick:i[5]||(i[5]=e=>t.updateSelectedStock("TURT")),class:"stock-select-button"},"TURT")),"GIRA"===r.selectedStock?((0,o.wg)(),(0,o.iD)("button",{key:6,onClick:i[6]||(i[6]=e=>t.updateSelectedStock("GIRA")),class:"stock-select-button-selected"},"GIRA")):((0,o.wg)(),(0,o.iD)("button",{key:7,onClick:i[7]||(i[7]=e=>t.updateSelectedStock("GIRA")),class:"stock-select-button"},"GIRA")),"BUNY"===r.selectedStock?((0,o.wg)(),(0,o.iD)("button",{key:8,onClick:i[8]||(i[8]=e=>t.updateSelectedStock("BUNY")),class:"stock-select-button-selected"},"BUNY")):((0,o.wg)(),(0,o.iD)("button",{key:9,onClick:i[9]||(i[9]=e=>t.updateSelectedStock("BUNY")),class:"stock-select-button"},"BUNY"))]),(0,o._)("div",Na,[Ba,(0,o.wy)((0,o._)("input",{"onUpdate:modelValue":i[10]||(i[10]=e=>r.amount=e),class:"price-input nice-boxshadow"},null,512),[[a.nr,r.amount]]),"BUY"===r.orderType?((0,o.wg)(),(0,o.iD)("button",{key:0,onClick:i[11]||(i[11]=e=>t.updateOrderType("BUY")),class:"buy-sell-button-selected nice-boxshadow my-hover"},"BUY")):((0,o.wg)(),(0,o.iD)("button",{key:1,onClick:i[12]||(i[12]=e=>t.updateOrderType("BUY")),class:"buy-sell-button nice-boxshadow my-hover"},"BUY")),"SELL"===r.orderType?((0,o.wg)(),(0,o.iD)("button",{key:2,onClick:i[13]||(i[13]=e=>t.updateOrderType("SELL")),class:"buy-sell-button-selected nice-boxshadow my-hover"},"SELL")):((0,o.wg)(),(0,o.iD)("button",{key:3,onClick:i[14]||(i[14]=e=>t.updateOrderType("SELL")),class:"buy-sell-button nice-boxshadow my-hover"},"SELL"))]),(0,o._)("div",Ra,[t.validateForm()?((0,o.wg)(),(0,o.iD)("button",{key:0,class:"confirm-order-button nice-boxshadow my-hover",onClick:i[15]||(i[15]=e=>t.confirmOrder())},"Confirm Order")):((0,o.wg)(),(0,o.iD)("button",Ia,"Confirm Order"))])])}var Fa={name:"TradingForm",data(){return{selectedStock:"",orderType:"",amount:0}},props:{currentPrices:{type:Object},accountBalance:{type:Number},portfolio:{type:Object},makeTrade:{type:Function},startSimulation:{type:Function},stopSimulation:{type:Function}},methods:{validateForm(){if("BUY"===this.orderType)return console.log("Amount is "+this.amount),console.log("Account balance is "+this.accountBalance),""!=this.selectedStock&&""!=this.orderType&&this.amount>0&&this.amount>=100&&this.amount<=this.accountBalance;if("SELL"===this.orderType){let e=parseFloat(this.currentPrices[this.selectedStock])*this.portfolio[this.selectedStock]["numberOfShares"];return this.amount<=e&&this.amount>0}},updateSelectedStock(e){this.selectedStock=e},updateOrderType(e){this.orderType=e},confirmOrder(){let e=parseFloat(this.amount)/parseFloat(this.currentPrices[this.selectedStock]);e=e.toFixed(2);const i="Are you sure you'd like to "+this.orderType+" "+e+" shares of "+this.selectedStock+" for $"+this.amount+" at $"+parseFloat(this.currentPrices[this.selectedStock]).toFixed(2)+" per share?";confirm(i)&&this.makeTrade(this.orderType,this.selectedStock,parseFloat(this.currentPrices[this.selectedStock]),parseFloat(this.amount),parseFloat(e))}}};const xa=(0,ke.Z)(Fa,[["render",Ua],["__scopeId","data-v-2de6374e"]]);var Ea=xa;const Ma=[{ticker:"CROC"},{closePrice:"126.599998",day:1},{closePrice:"130.919998",day:2},{closePrice:"132.050003",day:3},{closePrice:"128.979996",day:4},{closePrice:"128.800003",day:5},{closePrice:"130.889999",day:6},{closePrice:"128.910004",day:7},{closePrice:"127.139999",day:8},{closePrice:"127.830002",day:9},{closePrice:"132.029999",day:10},{closePrice:"136.869995",day:11},{closePrice:"139.070007",day:12},{closePrice:"142.919998",day:13},{closePrice:"143.160004",day:14},{closePrice:"142.059998",day:15},{closePrice:"137.089996",day:16},{closePrice:"131.960007",day:17},{closePrice:"134.139999",day:18},{closePrice:"134.990005",day:19},{closePrice:"133.940002",day:20},{closePrice:"137.389999",day:21},{closePrice:"136.759995",day:22},{closePrice:"136.910004",day:23},{closePrice:"136.009995",day:24},{closePrice:"135.389999",day:25},{closePrice:"135.130005",day:26},{closePrice:"135.369995",day:27},{closePrice:"133.190002",day:28},{closePrice:"130.839996",day:29},{closePrice:"129.710007",day:30},{closePrice:"129.869995",day:31},{closePrice:"126",day:32},{closePrice:"125.860001",day:33},{closePrice:"125.349998",day:34},{closePrice:"120.989998",day:35},{closePrice:"121.260002",day:36},{closePrice:"127.790001",day:37},{closePrice:"125.120003",day:38},{closePrice:"122.059998",day:39},{closePrice:"120.129997",day:40},{closePrice:"121.419998",day:41},{closePrice:"116.360001",day:42},{closePrice:"121.089996",day:43},{closePrice:"119.980003",day:44},{closePrice:"121.959999",day:45},{closePrice:"121.029999",day:46},{closePrice:"123.989998",day:47},{closePrice:"125.57",day:48},{closePrice:"124.760002",day:49},{closePrice:"120.529999",day:50},{closePrice:"119.989998",day:51},{closePrice:"123.389999",day:52},{closePrice:"122.540001",day:53},{closePrice:"120.089996",day:54},{closePrice:"120.589996",day:55},{closePrice:"121.209999",day:56},{closePrice:"121.389999",day:57},{closePrice:"119.900002",day:58},{closePrice:"122.150002",day:59},{closePrice:"123",day:60},{closePrice:"125.900002",day:61},{closePrice:"126.209999",day:62},{closePrice:"127.900002",day:63},{closePrice:"130.360001",day:64},{closePrice:"133",day:65},{closePrice:"131.240005",day:66},{closePrice:"134.429993",day:67},{closePrice:"132.029999",day:68},{closePrice:"134.5",day:69},{closePrice:"134.160004",day:70},{closePrice:"134.839996",day:71},{closePrice:"133.110001",day:72},{closePrice:"133.5",day:73},{closePrice:"131.940002",day:74},{closePrice:"134.320007",day:75},{closePrice:"134.720001",day:76},{closePrice:"134.389999",day:77},{closePrice:"133.580002",day:78},{closePrice:"133.479996",day:79},{closePrice:"131.460007",day:80},{closePrice:"132.539993",day:81},{closePrice:"127.849998",day:82},{closePrice:"128.100006",day:83},{closePrice:"129.740005",day:84},{closePrice:"130.210007",day:85},{closePrice:"126.849998",day:86},{closePrice:"125.910004",day:87},{closePrice:"122.769997",day:88},{closePrice:"124.970001",day:89},{closePrice:"127.449997",day:90},{closePrice:"126.269997",day:91},{closePrice:"124.849998",day:92},{closePrice:"124.690002",day:93},{closePrice:"127.309998",day:94},{closePrice:"125.43",day:95},{closePrice:"127.099998",day:96},{closePrice:"126.900002",day:97},{closePrice:"126.849998",day:98},{closePrice:"125.279999",day:99},{closePrice:"124.610001",day:100},{closePrice:"124.279999",day:101},{closePrice:"125.059998",day:102},{closePrice:"123.540001",day:103},{closePrice:"125.889999",day:104},{closePrice:"125.900002",day:105},{closePrice:"126.739998",day:106},{closePrice:"127.129997",day:107},{closePrice:"126.110001",day:108},{closePrice:"127.349998",day:109},{closePrice:"130.479996",day:110},{closePrice:"129.639999",day:111},{closePrice:"130.149994",day:112},{closePrice:"131.789993",day:113},{closePrice:"130.460007",day:114},{closePrice:"132.300003",day:115},{closePrice:"133.979996",day:116},{closePrice:"133.699997",day:117},{closePrice:"133.410004",day:118},{closePrice:"133.110001",day:119},{closePrice:"134.779999",day:120},{closePrice:"136.330002",day:121},{closePrice:"136.960007",day:122},{closePrice:"137.270004",day:123},{closePrice:"139.960007",day:124},{closePrice:"142.020004",day:125},{closePrice:"144.570007",day:126},{closePrice:"143.240005",day:127},{closePrice:"145.110001",day:128},{closePrice:"144.5",day:129},{closePrice:"145.639999",day:130},{closePrice:"149.149994",day:131},{closePrice:"148.479996",day:132},{closePrice:"146.389999",day:133},{closePrice:"142.449997",day:134},{closePrice:"146.149994",day:135},{closePrice:"145.399994",day:136},{closePrice:"146.800003",day:137},{closePrice:"148.559998",day:138},{closePrice:"148.990005",day:139},{closePrice:"146.770004",day:140},{closePrice:"144.979996",day:141},{closePrice:"145.639999",day:142},{closePrice:"145.860001",day:143},{closePrice:"145.520004",day:144},{closePrice:"147.360001",day:145},{closePrice:"146.949997",day:146},{closePrice:"147.059998",day:147},{closePrice:"146.139999",day:148},{closePrice:"146.089996",day:149},{closePrice:"145.600006",day:150},{closePrice:"145.860001",day:151},{closePrice:"148.889999",day:152},{closePrice:"149.100006",day:153},{closePrice:"151.119995",day:154},{closePrice:"150.190002",day:155},{closePrice:"146.360001",day:156},{closePrice:"146.699997",day:157},{closePrice:"148.190002",day:158},{closePrice:"149.710007",day:159},{closePrice:"149.619995",day:160},{closePrice:"148.360001",day:161},{closePrice:"147.539993",day:162},{closePrice:"148.600006",day:163},{closePrice:"153.119995",day:164},{closePrice:"151.830002",day:165},{closePrice:"152.509995",day:166},{closePrice:"153.649994",day:167},{closePrice:"154.300003",day:168},{closePrice:"156.690002",day:169},{closePrice:"155.110001",day:170},{closePrice:"154.070007",day:171},{closePrice:"148.970001",day:172},{closePrice:"149.550003",day:173},{closePrice:"148.119995",day:174},{closePrice:"149.029999",day:175},{closePrice:"148.789993",day:176},{closePrice:"146.059998",day:177},{closePrice:"142.940002",day:178},{closePrice:"143.429993",day:179},{closePrice:"145.850006",day:180},{closePrice:"146.830002",day:181},{closePrice:"146.919998",day:182},{closePrice:"145.369995",day:183},{closePrice:"141.910004",day:184},{closePrice:"142.830002",day:185},{closePrice:"141.5",day:186},{closePrice:"142.649994",day:187},{closePrice:"139.139999",day:188},{closePrice:"141.110001",day:189},{closePrice:"142",day:190},{closePrice:"143.289993",day:191},{closePrice:"142.899994",day:192},{closePrice:"142.809998",day:193},{closePrice:"141.509995",day:194},{closePrice:"140.910004",day:195},{closePrice:"143.759995",day:196},{closePrice:"144.839996",day:197},{closePrice:"146.550003",day:198},{closePrice:"148.759995",day:199},{closePrice:"149.259995",day:200},{closePrice:"149.479996",day:201},{closePrice:"148.690002",day:202},{closePrice:"148.639999",day:203},{closePrice:"149.320007",day:204},{closePrice:"148.850006",day:205},{closePrice:"152.570007",day:206},{closePrice:"149.800003",day:207},{closePrice:"148.960007",day:208},{closePrice:"150.020004",day:209},{closePrice:"151.490005",day:210},{closePrice:"150.960007",day:211},{closePrice:"151.279999",day:212},{closePrice:"150.440002",day:213},{closePrice:"150.809998",day:214},{closePrice:"147.919998",day:215},{closePrice:"147.869995",day:216},{closePrice:"149.990005",day:217},{closePrice:"150",day:218},{closePrice:"151",day:219},{closePrice:"153.490005",day:220},{closePrice:"157.869995",day:221},{closePrice:"160.550003",day:222},{closePrice:"161.020004",day:223},{closePrice:"161.410004",day:224},{closePrice:"161.940002",day:225},{closePrice:"156.809998",day:226},{closePrice:"160.240005",day:227},{closePrice:"165.300003",day:228},{closePrice:"164.770004",day:229},{closePrice:"163.759995",day:230},{closePrice:"161.839996",day:231},{closePrice:"165.320007",day:232},{closePrice:"171.179993",day:233},{closePrice:"175.080002",day:234},{closePrice:"174.559998",day:235},{closePrice:"179.449997",day:236},{closePrice:"175.740005",day:237},{closePrice:"174.330002",day:238},{closePrice:"179.300003",day:239},{closePrice:"172.259995",day:240},{closePrice:"171.139999",day:241},{closePrice:"169.75",day:242},{closePrice:"172.990005",day:243},{closePrice:"175.639999",day:244},{closePrice:"176.279999",day:245},{closePrice:"180.330002",day:246},{closePrice:"179.289993",day:247},{closePrice:"179.380005",day:248},{closePrice:"178.199997",day:249},{closePrice:"177.570007",day:250},{closePrice:"182.009995",day:251},{closePrice:"179.699997",day:252},{closePrice:"174.919998",day:253},{closePrice:"172",day:254},{closePrice:"172.169998",day:255},{closePrice:"172.190002",day:256},{closePrice:"175.080002",day:257},{closePrice:"175.529999",day:258},{closePrice:"172.190002",day:259},{closePrice:"173.070007",day:260},{closePrice:"169.800003",day:261},{closePrice:"166.229996",day:262},{closePrice:"164.509995",day:263},{closePrice:"162.410004",day:264},{closePrice:"161.619995",day:265},{closePrice:"159.779999",day:266},{closePrice:"159.690002",day:267},{closePrice:"159.220001",day:268},{closePrice:"170.330002",day:269},{closePrice:"174.779999",day:270},{closePrice:"174.610001",day:271},{closePrice:"175.839996",day:272},{closePrice:"172.899994",day:273},{closePrice:"172.389999",day:274},{closePrice:"171.660004",day:275},{closePrice:"174.830002",day:276},{closePrice:"176.279999",day:277},{closePrice:"172.119995",day:278},{closePrice:"168.639999",day:279},{closePrice:"168.880005",day:280},{closePrice:"172.789993",day:281},{closePrice:"172.550003",day:282},{closePrice:"168.880005",day:283},{closePrice:"167.300003",day:284},{closePrice:"164.320007",day:285},{closePrice:"160.070007",day:286},{closePrice:"162.740005",day:287},{closePrice:"164.850006",day:288},{closePrice:"165.119995",day:289},{closePrice:"163.199997",day:290},{closePrice:"166.559998",day:291},{closePrice:"166.229996",day:292},{closePrice:"163.169998",day:293},{closePrice:"159.300003",day:294},{closePrice:"157.440002",day:295},{closePrice:"162.949997",day:296},{closePrice:"158.520004",day:297},{closePrice:"154.729996",day:298},{closePrice:"150.619995",day:299},{closePrice:"155.089996",day:300},{closePrice:"159.589996",day:301},{closePrice:"160.619995",day:302},{closePrice:"163.979996",day:303},{closePrice:"165.380005",day:304},{closePrice:"168.820007",day:305},{closePrice:"170.210007",day:306},{closePrice:"174.070007",day:307},{closePrice:"174.720001",day:308},{closePrice:"175.600006",day:309},{closePrice:"178.960007",day:310},{closePrice:"177.770004",day:311},{closePrice:"174.610001",day:312},{closePrice:"174.309998",day:313},{closePrice:"178.440002",day:314},{closePrice:"175.059998",day:315},{closePrice:"171.830002",day:316},{closePrice:"172.139999",day:317},{closePrice:"170.089996",day:318},{closePrice:"165.75",day:319},{closePrice:"167.660004",day:320},{closePrice:"170.399994",day:321},{closePrice:"165.289993",day:322},{closePrice:"165.070007",day:323},{closePrice:"167.399994",day:324},{closePrice:"167.229996",day:325},{closePrice:"166.419998",day:326},{closePrice:"161.789993",day:327},{closePrice:"162.880005",day:328},{closePrice:"156.800003",day:329},{closePrice:"156.570007",day:330},{closePrice:"163.639999",day:331},{closePrice:"157.649994",day:332},{closePrice:"157.960007",day:333},{closePrice:"159.479996",day:334},{closePrice:"166.020004",day:335},{closePrice:"156.770004",day:336},{closePrice:"157.279999",day:337},{closePrice:"152.059998",day:338},{closePrice:"154.509995",day:339},{closePrice:"146.5",day:340},{closePrice:"142.559998",day:341},{closePrice:"147.110001",day:342},{closePrice:"145.539993",day:343},{closePrice:"149.240005",day:344},{closePrice:"140.820007",day:345},{closePrice:"137.350006",day:346},{closePrice:"137.589996",day:347},{closePrice:"143.110001",day:348},{closePrice:"140.360001",day:349},{closePrice:"140.520004",day:350},{closePrice:"143.779999",day:351},{closePrice:"149.639999",day:352},{closePrice:"148.839996",day:353},{closePrice:"148.710007",day:354},{closePrice:"151.210007",day:355},{closePrice:"145.380005",day:356},{closePrice:"146.139999",day:357},{closePrice:"148.710007",day:358},{closePrice:"147.960007",day:359},{closePrice:"142.639999",day:360},{closePrice:"137.130005",day:361},{closePrice:"131.880005",day:362},{closePrice:"132.759995",day:363},{closePrice:"135.429993",day:364},{closePrice:"130.059998",day:365},{closePrice:"131.559998",day:366},{closePrice:"135.869995",day:367},{closePrice:"135.350006",day:368},{closePrice:"138.270004",day:369},{closePrice:"141.660004",day:370},{closePrice:"141.660004",day:371},{closePrice:"137.440002",day:372},{closePrice:"139.229996",day:373},{closePrice:"136.720001",day:374},{closePrice:"138.929993",day:375},{closePrice:"141.559998",day:376},{closePrice:"142.919998",day:377},{closePrice:"146.350006",day:378},{closePrice:"147.039993",day:379},{closePrice:"144.869995",day:380}],Ha=[{ticker:"SLTH"},{closePrice:"508.890015",day:1},{closePrice:"510.399994",day:2},{closePrice:"499.100006",day:3},{closePrice:"494.25",day:4},{closePrice:"507.790009",day:5},{closePrice:"500.859985",day:6},{closePrice:"497.980011",day:7},{closePrice:"501.769989",day:8},{closePrice:"586.340027",day:9},{closePrice:"579.840027",day:10},{closePrice:"565.169983",day:11},{closePrice:"556.780029",day:12},{closePrice:"561.929993",day:13},{closePrice:"523.280029",day:14},{closePrice:"538.599976",day:15},{closePrice:"532.390015",day:16},{closePrice:"539.039978",day:17},{closePrice:"548.159973",day:18},{closePrice:"539.450012",day:19},{closePrice:"552.159973",day:20},{closePrice:"550.789978",day:21},{closePrice:"547.919983",day:22},{closePrice:"559.070007",day:23},{closePrice:"563.590027",day:24},{closePrice:"557.590027",day:25},{closePrice:"556.52002",day:26},{closePrice:"557.280029",day:27},{closePrice:"551.340027",day:28},{closePrice:"548.219971",day:29},{closePrice:"540.219971",day:30},{closePrice:"533.780029",day:31},{closePrice:"546.150024",day:32},{closePrice:"553.409973",day:33},{closePrice:"546.700012",day:34},{closePrice:"538.849976",day:35},{closePrice:"550.640015",day:36},{closePrice:"547.820007",day:37},{closePrice:"520.700012",day:38},{closePrice:"511.290009",day:39},{closePrice:"516.390015",day:40},{closePrice:"493.329987",day:41},{closePrice:"506.440002",day:42},{closePrice:"504.540009",day:43},{closePrice:"523.059998",day:44},{closePrice:"518.02002",day:45},{closePrice:"520.25",day:46},{closePrice:"524.030029",day:47},{closePrice:"524.440002",day:48},{closePrice:"504.790009",day:49},{closePrice:"512.179993",day:50},{closePrice:"523.109985",day:51},{closePrice:"535.090027",day:52},{closePrice:"520.809998",day:53},{closePrice:"502.859985",day:54},{closePrice:"508.049988",day:55},{closePrice:"513.950012",day:56},{closePrice:"513.390015",day:57},{closePrice:"521.659973",day:58},{closePrice:"539.419983",day:59},{closePrice:"540.669983",day:60},{closePrice:"544.530029",day:61},{closePrice:"546.98999",day:62},{closePrice:"554.580017",day:63},{closePrice:"555.309998",day:64},{closePrice:"552.780029",day:65},{closePrice:"553.72998",day:66},{closePrice:"540.02002",day:67},{closePrice:"549.219971",day:68},{closePrice:"546.539978",day:69},{closePrice:"554.440002",day:70},{closePrice:"549.570007",day:71},{closePrice:"508.899994",day:72},{closePrice:"508.779999",day:73},{closePrice:"505.549988",day:74},{closePrice:"510.299988",day:75},{closePrice:"505.549988",day:76},{closePrice:"506.519989",day:77},{closePrice:"509",day:78},{closePrice:"513.469971",day:79},{closePrice:"509.109985",day:80},{closePrice:"503.179993",day:81},{closePrice:"496.079987",day:82},{closePrice:"499.549988",day:83},{closePrice:"503.839996",day:84},{closePrice:"486.690002",day:85},{closePrice:"495.079987",day:86},{closePrice:"484.980011",day:87},{closePrice:"486.660004",day:88},{closePrice:"493.369995",day:89},{closePrice:"488.940002",day:90},{closePrice:"486.279999",day:91},{closePrice:"487.700012",day:92},{closePrice:"501.670013",day:93},{closePrice:"497.890015",day:94},{closePrice:"502.899994",day:95},{closePrice:"501.339996",day:96},{closePrice:"502.359985",day:97},{closePrice:"503.859985",day:98},{closePrice:"502.809998",day:99},{closePrice:"499.079987",day:100},{closePrice:"499.23999",day:101},{closePrice:"489.429993",day:102},{closePrice:"494.73999",day:103},{closePrice:"494.660004",day:104},{closePrice:"492.390015",day:105},{closePrice:"485.809998",day:106},{closePrice:"487.269989",day:107},{closePrice:"488.769989",day:108},{closePrice:"499.890015",day:109},{closePrice:"491.899994",day:110},{closePrice:"492.410004",day:111},{closePrice:"498.339996",day:112},{closePrice:"500.769989",day:113},{closePrice:"497",day:114},{closePrice:"508.820007",day:115},{closePrice:"512.73999",day:116},{closePrice:"518.059998",day:117},{closePrice:"527.070007",day:118},{closePrice:"533.030029",day:119},{closePrice:"533.5",day:120},{closePrice:"528.210022",day:121},{closePrice:"533.539978",day:122},{closePrice:"533.97998",day:123},{closePrice:"541.640015",day:124},{closePrice:"535.960022",day:125},{closePrice:"530.76001",day:126},{closePrice:"535.97998",day:127},{closePrice:"537.309998",day:128},{closePrice:"540.679993",day:129},{closePrice:"547.950012",day:130},{closePrice:"542.950012",day:131},{closePrice:"530.309998",day:132},{closePrice:"532.280029",day:133},{closePrice:"531.049988",day:134},{closePrice:"513.630005",day:135},{closePrice:"511.769989",day:136},{closePrice:"515.409973",day:137},{closePrice:"516.48999",day:138},{closePrice:"518.909973",day:139},{closePrice:"519.299988",day:140},{closePrice:"514.25",day:141},{closePrice:"517.570007",day:142},{closePrice:"515.150024",day:143},{closePrice:"510.820007",day:144},{closePrice:"517.349976",day:145},{closePrice:"524.890015",day:146},{closePrice:"520.549988",day:147},{closePrice:"519.969971",day:148},{closePrice:"515.840027",day:149},{closePrice:"512.400024",day:150},{closePrice:"510.720001",day:151},{closePrice:"515.919983",day:152},{closePrice:"517.919983",day:153},{closePrice:"518.909973",day:154},{closePrice:"521.869995",day:155},{closePrice:"543.710022",day:156},{closePrice:"546.880005",day:157},{closePrice:"553.330017",day:158},{closePrice:"553.409973",day:159},{closePrice:"547.580017",day:160},{closePrice:"550.119995",day:161},{closePrice:"558.919983",day:162},{closePrice:"566.179993",day:163},{closePrice:"569.190002",day:164},{closePrice:"582.070007",day:165},{closePrice:"588.549988",day:166},{closePrice:"590.530029",day:167},{closePrice:"606.710022",day:168},{closePrice:"606.049988",day:169},{closePrice:"597.539978",day:170},{closePrice:"598.719971",day:171},{closePrice:"589.289978",day:172},{closePrice:"577.76001",day:173},{closePrice:"582.869995",day:174},{closePrice:"586.5",day:175},{closePrice:"589.349976",day:176},{closePrice:"575.429993",day:177},{closePrice:"573.140015",day:178},{closePrice:"590.650024",day:179},{closePrice:"593.26001",day:180},{closePrice:"592.390015",day:181},{closePrice:"592.640015",day:182},{closePrice:"583.849976",day:183},{closePrice:"599.059998",day:184},{closePrice:"610.340027",day:185},{closePrice:"613.150024",day:186},{closePrice:"603.349976",day:187},{closePrice:"634.809998",day:188},{closePrice:"639.099976",day:189},{closePrice:"631.849976",day:190},{closePrice:"632.659973",day:191},{closePrice:"627.039978",day:192},{closePrice:"624.940002",day:193},{closePrice:"629.76001",day:194},{closePrice:"633.799988",day:195},{closePrice:"628.289978",day:196},{closePrice:"637.969971",day:197},{closePrice:"639",day:198},{closePrice:"625.140015",day:199},{closePrice:"653.159973",day:200},{closePrice:"664.780029",day:201},{closePrice:"671.659973",day:202},{closePrice:"668.52002",day:203},{closePrice:"662.919983",day:204},{closePrice:"674.049988",day:205},{closePrice:"690.309998",day:206},{closePrice:"681.169983",day:207},{closePrice:"677.719971",day:208},{closePrice:"688.289978",day:209},{closePrice:"668.400024",day:210},{closePrice:"645.719971",day:211},{closePrice:"651.450012",day:212},{closePrice:"655.98999",day:213},{closePrice:"646.909973",day:214},{closePrice:"657.580017",day:215},{closePrice:"682.609985",day:216},{closePrice:"679.330017",day:217},{closePrice:"687.400024",day:218},{closePrice:"691.690002",day:219},{closePrice:"682.02002",day:220},{closePrice:"678.799988",day:221},{closePrice:"659.200012",day:222},{closePrice:"654.059998",day:223},{closePrice:"658.289978",day:224},{closePrice:"665.640015",day:225},{closePrice:"663.840027",day:226},{closePrice:"641.900024",day:227},{closePrice:"617.77002",day:228},{closePrice:"616.469971",day:229},{closePrice:"602.130005",day:230},{closePrice:"612.690002",day:231},{closePrice:"625.580017",day:232},{closePrice:"628.080017",day:233},{closePrice:"611",day:234},{closePrice:"611.659973",day:235},{closePrice:"604.559998",day:236},{closePrice:"597.98999",day:237},{closePrice:"605.039978",day:238},{closePrice:"591.059998",day:239},{closePrice:"586.72998",day:240},{closePrice:"593.73999",day:241},{closePrice:"604.919983",day:242},{closePrice:"614.23999",day:243},{closePrice:"614.090027",day:244},{closePrice:"613.119995",day:245},{closePrice:"610.710022",day:246},{closePrice:"610.539978",day:247},{closePrice:"612.090027",day:248},{closePrice:"602.440002",day:249},{closePrice:"597.369995",day:250},{closePrice:"591.150024",day:251},{closePrice:"567.52002",day:252},{closePrice:"553.289978",day:253},{closePrice:"541.059998",day:254},{closePrice:"539.849976",day:255},{closePrice:"540.840027",day:256},{closePrice:"537.219971",day:257},{closePrice:"519.200012",day:258},{closePrice:"525.690002",day:259},{closePrice:"510.799988",day:260},{closePrice:"515.859985",day:261},{closePrice:"508.25",day:262},{closePrice:"397.5",day:263},{closePrice:"387.149994",day:264},{closePrice:"366.420013",day:265},{closePrice:"359.700012",day:266},{closePrice:"386.700012",day:267},{closePrice:"384.359985",day:268},{closePrice:"427.140015",day:269},{closePrice:"457.130005",day:270},{closePrice:"429.480011",day:271},{closePrice:"405.600006",day:272},{closePrice:"410.170013",day:273},{closePrice:"402.100006",day:274},{closePrice:"403.529999",day:275},{closePrice:"412.890015",day:276},{closePrice:"406.269989",day:277},{closePrice:"391.309998",day:278},{closePrice:"396.570007",day:279},{closePrice:"407.459991",day:280},{closePrice:"398.079987",day:281},{closePrice:"386.670013",day:282},{closePrice:"391.290009",day:283},{closePrice:"377.380005",day:284},{closePrice:"367.459991",day:285},{closePrice:"390.029999",day:286},{closePrice:"390.799988",day:287},{closePrice:"394.519989",day:288},{closePrice:"386.23999",day:289},{closePrice:"380.029999",day:290},{closePrice:"368.070007",day:291},{closePrice:"361.730011",day:292},{closePrice:"350.26001",day:293},{closePrice:"341.76001",day:294},{closePrice:"358.790009",day:295},{closePrice:"356.769989",day:296},{closePrice:"340.320007",day:297},{closePrice:"331.01001",day:298},{closePrice:"343.75",day:299},{closePrice:"357.529999",day:300},{closePrice:"371.399994",day:301},{closePrice:"380.600006",day:302},{closePrice:"374.589996",day:303},{closePrice:"382.920013",day:304},{closePrice:"374.48999",day:305},{closePrice:"375.709991",day:306},{closePrice:"373.850006",day:307},{closePrice:"378.51001",day:308},{closePrice:"391.820007",day:309},{closePrice:"381.470001",day:310},{closePrice:"374.589996",day:311},{closePrice:"373.470001",day:312},{closePrice:"391.5",day:313},{closePrice:"380.149994",day:314},{closePrice:"368.350006",day:315},{closePrice:"362.149994",day:316},{closePrice:"355.880005",day:317},{closePrice:"348",day:318},{closePrice:"344.100006",day:319},{closePrice:"350.429993",day:320},{closePrice:"341.130005",day:321},{closePrice:"337.859985",day:322},{closePrice:"348.609985",day:323},{closePrice:"226.190002",day:324},{closePrice:"218.220001",day:325},{closePrice:"215.520004",day:326},{closePrice:"209.910004",day:327},{closePrice:"198.399994",day:328},{closePrice:"188.539993",day:329},{closePrice:"199.520004",day:330},{closePrice:"190.360001",day:331},{closePrice:"199.460007",day:332},{closePrice:"199.869995",day:333},{closePrice:"204.009995",day:334},{closePrice:"188.320007",day:335},{closePrice:"180.970001",day:336},{closePrice:"173.100006",day:337},{closePrice:"177.660004",day:338},{closePrice:"166.369995",day:339},{closePrice:"174.309998",day:340},{closePrice:"187.639999",day:341},{closePrice:"186.509995",day:342},{closePrice:"190.559998",day:343},{closePrice:"177.190002",day:344},{closePrice:"183.479996",day:345},{closePrice:"186.350006",day:346},{closePrice:"187.440002",day:347},{closePrice:"180.339996",day:348},{closePrice:"187.830002",day:349},{closePrice:"191.399994",day:350},{closePrice:"195.190002",day:351},{closePrice:"197.440002",day:352},{closePrice:"192.910004",day:353},{closePrice:"205.089996",day:354},{closePrice:"198.979996",day:355},{closePrice:"197.139999",day:356},{closePrice:"198.610001",day:357},{closePrice:"202.830002",day:358},{closePrice:"192.770004",day:359},{closePrice:"182.940002",day:360},{closePrice:"169.690002",day:361},{closePrice:"167.539993",day:362},{closePrice:"180.110001",day:363},{closePrice:"173.350006",day:364},{closePrice:"175.509995",day:365},{closePrice:"170.910004",day:366},{closePrice:"178.889999",day:367},{closePrice:"181.710007",day:368},{closePrice:"190.850006",day:369},{closePrice:"189.139999",day:370},{closePrice:"179.600006",day:371},{closePrice:"178.360001",day:372},{closePrice:"174.869995",day:373},{closePrice:"179.949997",day:374},{closePrice:"185.880005",day:375},{closePrice:"184.059998",day:376},{closePrice:"189.270004",day:377},{closePrice:"186.979996",day:378},{closePrice:"177.339996",day:379},{closePrice:"174.449997",day:380}],qa=[{ticker:"TURT"},{closePrice:"755.97998",day:1},{closePrice:"816.039978",day:2},{closePrice:"880.02002",day:3},{closePrice:"811.190002",day:4},{closePrice:"849.440002",day:5},{closePrice:"854.409973",day:6},{closePrice:"845",day:7},{closePrice:"826.159973",day:8},{closePrice:"844.549988",day:9},{closePrice:"850.450012",day:10},{closePrice:"844.98999",day:11},{closePrice:"846.640015",day:12},{closePrice:"880.799988",day:13},{closePrice:"883.090027",day:14},{closePrice:"864.159973",day:15},{closePrice:"835.429993",day:16},{closePrice:"793.530029",day:17},{closePrice:"839.809998",day:18},{closePrice:"872.789978",day:19},{closePrice:"854.690002",day:20},{closePrice:"849.98999",day:21},{closePrice:"852.22998",day:22},{closePrice:"863.419983",day:23},{closePrice:"849.460022",day:24},{closePrice:"804.820007",day:25},{closePrice:"811.659973",day:26},{closePrice:"816.119995",day:27},{closePrice:"796.219971",day:28},{closePrice:"798.150024",day:29},{closePrice:"787.380005",day:30},{closePrice:"781.299988",day:31},{closePrice:"714.5",day:32},{closePrice:"698.840027",day:33},{closePrice:"742.02002",day:34},{closePrice:"682.219971",day:35},{closePrice:"675.5",day:36},{closePrice:"718.429993",day:37},{closePrice:"686.440002",day:38},{closePrice:"653.200012",day:39},{closePrice:"621.440002",day:40},{closePrice:"597.950012",day:41},{closePrice:"563",day:42},{closePrice:"673.580017",day:43},{closePrice:"668.059998",day:44},{closePrice:"699.599976",day:45},{closePrice:"693.72998",day:46},{closePrice:"707.940002",day:47},{closePrice:"676.880005",day:48},{closePrice:"701.809998",day:49},{closePrice:"653.159973",day:50},{closePrice:"654.869995",day:51},{closePrice:"670",day:52},{closePrice:"662.159973",day:53},{closePrice:"630.27002",day:54},{closePrice:"640.390015",day:55},{closePrice:"618.710022",day:56},{closePrice:"611.289978",day:57},{closePrice:"635.619995",day:58},{closePrice:"667.929993",day:59},{closePrice:"661.75",day:60},{closePrice:"691.049988",day:61},{closePrice:"691.619995",day:62},{closePrice:"670.969971",day:63},{closePrice:"683.799988",day:64},{closePrice:"677.02002",day:65},{closePrice:"701.97998",day:66},{closePrice:"762.320007",day:67},{closePrice:"732.22998",day:68},{closePrice:"738.849976",day:69},{closePrice:"739.780029",day:70},{closePrice:"714.630005",day:71},{closePrice:"718.98999",day:72},{closePrice:"744.119995",day:73},{closePrice:"719.690002",day:74},{closePrice:"729.400024",day:75},{closePrice:"738.200012",day:76},{closePrice:"704.73999",day:77},{closePrice:"694.400024",day:78},{closePrice:"677",day:79},{closePrice:"709.440002",day:80},{closePrice:"684.900024",day:81},{closePrice:"673.599976",day:82},{closePrice:"670.940002",day:83},{closePrice:"663.539978",day:84},{closePrice:"672.369995",day:85},{closePrice:"629.039978",day:86},{closePrice:"617.200012",day:87},{closePrice:"589.890015",day:88},{closePrice:"571.690002",day:89},{closePrice:"589.73999",day:90},{closePrice:"576.830017",day:91},{closePrice:"577.869995",day:92},{closePrice:"563.460022",day:93},{closePrice:"586.780029",day:94},{closePrice:"580.880005",day:95},{closePrice:"606.440002",day:96},{closePrice:"604.690002",day:97},{closePrice:"619.130005",day:98},{closePrice:"630.849976",day:99},{closePrice:"625.219971",day:100},{closePrice:"623.900024",day:101},{closePrice:"605.119995",day:102},{closePrice:"572.840027",day:103},{closePrice:"599.049988",day:104},{closePrice:"605.130005",day:105},{closePrice:"603.590027",day:106},{closePrice:"598.780029",day:107},{closePrice:"610.119995",day:108},{closePrice:"609.890015",day:109},{closePrice:"617.690002",day:110},{closePrice:"599.359985",day:111},{closePrice:"604.869995",day:112},{closePrice:"616.599976",day:113},{closePrice:"623.309998",day:114},{closePrice:"620.830017",day:115},{closePrice:"623.710022",day:116},{closePrice:"656.570007",day:117},{closePrice:"679.820007",day:118},{closePrice:"671.869995",day:119},{closePrice:"688.719971",day:120},{closePrice:"680.76001",day:121},{closePrice:"679.700012",day:122},{closePrice:"677.919983",day:123},{closePrice:"678.900024",day:124},{closePrice:"659.580017",day:125},{closePrice:"644.650024",day:126},{closePrice:"652.809998",day:127},{closePrice:"656.950012",day:128},{closePrice:"685.700012",day:129},{closePrice:"668.539978",day:130},{closePrice:"653.380005",day:131},{closePrice:"650.599976",day:132},{closePrice:"644.219971",day:133},{closePrice:"646.219971",day:134},{closePrice:"660.5",day:135},{closePrice:"655.289978",day:136},{closePrice:"649.26001",day:137},{closePrice:"643.380005",day:138},{closePrice:"657.619995",day:139},{closePrice:"644.780029",day:140},{closePrice:"646.97998",day:141},{closePrice:"677.349976",day:142},{closePrice:"687.200012",day:143},{closePrice:"709.669983",day:144},{closePrice:"709.73999",day:145},{closePrice:"710.919983",day:146},{closePrice:"714.630005",day:147},{closePrice:"699.099976",day:148},{closePrice:"713.76001",day:149},{closePrice:"709.98999",day:150},{closePrice:"707.820007",day:151},{closePrice:"722.25",day:152},{closePrice:"717.169983",day:153},{closePrice:"686.169983",day:154},{closePrice:"665.710022",day:155},{closePrice:"688.98999",day:156},{closePrice:"673.469971",day:157},{closePrice:"680.26001",day:158},{closePrice:"706.299988",day:159},{closePrice:"708.48999",day:160},{closePrice:"711.200012",day:161},{closePrice:"701.159973",day:162},{closePrice:"711.919983",day:163},{closePrice:"730.909973",day:164},{closePrice:"735.719971",day:165},{closePrice:"734.090027",day:166},{closePrice:"732.390015",day:167},{closePrice:"733.570007",day:168},{closePrice:"752.919983",day:169},{closePrice:"753.869995",day:170},{closePrice:"754.859985",day:171},{closePrice:"736.27002",day:172},{closePrice:"743",day:173},{closePrice:"744.48999",day:174},{closePrice:"755.830017",day:175},{closePrice:"756.98999",day:176},{closePrice:"759.48999",day:177},{closePrice:"730.169983",day:178},{closePrice:"739.380005",day:179},{closePrice:"751.940002",day:180},{closePrice:"753.640015",day:181},{closePrice:"774.390015",day:182},{closePrice:"791.359985",day:183},{closePrice:"777.559998",day:184},{closePrice:"781.309998",day:185},{closePrice:"775.47998",day:186},{closePrice:"775.219971",day:187},{closePrice:"781.530029",day:188},{closePrice:"780.590027",day:189},{closePrice:"782.75",day:190},{closePrice:"793.609985",day:191},{closePrice:"785.48999",day:192},{closePrice:"791.940002",day:193},{closePrice:"805.719971",day:194},{closePrice:"811.080017",day:195},{closePrice:"818.320007",day:196},{closePrice:"843.030029",day:197},{closePrice:"870.109985",day:198},{closePrice:"864.27002",day:199},{closePrice:"865.799988",day:200},{closePrice:"894",day:201},{closePrice:"909.679993",day:202},{closePrice:"1024.859985",day:203},{closePrice:"1018.429993",day:204},{closePrice:"1037.859985",day:205},{closePrice:"1077.040039",day:206},{closePrice:"1114",day:207},{closePrice:"1208.589966",day:208},{closePrice:"1172",day:209},{closePrice:"1213.859985",day:210},{closePrice:"1229.910034",day:211},{closePrice:"1222.089966",day:212},{closePrice:"1162.939941",day:213},{closePrice:"1023.5",day:214},{closePrice:"1067.949951",day:215},{closePrice:"1063.51001",day:216},{closePrice:"1033.420044",day:217},{closePrice:"1013.390015",day:218},{closePrice:"1054.72998",day:219},{closePrice:"1089.01001",day:220},{closePrice:"1096.380005",day:221},{closePrice:"1137.060059",day:222},{closePrice:"1156.869995",day:223},{closePrice:"1109.030029",day:224},{closePrice:"1116",day:225},{closePrice:"1081.920044",day:226},{closePrice:"1136.98999",day:227},{closePrice:"1144.76001",day:228},{closePrice:"1095",day:229},{closePrice:"1084.599976",day:230},{closePrice:"1014.969971",day:231},{closePrice:"1009.01001",day:232},{closePrice:"1051.75",day:233},{closePrice:"1068.959961",day:234},{closePrice:"1003.799988",day:235},{closePrice:"1017.030029",day:236},{closePrice:"966.409973",day:237},{closePrice:"958.51001",day:238},{closePrice:"975.98999",day:239},{closePrice:"926.919983",day:240},{closePrice:"932.570007",day:241},{closePrice:"899.940002",day:242},{closePrice:"938.530029",day:243},{closePrice:"1008.869995",day:244},{closePrice:"1067",day:245},{closePrice:"1093.939941",day:246},{closePrice:"1088.469971",day:247},{closePrice:"1086.189941",day:248},{closePrice:"1070.339966",day:249},{closePrice:"1056.780029",day:250},{closePrice:"1199.780029",day:251},{closePrice:"1149.589966",day:252},{closePrice:"1088.119995",day:253},{closePrice:"1064.699951",day:254},{closePrice:"1026.959961",day:255},{closePrice:"1058.119995",day:256},{closePrice:"1064.400024",day:257},{closePrice:"1106.219971",day:258},{closePrice:"1031.560059",day:259},{closePrice:"1049.609985",day:260},{closePrice:"1030.51001",day:261},{closePrice:"995.650024",day:262},{closePrice:"996.27002",day:263},{closePrice:"943.900024",day:264},{closePrice:"930",day:265},{closePrice:"918.400024",day:266},{closePrice:"937.409973",day:267},{closePrice:"829.099976",day:268},{closePrice:"846.349976",day:269},{closePrice:"936.719971",day:270},{closePrice:"931.25",day:271},{closePrice:"905.659973",day:272},{closePrice:"891.140015",day:273},{closePrice:"923.320007",day:274},{closePrice:"907.340027",day:275},{closePrice:"922",day:276},{closePrice:"932",day:277},{closePrice:"904.549988",day:278},{closePrice:"860",day:279},{closePrice:"875.76001",day:280},{closePrice:"922.429993",day:281},{closePrice:"923.390015",day:282},{closePrice:"876.349976",day:283},{closePrice:"856.97998",day:284},{closePrice:"821.530029",day:285},{closePrice:"764.039978",day:286},{closePrice:"800.77002",day:287},{closePrice:"809.869995",day:288},{closePrice:"870.429993",day:289},{closePrice:"864.369995",day:290},{closePrice:"879.890015",day:291},{closePrice:"839.289978",day:292},{closePrice:"838.289978",day:293},{closePrice:"804.580017",day:294},{closePrice:"824.400024",day:295},{closePrice:"858.969971",day:296},{closePrice:"838.299988",day:297},{closePrice:"795.349976",day:298},{closePrice:"766.369995",day:299},{closePrice:"801.890015",day:300},{closePrice:"840.22998",day:301},{closePrice:"871.599976",day:302},{closePrice:"905.390015",day:303},{closePrice:"921.159973",day:304},{closePrice:"993.97998",day:305},{closePrice:"999.109985",day:306},{closePrice:"1013.919983",day:307},{closePrice:"1010.640015",day:308},{closePrice:"1091.839966",day:309},{closePrice:"1099.569946",day:310},{closePrice:"1093.98999",day:311},{closePrice:"1077.599976",day:312},{closePrice:"1084.589966",day:313},{closePrice:"1145.449951",day:314},{closePrice:"1091.26001",day:315},{closePrice:"1045.76001",day:316},{closePrice:"1057.26001",day:317},{closePrice:"1025.48999",day:318},{closePrice:"975.929993",day:319},{closePrice:"986.950012",day:320},{closePrice:"1022.369995",day:321},{closePrice:"985",day:322},{closePrice:"1004.289978",day:323},{closePrice:"1028.150024",day:324},{closePrice:"977.200012",day:325},{closePrice:"1008.780029",day:326},{closePrice:"1005.049988",day:327},{closePrice:"998.02002",day:328},{closePrice:"876.419983",day:329},{closePrice:"881.51001",day:330},{closePrice:"877.51001",day:331},{closePrice:"870.76001",day:332},{closePrice:"902.940002",day:333},{closePrice:"909.25",day:334},{closePrice:"952.619995",day:335},{closePrice:"873.280029",day:336},{closePrice:"865.650024",day:337},{closePrice:"787.109985",day:338},{closePrice:"800.039978",day:339},{closePrice:"734",day:340},{closePrice:"728",day:341},{closePrice:"769.590027",day:342},{closePrice:"724.369995",day:343},{closePrice:"761.609985",day:344},{closePrice:"709.809998",day:345},{closePrice:"709.419983",day:346},{closePrice:"663.900024",day:347},{closePrice:"674.900024",day:348},{closePrice:"628.159973",day:349},{closePrice:"658.799988",day:350},{closePrice:"707.72998",day:351},{closePrice:"759.630005",day:352},{closePrice:"758.26001",day:353},{closePrice:"740.369995",day:354},{closePrice:"775",day:355},{closePrice:"703.549988",day:356},{closePrice:"714.840027",day:357},{closePrice:"716.659973",day:358},{closePrice:"725.599976",day:359},{closePrice:"719.119995",day:360},{closePrice:"696.690002",day:361},{closePrice:"647.210022",day:362},{closePrice:"662.669983",day:363},{closePrice:"699",day:364},{closePrice:"639.299988",day:365},{closePrice:"650.280029",day:366},{closePrice:"711.109985",day:367},{closePrice:"708.26001",day:368},{closePrice:"705.210022",day:369},{closePrice:"737.119995",day:370},{closePrice:"734.76001",day:371},{closePrice:"697.98999",day:372},{closePrice:"685.469971",day:373},{closePrice:"673.419983",day:374},{closePrice:"681.789978",day:375},{closePrice:"699.200012",day:376},{closePrice:"695.200012",day:377},{closePrice:"733.630005",day:378},{closePrice:"752.289978",day:379},{closePrice:"703.030029",day:380}],Ya=[{ticker:"GIRA"},{closePrice:"86.764503",day:1},{closePrice:"89.362503",day:2},{closePrice:"90.360497",day:3},{closePrice:"88.335999",day:4},{closePrice:"87.327499",day:5},{closePrice:"87.720001",day:6},{closePrice:"87.009003",day:7},{closePrice:"86.809502",day:8},{closePrice:"89.542999",day:9},{closePrice:"94.345001",day:10},{closePrice:"94.5625",day:11},{closePrice:"95.052498",day:12},{closePrice:"94.970001",day:13},{closePrice:"95.862",day:14},{closePrice:"91.539497",day:15},{closePrice:"93.155502",day:16},{closePrice:"91.787003",day:17},{closePrice:"95.067497",day:18},{closePrice:"96.375504",day:19},{closePrice:"103.503502",day:20},{closePrice:"103.1185",day:21},{closePrice:"104.900002",day:22},{closePrice:"104.6455",day:23},{closePrice:"104.175499",day:24},{closePrice:"104.768997",day:25},{closePrice:"104.794502",day:26},{closePrice:"105.205498",day:27},{closePrice:"106.095001",day:28},{closePrice:"106.415497",day:29},{closePrice:"105.860001",day:30},{closePrice:"105.056999",day:31},{closePrice:"103.244003",day:32},{closePrice:"103.542999",day:33},{closePrice:"104.758499",day:34},{closePrice:"101.568001",day:35},{closePrice:"101.843002",day:36},{closePrice:"104.0755",day:37},{closePrice:"103.792",day:38},{closePrice:"101.335503",day:39},{closePrice:"102.454498",day:40},{closePrice:"105.427002",day:41},{closePrice:"101.208504",day:42},{closePrice:"102.635002",day:43},{closePrice:"102.751503",day:44},{closePrice:"105.738503",day:45},{closePrice:"103.096001",day:46},{closePrice:"103.324501",day:47},{closePrice:"104.625999",day:48},{closePrice:"104.554001",day:49},{closePrice:"101.810997",day:50},{closePrice:"102.160004",day:51},{closePrice:"101.929497",day:52},{closePrice:"102.648003",day:53},{closePrice:"102.252998",day:54},{closePrice:"102.218002",day:55},{closePrice:"101.777496",day:56},{closePrice:"102.797501",day:57},{closePrice:"102.777",day:58},{closePrice:"103.431503",day:59},{closePrice:"106.887497",day:60},{closePrice:"111.277496",day:61},{closePrice:"111.237503",day:62},{closePrice:"112.484001",day:63},{closePrice:"113.272003",day:64},{closePrice:"114.293999",day:65},{closePrice:"112.739502",day:66},{closePrice:"113.363503",day:67},{closePrice:"112.741997",day:68},{closePrice:"114.833",day:69},{closePrice:"114.888",day:70},{closePrice:"115.120003",day:71},{closePrice:"114.681503",day:72},{closePrice:"114.664497",day:73},{closePrice:"113.396004",day:74},{closePrice:"115.764999",day:75},{closePrice:"116.336998",day:76},{closePrice:"115.356003",day:77},{closePrice:"118.995499",day:78},{closePrice:"121.494499",day:79},{closePrice:"120.505997",day:80},{closePrice:"119.758499",day:81},{closePrice:"117.712502",day:82},{closePrice:"117.836998",day:83},{closePrice:"119.067497",day:84},{closePrice:"119.934502",day:85},{closePrice:"117.083",day:86},{closePrice:"115.438004",day:87},{closePrice:"111.954002",day:88},{closePrice:"113.098503",day:89},{closePrice:"115.807999",day:90},{closePrice:"116.070503",day:91},{closePrice:"115.171501",day:92},{closePrice:"115.435501",day:93},{closePrice:"117.804497",day:94},{closePrice:"117.254997",day:95},{closePrice:"120.333504",day:96},{closePrice:"120.453499",day:97},{closePrice:"121.676498",day:98},{closePrice:"120.125504",day:99},{closePrice:"120.578003",day:100},{closePrice:"121.490501",day:101},{closePrice:"121.064003",day:102},{closePrice:"120.230499",day:103},{closePrice:"122.587997",day:104},{closePrice:"123.304497",day:105},{closePrice:"124.142502",day:106},{closePrice:"124.57",day:107},{closePrice:"126.080002",day:108},{closePrice:"125.696503",day:109},{closePrice:"126.351997",day:110},{closePrice:"126.032997",day:111},{closePrice:"125.696503",day:112},{closePrice:"126.371002",day:113},{closePrice:"125.567497",day:114},{closePrice:"126.455002",day:115},{closePrice:"126.999496",day:116},{closePrice:"126.461502",day:117},{closePrice:"127.281998",day:118},{closePrice:"126.995003",day:119},{closePrice:"126.819504",day:120},{closePrice:"126.018501",day:121},{closePrice:"125.316002",day:122},{closePrice:"126.3685",day:123},{closePrice:"128.718994",day:124},{closePrice:"129.770996",day:125},{closePrice:"130.077499",day:126},{closePrice:"129.177002",day:127},{closePrice:"129.574493",day:128},{closePrice:"130.563995",day:129},{closePrice:"130.994507",day:130},{closePrice:"132.082504",day:131},{closePrice:"131.266495",day:132},{closePrice:"131.845505",day:133},{closePrice:"129.253998",day:134},{closePrice:"131.101501",day:135},{closePrice:"132.600494",day:136},{closePrice:"133.328506",day:137},{closePrice:"137.815994",day:138},{closePrice:"139.644501",day:139},{closePrice:"136.796494",day:140},{closePrice:"136.3815",day:141},{closePrice:"136.540497",day:142},{closePrice:"135.220993",day:143},{closePrice:"135.989502",day:144},{closePrice:"136.279999",day:145},{closePrice:"136.028503",day:146},{closePrice:"136.940002",day:147},{closePrice:"137.035995",day:148},{closePrice:"138.001999",day:149},{closePrice:"138.096497",day:150},{closePrice:"137.689499",day:151},{closePrice:"138.389496",day:152},{closePrice:"138.406006",day:153},{closePrice:"138.916",day:154},{closePrice:"137.300507",day:155},{closePrice:"136.570007",day:156},{closePrice:"136.913498",day:157},{closePrice:"138.436996",day:158},{closePrice:"141.099503",day:159},{closePrice:"142.398499",day:160},{closePrice:"142.949997",day:161},{closePrice:"142.123001",day:162},{closePrice:"144.550507",day:163},{closePrice:"145.469498",day:164},{closePrice:"145.462006",day:165},{closePrice:"145.841995",day:166},{closePrice:"144.218994",day:167},{closePrice:"144.774994",day:168},{closePrice:"145.518997",day:169},{closePrice:"144.883499",day:170},{closePrice:"144.913498",day:171},{closePrice:"141.921005",day:172},{closePrice:"143.464996",day:173},{closePrice:"143.406006",day:174},{closePrice:"145.205994",day:175},{closePrice:"144.373505",day:176},{closePrice:"141.463501",day:177},{closePrice:"139.016998",day:178},{closePrice:"139.6465",day:179},{closePrice:"140.938507",day:180},{closePrice:"141.826508",day:181},{closePrice:"142.632996",day:182},{closePrice:"141.501007",day:183},{closePrice:"136.184006",day:184},{closePrice:"134.520996",day:185},{closePrice:"133.265503",day:186},{closePrice:"136.462494",day:187},{closePrice:"133.764999",day:188},{closePrice:"136.177002",day:189},{closePrice:"137.354004",day:190},{closePrice:"139.185501",day:191},{closePrice:"140.056",day:192},{closePrice:"138.847504",day:193},{closePrice:"136.712997",day:194},{closePrice:"137.899994",day:195},{closePrice:"141.412003",day:196},{closePrice:"141.675003",day:197},{closePrice:"142.960495",day:198},{closePrice:"143.822006",day:199},{closePrice:"142.414993",day:200},{closePrice:"142.780502",day:201},{closePrice:"138.625",day:202},{closePrice:"138.772995",day:203},{closePrice:"139.671997",day:204},{closePrice:"146.427505",day:205},{closePrice:"146.128998",day:206},{closePrice:"148.270493",day:207},{closePrice:"143.774002",day:208},{closePrice:"145.863007",day:209},{closePrice:"146.789993",day:210},{closePrice:"148.682999",day:211},{closePrice:"149.240997",day:212},{closePrice:"149.351501",day:213},{closePrice:"149.248505",day:214},{closePrice:"146.626007",day:215},{closePrice:"146.748001",day:216},{closePrice:"149.645493",day:217},{closePrice:"149.388",day:218},{closePrice:"149.076004",day:219},{closePrice:"149.061996",day:220},{closePrice:"150.709",day:221},{closePrice:"149.952499",day:222},{closePrice:"147.078506",day:223},{closePrice:"146.757004",day:224},{closePrice:"146.717499",day:225},{closePrice:"142.806",day:226},{closePrice:"146.113998",day:227},{closePrice:"142.451996",day:228},{closePrice:"141.617996",day:229},{closePrice:"143.776505",day:230},{closePrice:"142.520493",day:231},{closePrice:"143.796494",day:232},{closePrice:"148.036499",day:233},{closePrice:"148.720505",day:234},{closePrice:"148.106003",day:235},{closePrice:"148.675003",day:236},{closePrice:"146.704498",day:237},{closePrice:"144.970505",day:238},{closePrice:"147.3685",day:239},{closePrice:"144.838501",day:240},{closePrice:"142.802994",day:241},{closePrice:"142.401505",day:242},{closePrice:"144.220505",day:243},{closePrice:"146.949005",day:244},{closePrice:"147.142502",day:245},{closePrice:"148.063995",day:246},{closePrice:"146.447998",day:247},{closePrice:"146.504501",day:248},{closePrice:"146.002502",day:249},{closePrice:"144.679504",day:250},{closePrice:"145.074493",day:251},{closePrice:"144.416504",day:252},{closePrice:"137.653503",day:253},{closePrice:"137.550995",day:254},{closePrice:"137.004501",day:255},{closePrice:"138.574005",day:256},{closePrice:"140.017502",day:257},{closePrice:"141.647995",day:258},{closePrice:"139.130997",day:259},{closePrice:"139.786499",day:260},{closePrice:"136.290497",day:261},{closePrice:"135.651993",day:262},{closePrice:"133.5065",day:263},{closePrice:"130.091995",day:264},{closePrice:"130.371994",day:265},{closePrice:"126.735497",day:266},{closePrice:"129.240005",day:267},{closePrice:"129.121002",day:268},{closePrice:"133.289505",day:269},{closePrice:"135.698502",day:270},{closePrice:"137.878494",day:271},{closePrice:"148.036499",day:272},{closePrice:"142.650497",day:273},{closePrice:"143.016006",day:274},{closePrice:"138.938004",day:275},{closePrice:"139.212997",day:276},{closePrice:"141.453003",day:277},{closePrice:"138.602493",day:278},{closePrice:"134.130005",day:279},{closePrice:"135.300003",day:280},{closePrice:"136.425507",day:281},{closePrice:"137.487503",day:282},{closePrice:"132.308502",day:283},{closePrice:"130.467499",day:284},{closePrice:"129.402496",day:285},{closePrice:"127.584999",day:286},{closePrice:"132.673492",day:287},{closePrice:"134.519501",day:288},{closePrice:"134.891006",day:289},{closePrice:"134.167999",day:290},{closePrice:"134.751495",day:291},{closePrice:"134.307999",day:292},{closePrice:"132.121994",day:293},{closePrice:"126.4645",day:294},{closePrice:"127.278503",day:295},{closePrice:"133.865997",day:296},{closePrice:"132.682007",day:297},{closePrice:"130.475494",day:298},{closePrice:"126.740997",day:299},{closePrice:"129.660507",day:300},{closePrice:"133.690506",day:301},{closePrice:"134.600494",day:302},{closePrice:"136.801498",day:303},{closePrice:"136.4785",day:304},{closePrice:"140.277496",day:305},{closePrice:"138.503494",day:306},{closePrice:"141.311996",day:307},{closePrice:"141.5215",day:308},{closePrice:"141.949997",day:309},{closePrice:"143.25",day:310},{closePrice:"142.644501",day:311},{closePrice:"139.649506",day:312},{closePrice:"140.699997",day:313},{closePrice:"143.642502",day:314},{closePrice:"141.063004",day:315},{closePrice:"137.175995",day:316},{closePrice:"136.464996",day:317},{closePrice:"134.010498",day:318},{closePrice:"129.796494",day:319},{closePrice:"128.374496",day:320},{closePrice:"130.285995",day:321},{closePrice:"127.252998",day:322},{closePrice:"127.960999",day:323},{closePrice:"130.531006",day:324},{closePrice:"128.245499",day:325},{closePrice:"124.9375",day:326},{closePrice:"119.613998",day:327},{closePrice:"123.25",day:328},{closePrice:"119.505997",day:329},{closePrice:"115.0205",day:330},{closePrice:"119.411499",day:331},{closePrice:"114.966499",day:332},{closePrice:"117.156998",day:333},{closePrice:"118.129501",day:334},{closePrice:"122.574997",day:335},{closePrice:"116.746498",day:336},{closePrice:"115.660004",day:337},{closePrice:"113.084",day:338},{closePrice:"114.584503",day:339},{closePrice:"113.960999",day:340},{closePrice:"113.161003",day:341},{closePrice:"116.515503",day:342},{closePrice:"114.792503",day:343},{closePrice:"116.7015",day:344},{closePrice:"112.401001",day:345},{closePrice:"110.745499",day:346},{closePrice:"109.313004",day:347},{closePrice:"111.666496",day:348},{closePrice:"105.926003",day:349},{closePrice:"105.8395",day:350},{closePrice:"108.295998",day:351},{closePrice:"112.799004",day:352},{closePrice:"114.039001",day:353},{closePrice:"114.137001",day:354},{closePrice:"117.746002",day:355},{closePrice:"114.564003",day:356},{closePrice:"117.010498",day:357},{closePrice:"117.2295",day:358},{closePrice:"117.237999",day:359},{closePrice:"114.917999",day:360},{closePrice:"111.427498",day:361},{closePrice:"106.876503",day:362},{closePrice:"107.194",day:363},{closePrice:"110.390503",day:364},{closePrice:"106.636002",day:365},{closePrice:"107.865501",day:366},{closePrice:"112.014999",day:367},{closePrice:"112.033997",day:368},{closePrice:"112.684502",day:369},{closePrice:"118.538002",day:370},{closePrice:"116.622498",day:371},{closePrice:"112.571503",day:372},{closePrice:"112.2565",day:373},{closePrice:"109.372498",day:374},{closePrice:"109.081001",day:375},{closePrice:"113.887001",day:376},{closePrice:"115.213501",day:377},{closePrice:"119.306",day:378},{closePrice:"120.168503",day:379},{closePrice:"116.522499",day:380}],Wa=[{ticker:"BUNY"},{closePrice:"212.25",day:1},{closePrice:"218.289993",day:2},{closePrice:"219.619995",day:3},{closePrice:"217.490005",day:4},{closePrice:"214.929993",day:5},{closePrice:"216.339996",day:6},{closePrice:"213.020004",day:7},{closePrice:"212.649994",day:8},{closePrice:"216.440002",day:9},{closePrice:"224.339996",day:10},{closePrice:"224.970001",day:11},{closePrice:"225.949997",day:12},{closePrice:"229.529999",day:13},{closePrice:"232.330002",day:14},{closePrice:"232.899994",day:15},{closePrice:"238.929993",day:16},{closePrice:"231.960007",day:17},{closePrice:"239.649994",day:18},{closePrice:"239.509995",day:19},{closePrice:"243",day:20},{closePrice:"242.009995",day:21},{closePrice:"242.199997",day:22},{closePrice:"242.470001",day:23},{closePrice:"243.770004",day:24},{closePrice:"242.820007",day:25},{closePrice:"244.490005",day:26},{closePrice:"244.990005",day:27},{closePrice:"243.699997",day:28},{closePrice:"244.199997",day:29},{closePrice:"243.789993",day:30},{closePrice:"240.970001",day:31},{closePrice:"234.509995",day:32},{closePrice:"233.270004",day:33},{closePrice:"234.550003",day:34},{closePrice:"228.990005",day:35},{closePrice:"232.380005",day:36},{closePrice:"236.940002",day:37},{closePrice:"233.869995",day:38},{closePrice:"227.559998",day:39},{closePrice:"226.729996",day:40},{closePrice:"231.600006",day:41},{closePrice:"227.389999",day:42},{closePrice:"233.779999",day:43},{closePrice:"232.419998",day:44},{closePrice:"237.130005",day:45},{closePrice:"235.75",day:46},{closePrice:"234.809998",day:47},{closePrice:"237.710007",day:48},{closePrice:"237.039993",day:49},{closePrice:"230.720001",day:50},{closePrice:"230.350006",day:51},{closePrice:"235.990005",day:52},{closePrice:"237.580002",day:53},{closePrice:"235.460007",day:54},{closePrice:"232.339996",day:55},{closePrice:"236.479996",day:56},{closePrice:"235.240005",day:57},{closePrice:"231.850006",day:58},{closePrice:"235.770004",day:59},{closePrice:"242.350006",day:60},{closePrice:"249.070007",day:61},{closePrice:"247.860001",day:62},{closePrice:"249.899994",day:63},{closePrice:"253.25",day:64},{closePrice:"255.850006",day:65},{closePrice:"255.910004",day:66},{closePrice:"258.48999",day:67},{closePrice:"255.589996",day:68},{closePrice:"259.5",day:69},{closePrice:"260.73999",day:70},{closePrice:"258.73999",day:71},{closePrice:"258.26001",day:72},{closePrice:"260.579987",day:73},{closePrice:"257.170013",day:74},{closePrice:"261.149994",day:75},{closePrice:"261.549988",day:76},{closePrice:"261.970001",day:77},{closePrice:"254.559998",day:78},{closePrice:"252.509995",day:79},{closePrice:"252.179993",day:80},{closePrice:"251.860001",day:81},{closePrice:"247.789993",day:82},{closePrice:"246.470001",day:83},{closePrice:"249.729996",day:84},{closePrice:"252.460007",day:85},{closePrice:"247.179993",day:86},{closePrice:"246.229996",day:87},{closePrice:"239",day:88},{closePrice:"243.029999",day:89},{closePrice:"248.149994",day:90},{closePrice:"245.179993",day:91},{closePrice:"243.080002",day:92},{closePrice:"243.119995",day:93},{closePrice:"246.479996",day:94},{closePrice:"245.169998",day:95},{closePrice:"250.779999",day:96},{closePrice:"251.720001",day:97},{closePrice:"251.490005",day:98},{closePrice:"249.309998",day:99},{closePrice:"249.679993",day:100},{closePrice:"247.399994",day:101},{closePrice:"247.300003",day:102},{closePrice:"245.710007",day:103},{closePrice:"250.789993",day:104},{closePrice:"253.809998",day:105},{closePrice:"252.570007",day:106},{closePrice:"253.589996",day:107},{closePrice:"257.23999",day:108},{closePrice:"257.890015",day:109},{closePrice:"259.890015",day:110},{closePrice:"258.359985",day:111},{closePrice:"257.380005",day:112},{closePrice:"260.899994",day:113},{closePrice:"259.429993",day:114},{closePrice:"262.630005",day:115},{closePrice:"265.51001",day:116},{closePrice:"265.269989",day:117},{closePrice:"266.690002",day:118},{closePrice:"265.019989",day:119},{closePrice:"268.720001",day:120},{closePrice:"271.399994",day:121},{closePrice:"270.899994",day:122},{closePrice:"271.600006",day:123},{closePrice:"277.649994",day:124},{closePrice:"277.660004",day:125},{closePrice:"279.929993",day:126},{closePrice:"277.420013",day:127},{closePrice:"277.940002",day:128},{closePrice:"277.320007",day:129},{closePrice:"280.980011",day:130},{closePrice:"282.51001",day:131},{closePrice:"281.029999",day:132},{closePrice:"280.75",day:133},{closePrice:"277.01001",day:134},{closePrice:"279.320007",day:135},{closePrice:"281.399994",day:136},{closePrice:"286.140015",day:137},{closePrice:"289.670013",day:138},{closePrice:"289.049988",day:139},{closePrice:"286.540009",day:140},{closePrice:"286.220001",day:141},{closePrice:"286.5",day:142},{closePrice:"284.910004",day:143},{closePrice:"284.820007",day:144},{closePrice:"287.119995",day:145},{closePrice:"286.51001",day:146},{closePrice:"289.519989",day:147},{closePrice:"289.459991",day:148},{closePrice:"288.329987",day:149},{closePrice:"286.440002",day:150},{closePrice:"286.950012",day:151},{closePrice:"289.809998",day:152},{closePrice:"292.850006",day:153},{closePrice:"294.600006",day:154},{closePrice:"293.079987",day:155},{closePrice:"290.730011",day:156},{closePrice:"296.769989",day:157},{closePrice:"304.359985",day:158},{closePrice:"304.649994",day:159},{closePrice:"302.619995",day:160},{closePrice:"302.01001",day:161},{closePrice:"299.089996",day:162},{closePrice:"299.720001",day:163},{closePrice:"303.589996",day:164},{closePrice:"301.880005",day:165},{closePrice:"301.829987",day:166},{closePrice:"301.149994",day:167},{closePrice:"301.140015",day:168},{closePrice:"300.179993",day:169},{closePrice:"300.209991",day:170},{closePrice:"297.25",day:171},{closePrice:"295.709991",day:172},{closePrice:"296.98999",day:173},{closePrice:"299.790009",day:174},{closePrice:"304.820007",day:175},{closePrice:"305.220001",day:176},{closePrice:"299.869995",day:177},{closePrice:"294.299988",day:178},{closePrice:"294.799988",day:179},{closePrice:"298.579987",day:180},{closePrice:"299.559998",day:181},{closePrice:"299.350006",day:182},{closePrice:"294.170013",day:183},{closePrice:"283.519989",day:184},{closePrice:"284",day:185},{closePrice:"281.920013",day:186},{closePrice:"289.100006",day:187},{closePrice:"283.109985",day:188},{closePrice:"288.76001",day:189},{closePrice:"293.109985",day:190},{closePrice:"294.850006",day:191},{closePrice:"294.850006",day:192},{closePrice:"294.230011",day:193},{closePrice:"292.880005",day:194},{closePrice:"296.309998",day:195},{closePrice:"302.75",day:196},{closePrice:"304.209991",day:197},{closePrice:"307.290009",day:198},{closePrice:"308.230011",day:199},{closePrice:"307.410004",day:200},{closePrice:"310.76001",day:201},{closePrice:"309.160004",day:202},{closePrice:"308.130005",day:203},{closePrice:"310.109985",day:204},{closePrice:"323.170013",day:205},{closePrice:"324.350006",day:206},{closePrice:"331.619995",day:207},{closePrice:"329.369995",day:208},{closePrice:"333.130005",day:209},{closePrice:"334",day:210},{closePrice:"336.440002",day:211},{closePrice:"336.059998",day:212},{closePrice:"336.98999",day:213},{closePrice:"335.950012",day:214},{closePrice:"330.799988",day:215},{closePrice:"332.429993",day:216},{closePrice:"336.720001",day:217},{closePrice:"336.070007",day:218},{closePrice:"339.51001",day:219},{closePrice:"339.119995",day:220},{closePrice:"341.269989",day:221},{closePrice:"343.109985",day:222},{closePrice:"339.829987",day:223},{closePrice:"337.679993",day:224},{closePrice:"337.910004",day:225},{closePrice:"329.679993",day:226},{closePrice:"336.630005",day:227},{closePrice:"330.589996",day:228},{closePrice:"330.079987",day:229},{closePrice:"329.48999",day:230},{closePrice:"323.01001",day:231},{closePrice:"326.190002",day:232},{closePrice:"334.920013",day:233},{closePrice:"334.970001",day:234},{closePrice:"333.100006",day:235},{closePrice:"342.540009",day:236},{closePrice:"339.399994",day:237},{closePrice:"328.339996",day:238},{closePrice:"334.649994",day:239},{closePrice:"324.899994",day:240},{closePrice:"323.799988",day:241},{closePrice:"319.910004",day:242},{closePrice:"327.290009",day:243},{closePrice:"333.200012",day:244},{closePrice:"334.690002",day:245},{closePrice:"342.450012",day:246},{closePrice:"341.25",day:247},{closePrice:"341.950012",day:248},{closePrice:"339.320007",day:249},{closePrice:"336.320007",day:250},{closePrice:"334.75",day:251},{closePrice:"329.01001",day:252},{closePrice:"316.380005",day:253},{closePrice:"313.880005",day:254},{closePrice:"314.040009",day:255},{closePrice:"314.269989",day:256},{closePrice:"314.980011",day:257},{closePrice:"318.269989",day:258},{closePrice:"304.799988",day:259},{closePrice:"310.200012",day:260},{closePrice:"302.649994",day:261},{closePrice:"303.329987",day:262},{closePrice:"301.600006",day:263},{closePrice:"296.029999",day:264},{closePrice:"296.369995",day:265},{closePrice:"288.48999",day:266},{closePrice:"296.709991",day:267},{closePrice:"299.839996",day:268},{closePrice:"308.26001",day:269},{closePrice:"310.980011",day:270},{closePrice:"308.76001",day:271},{closePrice:"313.459991",day:272},{closePrice:"301.25",day:273},{closePrice:"305.940002",day:274},{closePrice:"300.950012",day:275},{closePrice:"304.559998",day:276},{closePrice:"311.209991",day:277},{closePrice:"302.380005",day:278},{closePrice:"295.040009",day:279},{closePrice:"295",day:280},{closePrice:"300.470001",day:281},{closePrice:"299.5",day:282},{closePrice:"290.730011",day:283},{closePrice:"287.929993",day:284},{closePrice:"287.720001",day:285},{closePrice:"280.269989",day:286},{closePrice:"294.589996",day:287},{closePrice:"297.309998",day:288},{closePrice:"298.790009",day:289},{closePrice:"294.950012",day:290},{closePrice:"300.190002",day:291},{closePrice:"295.920013",day:292},{closePrice:"289.859985",day:293},{closePrice:"278.910004",day:294},{closePrice:"275.850006",day:295},{closePrice:"288.5",day:296},{closePrice:"285.589996",day:297},{closePrice:"280.070007",day:298},{closePrice:"276.440002",day:299},{closePrice:"287.149994",day:300},{closePrice:"294.390015",day:301},{closePrice:"295.220001",day:302},{closePrice:"300.429993",day:303},{closePrice:"299.160004",day:304},{closePrice:"304.059998",day:305},{closePrice:"299.48999",day:306},{closePrice:"304.100006",day:307},{closePrice:"303.679993",day:308},{closePrice:"310.700012",day:309},{closePrice:"315.410004",day:310},{closePrice:"313.859985",day:311},{closePrice:"308.309998",day:312},{closePrice:"309.420013",day:313},{closePrice:"314.970001",day:314},{closePrice:"310.880005",day:315},{closePrice:"299.5",day:316},{closePrice:"301.369995",day:317},{closePrice:"296.970001",day:318},{closePrice:"285.26001",day:319},{closePrice:"282.059998",day:320},{closePrice:"287.619995",day:321},{closePrice:"279.829987",day:322},{closePrice:"280.519989",day:323},{closePrice:"285.299988",day:324},{closePrice:"286.359985",day:325},{closePrice:"280.809998",day:326},{closePrice:"274.029999",day:327},{closePrice:"280.720001",day:328},{closePrice:"270.220001",day:329},{closePrice:"283.220001",day:330},{closePrice:"289.630005",day:331},{closePrice:"277.519989",day:332},{closePrice:"284.470001",day:333},{closePrice:"281.779999",day:334},{closePrice:"289.980011",day:335},{closePrice:"277.350006",day:336},{closePrice:"274.730011",day:337},{closePrice:"264.579987",day:338},{closePrice:"269.5",day:339},{closePrice:"260.549988",day:340},{closePrice:"255.350006",day:341},{closePrice:"261.119995",day:342},{closePrice:"261.5",day:343},{closePrice:"266.820007",day:344},{closePrice:"254.080002",day:345},{closePrice:"253.139999",day:346},{closePrice:"252.559998",day:347},{closePrice:"260.649994",day:348},{closePrice:"259.619995",day:349},{closePrice:"262.519989",day:350},{closePrice:"265.899994",day:351},{closePrice:"273.23999",day:352},{closePrice:"271.869995",day:353},{closePrice:"272.420013",day:354},{closePrice:"274.579987",day:355},{closePrice:"270.019989",day:356},{closePrice:"268.75",day:357},{closePrice:"272.5",day:358},{closePrice:"270.410004",day:359},{closePrice:"264.790009",day:360},{closePrice:"252.990005",day:361},{closePrice:"242.259995",day:362},{closePrice:"244.490005",day:363},{closePrice:"251.759995",day:364},{closePrice:"244.970001",day:365},{closePrice:"247.649994",day:366},{closePrice:"253.740005",day:367},{closePrice:"253.130005",day:368},{closePrice:"258.859985",day:369},{closePrice:"267.700012",day:370},{closePrice:"264.890015",day:371},{closePrice:"256.480011",day:372},{closePrice:"260.26001",day:373},{closePrice:"256.829987",day:374},{closePrice:"259.579987",day:375},{closePrice:"262.850006",day:376},{closePrice:"266.209991",day:377},{closePrice:"268.399994",day:378},{closePrice:"267.660004",day:379},{closePrice:"264.51001",day:380}];let za=0;const La=[{id:za++,name:"Crocodile Inc.",ticker:"CROC"},{id:za++,name:"Sloth Entertainment",ticker:"SLTH"},{id:za++,name:"Turtle",ticker:"TURT"},{id:za++,name:"Giraffe Inc.",ticker:"GIRA"},{id:za++,name:"Bunny Corp.",ticker:"BUNY"}],Ga=[{id:0,day:"0",ticker:"TURT",headline:"Push to EV bill has been rejected",description:"The push to EV has been rejected by senators in the government, this comes as a shock to the original stance of the government. EV companies are facing the heat with many of them relying on subsidaries.",source:"Primetime news",credibility:"5",analyst_opinion:"-"},{id:1,day:"0",ticker:"TURT",headline:"CEO confirms EV subsidies not needed",description:"CEO confirms subsidies are not required to hit the market for the company. Ensures this will not affect the company over the long term. ",source:"CEO press conference",credibility:"3",analyst_opinion:"-"},{id:2,day:"0",ticker:"TURT",headline:"EV stocks crumble",description:"EV stocks from various car companies are seen tumbling with the bill being rejected. Companies are facing hard time trying to convince customers about their alternative plans.",source:"Stock market",credibility:"5",analyst_opinion:"-"},{id:3,day:"0",ticker:"TURT",headline:"Record sales by car manufacturer",description:"Car manufacturer reported record sales of their cars. Analyst advises caution advised as this is a smaller number compared to other larger car manufacturers.",source:"Primetime news",credibility:"5",analyst_opinion:"-"},{id:4,day:"1",ticker:"TURT",headline:"CEO sells stocks to pay his tax.",description:"CEO continues to vent his frustration for being overly taxed. Confirms he will not sell anymore as he's cleared all the taxes. Plans to move his company away to a different location. ",source:"Primetime news",credibility:"3",analyst_opinion:"-"},{id:5,day:"5",ticker:"TURT",headline:"Car recall over defect",description:"Over 500k cars have been recalled as a manufacturing defect has been identified. ",source:"Reputed blog",credibility:"4",analyst_opinion:""},{id:6,day:"10",ticker:"TURT",headline:"Nickel found for battery!",description:"A landmark deal to boost battery production and help overcome the supply shortage that has ravaged the market for months now. Nickel helps make the batteries that EVs run on.",source:"News article",credibility:"3",analyst_opinion:"-"},{id:7,day:"15",ticker:"TURT",headline:"Where is the promised car?",description:"Friend rants about how he hasn't received a date for the car he had placed an order for. News articles also talk about a possible production delay (2nd delay) ",source:"News and social media",credibility:"3",analyst_opinion:"-"},{id:8,day:"21",ticker:"TURT",headline:"CEO talks about supple chain woes",description:"CEO spoke about delay in production of the new cars. Confirms factories are running below capacity, but records show that the company's revenue is still growing.",source:"CEO interview",credibility:"4",analyst_opinion:"-"},{id:9,day:"42",ticker:"TURT",headline:"Favorite celebrity buys a car",description:"A famous celebrity shows off his new car on Twitter, claims it's the best car in the world and everyone should get one as soon as possible.",source:"Social media",credibility:"1",analyst_opinion:"-"},{id:10,day:"60",ticker:"TURT",headline:"New factories setup",description:"Factories are being setup in multiple countries to boost production. CEO calls it the beginning of good time for production.",source:"CEO interview",credibility:"4",analyst_opinion:"-"},{id:11,day:"70",ticker:"TURT",headline:"Export boost reported",description:"Production numbers in the rise as cars from a country flood the country confirns a reputed source. CEO claims this will be touted as the next production hub.",source:"News article",credibility:"5",analyst_opinion:"-"},{id:12,day:"84",ticker:"TURT",headline:"Advice from a friend",description:"A friend claims he knows a person who works in Tesla very well, says the stock is going to tank soon and advises you to sell.",source:"Friend advice",credibility:"2",analyst_opinion:"-"},{id:13,day:"92",ticker:"TURT",headline:"No stopping the surge",description:"News report claim the stocks are surging and will continue to do so for the next couple of months. All factories are working to their maximum capacity with new ones coming up soon.",source:"News article",credibility:"5",analyst_opinion:"-"},{id:14,day:"94",ticker:"TURT",headline:"Production factory issues?",description:"One of the biggest factories are reporting unexpected civic unrest in the country, forcing factories to be closed for an undetermined time.",source:"News article",credibility:"5",analyst_opinion:"-"},{id:15,day:"103",ticker:"TURT",headline:"Company racing past production goals",description:"The company continues to race past production goals, with it's working factories. There is an uptick with car sales and delivery. ",source:"News article",credibility:"4",analyst_opinion:"-"},{id:16,day:"109",ticker:"TURT",headline:"CEO's social media rant",description:"The CEO goes on a social media rant claiming that he's being targetted by governments. Says the main reason for the company suffering is the absence of ease in governance.",source:"Social media",credibility:"3",analyst_opinion:"-"},{id:17,day:"112",ticker:"TURT",headline:"Troubling times ahead?",description:"Industries across the world slows down as a global material looms, several factors such as economy, health and governanace. ",source:"News ",credibility:"5",analyst_opinion:"-"},{id:18,day:"115",ticker:"TURT",headline:"Hiring freeze",description:"Several companies are freezing hiring as companies believe the market is heading towards a recession.",source:"News",credibility:"5",analyst_opinion:"-"},{id:19,day:"117",ticker:"TURT",headline:"CEO plans on acquisitions",description:"CEO hints on possible acquisitions on social media.",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:20,day:"119",ticker:"TURT",headline:"Notification from a friend",description:"A friend claims he got a job at the company. Would this mean the hiring is back to normal?",source:"Friend advice",credibility:"2",analyst_opinion:"-"},{id:21,day:"120",ticker:"TURT",headline:"Deliveries stalled once again",description:"Car deliveries have been stalled once again due to labour shortages",source:"News article",credibility:"4",analyst_opinion:"-"},{id:22,day:"0",ticker:"CROC",headline:"Crocodile almost loses its throne ",description:"Crocodile first took over from Bunny as the world's most valuable tech company in 2015, and there has been years of toing and froing between the two as each has raced to out-innovate the other and be the most valuable company on Wall Street. However, Crocodile is investing more heavily in saving the world they have pledge to have a fully cabon neutral supply chain by 2030",source:"Prime news",credibility:"4",analyst_opinion:"-"},{id:23,day:"0",ticker:"CROC",headline:"President Biden's rigth to repair order ",description:"Biden signed a sweeping executive order (EO) directing a multitude of federal agencies to promote additional competition in the U.S. economy. One such directive encourages the Federal Trade Commission (FTC) to enact additional regulations that prohibit manufacturer policies barring the repair of equipment and devices by individuals and independent repair shops.",source:"News ",credibility:"3",analyst_opinion:"-"},{id:24,day:"0",ticker:"CROC",headline:"Crocodile ups the ante",description:"Crocodile wins last minute reprieve from App Store changes while 'Fortnite' appeal play out. The lowe court did not find that Crocodile violated any antitrust laws.",source:"Reuters",credibility:"5",analyst_opinion:"-"},{id:25,day:"0",ticker:"CROC",headline:"Jerry Gomez Leaves Crocodile",description:"With top executives leaving the most traditional Silicon Valley business, Crocodile is suffering another lost as Gomez, its VP Marcom Intergration, who is departing from the company after a liitlw more then two years in this role. ",source:"9To5Mac",credibility:"3",analyst_opinion:"-"},{id:26,day:"1",ticker:"CROC",headline:"The first member if the $3tn Club ",description:"Crocodile became the first US company to be valued at over $3tn on as the tech company continued its phenomenal share price growth, tripling in value in under four years.",source:"The Guardian ",credibility:"4",analyst_opinion:"-"},{id:27,day:"13",ticker:"CROC",headline:"What We should all be buying? ",description:"Crocodile is the best think to by no mattre what! Think abou it is the only Tech company that everyone goes crazy about everytime they are releasing a new product.",source:"twitter ",credibility:"1",analyst_opinion:"-"},{id:28,day:"18",ticker:"CROC",headline:"Crocodile vs Netherland ",description:"Crocodile is no stranger to antitrust cases. Which mean that it refers to the regulation of th cinceentration of economic power, particulary in regarding to monopolies. According to history thy are strarting to become faiirly familiar wiith lossing them as well, most resently in Netherlands, allowing Dutch datiing apps to offer non-Crocodile payment optioins. ",source:"News ",credibility:"3",analyst_opinion:"-"},{id:29,day:"28",ticker:"CROC",headline:"Crocodile Sweet Quarter ",description:"Crocodile has a double edge in China which makes up one-fifth of its sales. US sanctions helped Crocodile gain market share in China because they blocked Chincese competitors form getting key componetws and softwate for phones. ",source:"snapchat ",credibility:"2",analyst_opinion:"-"},{id:30,day:"34",ticker:"CROC",headline:"Regulators close in on App Store",description:"the competition bill regulators and politicians ramp up thir scrutint of the growiing industry. In addtiion the senate is hoping that the the Open App Markets Act will target the commission. This bill was passes despite Crocodile's urge for it to be dismissed given how much revenue it'll wipe away. ",source:"twitter ",credibility:"3",analyst_opinion:"-"},{id:31,day:"41",ticker:"CROC",headline:"Crocodile and Crypto?",description:"the news crypto feature, alloews user to for the tap to pay, which creates a contackless payment systeem and after Covid that’s all we want. It is important to also note that crypto enthusiasts want Web3 to take control away from Big Tech.",source:"News ",credibility:"3",analyst_opinion:"-"},{id:32,day:"48",ticker:"CROC",headline:"People want Jose to get Cooked ",description:"Crocodile CEO faces a shareholder revolt over his massive pay package. Her resives $99m pay abd bonuses package. This means that the massive jump of 14.8m he got in 2020. this indicates that severeal sharehoolder are making themselves heard across the tech industry. ",source:"News ",credibility:"2",analyst_opinion:"-"},{id:33,day:"67",ticker:"CROC",headline:"Crocodile releases some sparkly new stuff",description:"THE SHOCK MOVED DOWN. 1.17% this could be because there is pressure on big tech stocks atm as Russia destabizes global markets. Thanks for nothing Russia ",source:"Magazine",credibility:"1",analyst_opinion:"-"},{id:34,day:"71",ticker:"CROC",headline:"Foxconn bites into Crocodile’s production targets",description:'China\'s new covid suge force tech giants to shut down their local operations. The Bank of America analysts are cautions about "prolongued supply impact". However it has not cut any current quarter estimates, though investors were less forgiving and sent the stock down 2.66% to its lowest price. ',source:"News ",credibility:"5",analyst_opinion:"-"},{id:35,day:"80",ticker:"CROC",headline:"Crocodile Shares the Fruit basket",description:"New product coming out as Crocodile hints at a UK Crocodile Card on the way with its latest credut rating tech purchase. It is imporatnt to note that Credit Kudos helps lenders make better informed decisions by tracking banking data. ",source:"news ",credibility:"3",analyst_opinion:"-"},{id:36,day:"85",ticker:"CROC",headline:"Crocodile refines its protfolio ",description:"WE ARENT TOO KEEN ON THE CROC-PHONE SE ANYMORE. Which is probably why Crocodile is cutting its CROC-PHONE SE outout by 20% in the next quarter as the model receiives weaker-than expected demans in China. Also Electronics demand is taking a hit in the face of the Ukraine war.",source:"YouTube",credibility:"3",analyst_opinion:"-"},{id:37,day:"96",ticker:"CROC",headline:"Is Crocodile losing its Crunch?",description:"the CFO, has just stated that the supply constraints are waiting to bite into its balance sheet. Since there are several challenges ahead, with inflation. Covid in China means production shut downs, and supply constraints are here tp stay- all which could hurt sales by as much as $8bn. ",source:"news ",credibility:"4",analyst_opinion:"-"},{id:38,day:"100",ticker:"CROC",headline:"The Faang gang is down ",description:"Crocodile has lost its title as world's most valuable company. Even, with a down of over 20% Crocodile is still the most valuable company in the USA. Many people are wondering what this could really mean for the market in the long run? ",source:"News ",credibility:"3",analyst_opinion:"-"},{id:39,day:"108",ticker:"CROC",headline:"Time to Edit ",description:"Its about time that Crocodile gives a edit feature that includes on undo send as well as mark as unread. Even with all of this releases, the stock remained flat, which worries people since its down 20% compare to this time last year. ",source:"twitter ",credibility:"2",analyst_opinion:"-"},{id:40,day:"110",ticker:"CROC",headline:"what is going on with the market right now?",description:"Crocodile keep going down should we start to get worry or should Sell! Everything. Crocodile needs to start to let its invester know why sell are also down. No Way that they are still struggling form COVID!",source:"YouTube",credibility:"1",analyst_opinion:"-"},{id:41,day:"118",ticker:"CROC",headline:"Think have turn to the better!",description:"it is about time that the stock for Crocodile has started to go up. Many people belive that Crocodile is turning around and making a come back form how it was it has been. I would jugest everyone too BUY!",source:"twitter ",credibility:"2",analyst_opinion:"-"},{id:42,day:"120",ticker:"CROC",headline:"Crocodile and cars",description:"since 2000, Crocodile has filed for and publiish a total of 248 automobiile related patents. It is important to noter that this inclues: self-driving technology, riding comfort, seat, suspeensions, navigariooin, battery management, vehicle-to-everything coonnectivity for car to car communication.",source:"news ",credibility:"3",analyst_opinion:"-"},{id:43,day:"0",ticker:"GIRA",headline:"Giraffe third quarter results",description:"Coconut's and Yam's advertising revenues have increased significantly from last year. However, Yam's advertising revenue was less than its expected goal. Coconut Cloud's revenue was also less than its expected goal.",source:"News",credibility:"4",analyst_opinion:"-"},{id:44,day:"0",ticker:"GIRA",headline:"Notification from a friend",description:"Your friend advises you to invest in Giraffe, claiming that it is one of the safest bets in the market.",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:45,day:"3",ticker:"GIRA",headline:"Several states file complaints against Giraffe",description:"Several states have filed complaints against Giraffe, accusing Giraffe of abusing its monopoly power",source:"News",credibility:"4",analyst_opinion:"-"},{id:46,day:"3",ticker:"GIRA",headline:"Bobby Smith invests in over 5000 shares of Giraffe",description:"Popular celebrity Bobby Smith invested in over 5000 shares of Giraffe",source:"News",credibility:"2",analyst_opinion:"-"},{id:47,day:"6",ticker:"GIRA",headline:"Coconut spends over $500 million on cybersecurity",description:"Coconut's latest purchase of $500 million is for improving the cybersecurity of its Cloud",source:"News",credibility:"5",analyst_opinion:"-"},{id:48,day:"15",ticker:"GIRA",headline:"Coconut reveals its first public blockchain project",description:"Coconut joins the other social media platforms in moving towards crypto. Coconut revealed its first public blockchain project, as well as its blockchain team.",source:"News",credibility:"4",analyst_opinion:"-"},{id:49,day:"15",ticker:"GIRA",headline:"A post on social media",description:"Ex-Coconut CEO Mary Johnson posted on social media, stating that they started investing in crypto",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:50,day:"15",ticker:"GIRA",headline:"Ex-Coconut CEO Mary Johnson gets involved with the company's first public blockchain project",description:"Mary Johnson, Coconut's previous CEO, has joined the blockchain project as a strategic advisor",source:"News",credibility:"3",analyst_opinion:"-"},{id:51,day:"21",ticker:"GIRA",headline:"Giraffe's self driving car, Almond, fights against competition",description:"Almond filed a lawsuit against the DMV, trying to hide its self-driving accidents from the public eye. Almond refuses to share its safety protocols, arguing that it would be a disavantage in the competitive market.",source:"News",credibility:"4",analyst_opinion:"-"},{id:52,day:"21",ticker:"GIRA",headline:"A post on social media",description:"A user posted on social media, claiming that self-driving cars are the future.",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:53,day:"21",ticker:"GIRA",headline:"A post on social media",description:"A user posted on social media, claiming that Almond's testers are required to sign nondisclosure agreements. The user also claims that self-driving cars are not reliable, and that there are more self-driving accidents than companies reveal.",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:54,day:"21",ticker:"GIRA",headline:"Giraffe announces a stock split",description:"Giraffe announces a stock split, increasing the availability of its shares",source:"News",credibility:"5",analyst_opinion:"-"},{id:55,day:"21",ticker:"GIRA",headline:"A notification from a friend",description:"Your friend advises you to invest in Giraffe because of the stock split",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:56,day:"21",ticker:"GIRA",headline:"A notification from a friend",description:"Your friend advises you to invest in Giraffe before the stock split",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:57,day:"42",ticker:"GIRA",headline:"Coconut purchases cybersecurity company Acorn",description:"Coconut spent 5 billion dollars on cybersecurity company Acorn. Acorn is one of Giraffe's biggest acquisitions ever.",source:"News",credibility:"5",analyst_opinion:"-"},{id:58,day:"57",ticker:"GIRA",headline:"Almond is ready to hit the road",description:"After years of development and testing, Almond is ready to hit the road. ",source:"News",credibility:"3",analyst_opinion:"-"},{id:59,day:"72",ticker:"GIRA",headline:"Giraffe's stock plummets",description:"Giraffe's stock prices are plummeting.",source:"News",credibility:"3",analyst_opinion:"-"},{id:60,day:"72",ticker:"GIRA",headline:"A post on social media",description:"The CEO of Giraffe posts on social media, claiming that the stock's under performance is not their fault. Ad spending had to be decreased because of another war in another country.",source:"Interview",credibility:"4",analyst_opinion:"-"},{id:61,day:"81",ticker:"GIRA",headline:"Coconut reveals its new products",description:"Coconut is working on releasing the Mango Watch, the Mango 9 smartphone, and the Mango Pro earbuds.",source:"News",credibility:"",analyst_opinion:"-"},{id:62,day:"111",ticker:"GIRA",headline:"Giraffe's stocks are going to split soon",description:"Giraffe's stocks are going to split soon. Investors will receive additional shares per share they own.",source:"News",credibility:"4",analyst_opinion:"-"},{id:63,day:"114",ticker:"GIRA",headline:"Giraffe reduces hiring",description:"Giraffe is reducing hiring due to inflation and war",source:"News",credibility:"4",analyst_opinion:"-"},{id:64,day:"117",ticker:"GIRA",headline:"A notification from a friend",description:"A friend who works at Google expresses their fears of lay-offs",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:65,day:"0",ticker:"BUNY",headline:"Bunny stock prices approach all-time high",description:"Bunny's stock prices are quickly approaching the all-time high stock price that it recently achieved",source:"News",credibility:"3",analyst_opinion:"-"},{id:66,day:"0",ticker:"BUNY",headline:"Antitrust officials target Bunny",description:"Antitrust officials are investigating Bunny's acquisition of Carrot, a speech-to-text software.",source:"News",credibility:"4",analyst_opinion:"-"},{id:67,day:"0",ticker:"BUNY",headline:"A post on social media",description:"A user posts on social media, claiming that Bunny's true all-time high is soon to come",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:68,day:"9",ticker:"BUNY",headline:"Bunny is developing its in-house chip",description:"Bunny recently hired one of the top semiconductor engineers to help develop its in-house Arm-based chip.",source:"News",credibility:"4",analyst_opinion:"-"},{id:69,day:"12",ticker:"BUNY",headline:"Bunny and Alpaca strike Lettuce deal",description:"Bunny and Alpaca strike a deal, agreeing to integrate the Lettuce video conferencing software in Alpaca's products",source:"News",credibility:"4",analyst_opinion:"-"},{id:70,day:"18",ticker:"BUNY",headline:"Bunny sales top $50 billion",description:"Bunny's sales topped $50 billion for the first time. However, the revenue for Bunny's cloud computing service, Potato, has been overestimated the last few quarters.",source:"News",credibility:"4",analyst_opinion:"-"},{id:71,day:"21",ticker:"BUNY",headline:"A notification from a friend",description:"Your friend advises you to invest in Bunny because it is a strong stock and is likely to soar again",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:72,day:"27",ticker:"BUNY",headline:"Bunny considers acquiring cybersecurity firm Acorn",description:"Bunny is considering acquiring cybersecurity firm Acorn which has a market value of $4 billion.",source:"News",credibility:"4",analyst_opinion:"-"},{id:73,day:"39",ticker:"BUNY",headline:"Bunny completes its $15 billion acquisition of Carrot",description:"Bunny has completed its $15 billion acquisition of Carrot, a speech-to-text software",source:"News",credibility:"4",analyst_opinion:"-"},{id:74,day:"48",ticker:"BUNY",headline:"Bunny faces antitrust complaints",description:"Bunny is facing antitrust complaints about Potato, its cloud computing service",source:"News",credibility:"3",analyst_opinion:"-"},{id:75,day:"48",ticker:"BUNY",headline:"A post on social media",description:"A user posts on social media, claiming that Bunny abuses its power, undermines fair competition, and limits consumer choice in the cloud computing market",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:76,day:"72",ticker:"BUNY",headline:"Bunny shares surge as much as 8%",description:"Bunny shares surged as much as 8% in Wednesday's extending trading",source:"News",credibility:"3",analyst_opinion:"-"},{id:77,day:"90",ticker:"BUNY",headline:"A notification from a friend",description:"A friend claims that Microsoft can continue thriving despite the recession",source:"Friend",credibility:"2",analyst_opinion:"-"},{id:78,day:"93",ticker:"BUNY",headline:"Bunny intends to increase wages for current employees",description:"Bunny intends to increase wages for current employees despite the reduction in hiring",source:"News",credibility:"3",analyst_opinion:"-"},{id:79,day:"93",ticker:"BUNY",headline:"A post on social media",description:"A user posts on social media, claiming that Bunny is one of the most resilient and undervalued stocks.",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:80,day:"96",ticker:"BUNY",headline:"Bunny reduces estimates",description:"Bunny reduced its revenue estimates by about $1 billion.",source:"News",credibility:"4",analyst_opinion:"-"},{id:81,day:"96",ticker:"BUNY",headline:"Bunny faces the effects of inflation",description:"Bunny gets half of its revenue from outside the country, so inflation has negatively affected the company.",source:"News",credibility:"4",analyst_opinion:"-"},{id:82,day:"102",ticker:"BUNY",headline:"Bunny has lost 30% YTD",description:"Bunny has lost 30% YTD. Can Bunny recover from the losses?",source:"News",credibility:"3",analyst_opinion:"-"},{id:83,day:"105",ticker:"BUNY",headline:"A post on social media",description:"A user posts on social media, claiming that the bear market is an advantage for long-term investors. They also claimed that Bunny has continuously rewarded long-term shareholders.",source:"Social media",credibility:"2",analyst_opinion:"-"},{id:84,day:"114",ticker:"BUNY",headline:"Bunny targeted by antitrust officials once again",description:"One of Bunny's recent acquistions is being investigated by antitrust officials. Antitrust officials want to find out whether this acquisition will undermine competition.",source:"News",credibility:"4",analyst_opinion:"-"},{id:85,day:"117",ticker:"BUNY",headline:"Bunny cuts some jobs",description:"Bunny cuts some jobs, claiming that the layoff is not related to the recession",source:"News",credibility:"3",analyst_opinion:"-"},{id:86,day:"0",ticker:"SLTH",headline:"Sloth schedules release of brand new original title.",description:"The entertainment mogul enlists a top-tier cast for a never before seen action-thriller. Set to release in March, the film follows David Hendrix, a wanted man hungry for revenge.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:87,day:"6",ticker:"SLTH",headline:'Sloth\'s "The Barnyard" denies expectations',description:"Sloth's first attempt at an original horror\nfilm receives scathing reviews from even\nthe most passive media consumers.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:88,day:"10",ticker:"SLTH",headline:"Sloth stock plummets in value",description:"Despite a positive outlook for 2022, Sloth's\ndiminishing subscriber count resulted in poor\nperformance in the markets all week. ",source:"",credibility:"N/A",analyst_opinion:"-"},{id:89,day:"17",ticker:"SLTH",headline:"Your friend insists that SLTH is a good buy",description:'Your friend, a finance major at UC Boulder,\ninsists that SLTH is a perfect buy because\nit\'s evaluation is so low. "Buy low, sell high", he\nsays.',source:"Friend",credibility:"N/A",analyst_opinion:"-"},{id:90,day:"21",ticker:"SLTH",headline:"A horrendous outlook for Sloth",description:"A shocking downturn for the media company\nrears its ugly head as SLTH loses almost $50\nbillion in market cap value. The company's \nsubscriber count continues to fall despite the\npush for more content.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:91,day:"24",ticker:"SLTH",headline:"Sloth CEO plan of action",description:"In an interview with the media mogul's CEO,\nshe lays out an active recovery plan for the\ncompany and a positive outlook for\ninvestors.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:92,day:"36",ticker:"SLTH",headline:"Sloth holds value after devastating hit",description:"Sloth's plan to draw in more subscribers seems\nto pay off, as the stock holds its value after\na devastasting first quarter loss.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:93,day:"44",ticker:"SLTH",headline:"A pleasant suprise for Sloth investors",description:"A new ad-based subscriber tier gives a positive\noutlook for the company to defend its market\nshare.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:94,day:"49",ticker:"SLTH",headline:"Increased web services fees hits tech stocks",description:"Amazon CEO, Jeff Bozo, increases web services fees for corporations. Sloth entertainment, a heavy user, takes a hit in the markets after the decision. ",source:"",credibility:"N/A",analyst_opinion:"-"},{id:95,day:"54",ticker:"SLTH",headline:"Your friend insists that SLTH is a good buy",description:'Your friend, a finance major at UC Boulder, \ninsists once again that you must buy SLTH. The\nstock is "quickly recovering", he says.',source:"Friend",credibility:"N/A",analyst_opinion:"-"},{id:96,day:"63",ticker:"SLTH",headline:"Sloth to release steamy new series",description:"Sloth enlists Megan Fox to star in provocative\nnew series. OMG yes?",source:"Social Media",credibility:"N/A",analyst_opinion:"-"},{id:97,day:"69",ticker:"SLTH",headline:"Tweet from Taylor Swift boosts Sloth",description:'A tweet from the singer-songwriter advocates\nfor Sloth\'s "The Barnyard", and fans are quick\nto watch.',source:"News",credibility:"N/A",analyst_opinion:"-"},{id:98,day:"80",ticker:"SLTH",headline:"Sloth drops tremendously",description:"Sloth stock drops significantly after reports of\ncontinued subscriber downturn. The tech giant\nis not expected to recover anytime soon.",source:"",credibility:"N/A",analyst_opinion:"-"},{id:99,day:"100",ticker:"SLTH",headline:"Your friend insists that SLTH is a good buy",description:'Your friend, a finance major at UC Boulder, says now is your last chance to get the best\npossible buy in for SLTH - a "no brainer" he says.',source:"Friend",credibility:"N/A",analyst_opinion:"-"},{id:100,day:"110",ticker:"SLTH",headline:"Sloth makes decent recovery",description:"Sloth gains ground in the markets after a\nhorrendous drop. Does this signify a comeback for the media giant?",source:"",credibility:"N/A",analyst_opinion:"-"},{id:101,day:"133",ticker:"SLTH",headline:"Sloth schedules release of original series",description:'Sloth enlists a stellar cast in brand new original\nseries, titled "A Long Way Home". The show\nfollows a group of low-country children on\ntheir search for treasure. ',source:"",credibility:"N/A",analyst_opinion:"-"},{id:102,day:"0",ticker:"Advisor",headline:"Advisor Message",description:"Studies show that overconfident investors trade more than rational investors and that doing so lowers their expected utilities. Greater overconfidence leads to greater trading and to lower expected utility.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:103,day:"7",ticker:"Advisor",headline:"Advisor Message",description:"Your best bet to overcome the pitfalls of overconfidence is to slow down your thinking and simply become aware of it, and question whether you’re maybe being overly optimistic. Don’t act in haste.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:104,day:"14",ticker:"Advisor",headline:"Advisor Message",description:"Be confident, yet intellectually humble. Consider the possibility that you could be wrong. Listen to evidence that could possible change your mind. Be ruthless with your investment thesis. Be open-minded.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:105,day:"21",ticker:"Advisor",headline:"Advisor Message",description:"Consider the consequences of being wrong. Your job should be first and foremost not to lose money. Put your ego aside and keep that in mind.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:106,day:"28",ticker:"Advisor",headline:"Advisor Message",description:"Don’t view each problem in isolation. The single best advice we have in framing is broad framing. See the decision as a member of a class of decisions that you’ll probably have to take.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:107,day:"35",ticker:"Advisor",headline:"Advisor Message",description:"Don’t underplay regret. Regret is probably the greatest enemy of good decision making in personal finance. So if you are an asset manager or financial adviser, assess how prone clients are to it. The more potential for regret, the more likely they are to churn their account, sell at the wrong time, and buy when prices are high. High-net-worth individuals are especially risk averse, so try to gauge just how risk averse. Clients who have regrets will often fire their advisers.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:108,day:"42",ticker:"Advisor",headline:"Advisor Message",description:"Seek out good advice. Part of getting a wide-ranging perspective is to cultivate curiosity and to seek out guidance. An ideal adviser is a person who likes you and doesn’t care about your feelings.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:109,day:"49",ticker:"Advisor",headline:"Advisor Message",description:"Probably the most compelling evidence is that most investors, especially active investors, both professional and amateur, tend to have a very hard time beating market indices consistently, as demonstrated in the latest Morningstar Active-Passive Barometer.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:110,day:"56",ticker:"Advisor",headline:"Advisor Message",description:"How can you tackle overconfidence bias? You could look back at your trading records and ask yourself questions such as “why did I buy or sell that stock?” and try to give an objective answer. If you can spot behavioural patterns in your trading activity, it’s easier to correct these mistakes.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:111,day:"63",ticker:"Advisor",headline:"Advisor Message",description:"I have seen overconfidence in action many times over my practice. To counteract this behavior in my clients, I often recommend they establish a “mad money” account. This involves taking a small portion of one’s wealth for “overconfident” trading activities while leaving the remainder of their wealth to be managed in a disciplined way. This approach scratches the itch that many investors have to trade their account, while at the same time keeping the majority of the money intelligently managed.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:112,day:"70",ticker:"Advisor",headline:"Advisor Message",description:"Effective investing doesn’t come naturally to most of us. Even when we know the fundamentals, we tend to make snap decisions and irrational--sometimes destructive--mistakes, based on what “feels” right. The gamification built into platforms like Robinhood—free stock for signing up, frequently updating and colourful screens based on performance, even digital confetti upon completion of a successful transaction—may at times, just worsen these tendencies.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:113,day:"77",ticker:"Advisor",headline:"Advisor Message",description:"In a study we conducted on a nationally representative sample of the U.S population, we found evidence that although most Americans are overconfident (67 per cent of the sample), people currently in Generation Z are significantly more overconfident—even more than millennials and Gen Xers. We also know that Robinhood’s average user is 31 years old, and half of them are first-time investors. This premise of innate investing knowledge, combined with a platform that rewards hasty decisions with immediate gratification and self-flattery, makes for a breeding ground of biased decisions.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:114,day:"84",ticker:"Advisor",headline:"Advisor Message",description:"For instance, compared with people with low bias, people who showed high levels of overconfidence were twice as likely to be struggling with their financial lives: having the lowest savings, the highest debt, and the worst credit scores.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:115,day:"91",ticker:"Advisor",headline:"Advisor Message",description:"If you’re overconfident, you might overestimate your knowledge and abilities, which in turn can lead you to overestimate expected returns and underestimate investment risks. Overconfidence can also result in excessive trading. One phenomenon investors often fall prey to is the so-called Hot Hand Fallacy where they assume that a winning streak will continue, whether it is a top-performing fund manager, a stock that has soared, or their own investment choices.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:116,day:"98",ticker:"Advisor",headline:"Advisor Message",description:"Reviewing your trading records can be a good exercise to reduce overconfidence bias. While conducting your review, it’s important to remain objective. Ask yourself questions such as “why did I buy that security?” or “why did I sell?”. If you can identify behavioral patterns in your trading activity, it’s easier to correct for mistakes.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:117,day:"105",ticker:"Advisor",headline:"Advisor Message",description:"While it is very possible to outperform indices and people do all the time, it is not probable--and that is the point. Most investors, both professional and amateur, tend to have a very hard time beating market indices consistently.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"},{id:118,day:"112",ticker:"Advisor",headline:"Advisor Message",description:"In recent years, investors have begun to realise that trading frequently hurts, higher fees and commissions hurt, and overconfidence hurts.",source:"Advisor",credibility:"N/A",analyst_opinion:"-"}];var Va=c(2386),$a=(0,o.aZ)({name:"TradingPage",components:{StockChart:Nc,StockCard:Wc,NewsCard:ea,StockCardPortfolio:Pa,ClockIcon:Ca,TradingForm:Ea,PieChart:he},props:{switchToEndPage:{type:Function}},mounted(){this.updateNewsFeed()},data(){return{playerDataStore:fe,activeStock:"CROC",stocks:La,stockData:[Ma,Ha,qa,Ya,Wa],newsData:Ga,currentNewsFeed:new Va(6),activeStockData:[],isTimeRunning:!1,currentDay:0,simulationDuration:120,realDuration:8,simulationTimeElapsed:0,overconfidenceScore:fe.overconfidenceScore,accountBalance:fe.accountBalance,portfolio:fe.portfolio,portfolioValue:fe.portfolioValue,holdingsData:fe.holdingsData,tradeHistory:fe.tradeHistory,buyHistory:{CROC:-1,SLTH:-1,TURT:-1,GIRA:-1,BUNY:-1},pieKey:-1}},computed:{simulationDurationInSeconds(){return 86400*this.simulationDuration},realDurationInSeconds(){return 60*this.realDuration},ratio(){return this.simulationDurationInSeconds/this.realDurationInSeconds}},methods:{calculatePercentage(e){let i=this.getCurrentPriceForStock(e),c=this.buyHistory[e],a=0;return-1!=c&&(i>c?a=i/c-1:i120)&&this.stopSimulation()},startSimulation(){this.isTimeRunning=!0,this.updateNewsFeed(),this.interval=setInterval(this.updateTimeData,1e3)},stopSimulation(){this.isTimeRunning=!1,clearInterval(this.interval),this.playerDataStore.capOverconfidenceScore(),this.switchToEndPage()},pauseSimulation(){this.isTimeRunning=!1},resumeSimulation(){void 0!=this.interval?this.isTimeRunning=!0:this.startSimulation()}}});const Za=(0,ke.Z)($a,[["render",gc],["__scopeId","data-v-7c9bafae"]]);var Ka=Za;const Ja=e=>((0,o.dD)("data-v-24276024"),e=e(),(0,o.Cn)(),e),Qa={class:"info-page-main"},Xa=Ja((()=>(0,o._)("h1",{class:"header-one"},"Welcome to the Morningstar Overconfidence Trading Simulation",-1))),eo={key:0,class:"header-two"},io={class:"form-container"},co={key:0,class:"form"},ao=Ja((()=>(0,o._)("label",{for:"1",class:"input-header-name"},"Name",-1))),oo=Ja((()=>(0,o._)("span",{class:"error"},[(0,o._)("p",{id:"name_error"})],-1))),so=Ja((()=>(0,o._)("label",{for:"2",class:"input-header"},"Annual Salary",-1))),ro={class:"input-symbol-dollar"},to=Ja((()=>(0,o._)("label",{for:"3",class:"input-header"},"Average Annual Savings",-1))),lo={class:"input-symbol-dollar"},no={key:0,class:"click-here-container"};function yo(e,i,c,s,r,t){return(0,o.wg)(),(0,o.iD)("div",Qa,[Xa,(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.isShowingSubHeader?((0,o.wg)(),(0,o.iD)("h1",eo,"Before we begin, please input the following information:")):(0,o.kq)("",!0)])),_:1}),(0,o._)("div",io,[(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showInputFields?((0,o.wg)(),(0,o.iD)("form",co,[ao,(0,o.wy)((0,o._)("input",{type:"text",class:"input-field-name nice-boxshadow",placeholder:"Required",id:"1","onUpdate:modelValue":i[0]||(i[0]=e=>r.playerName=e),maxlength:"15",onChange:i[1]||(i[1]=(...e)=>t.clearErrorText&&t.clearErrorText(...e)),required:""},null,544),[[a.nr,r.playerName]]),oo,so,(0,o._)("span",ro,[(0,o.wy)((0,o._)("input",{type:"number",class:"input-field nice-boxshadow",placeholder:"(optional)",id:"2","onUpdate:modelValue":i[2]||(i[2]=e=>r.annualSalary=e)},null,512),[[a.nr,r.annualSalary]])]),to,(0,o._)("span",lo,[(0,o.wy)((0,o._)("input",{type:"number",class:"input-field nice-boxshadow",placeholder:"(optional)",id:"3","onUpdate:modelValue":i[3]||(i[3]=e=>r.annualSavings=e)},null,512),[[a.nr,r.annualSavings]])])])):(0,o.kq)("",!0)])),_:1})]),(0,o.Wm)(a.uT,{name:"fade"},{default:(0,o.w5)((()=>[r.showInputFields?((0,o.wg)(),(0,o.iD)("div",no,[(0,o._)("h3",{onClick:i[4]||(i[4]=e=>{t.submitPlayerData()}),class:"click-here"},"Next")])):(0,o.kq)("",!0)])),_:1})])}var Po={name:"InfoPage",data(){return{isShowingSubHeader:!1,showInputFields:!1,playerName:"",annualSalary:"",annualSavings:"",playerDataStore:fe}},props:{switchToInfoPage:{type:Function}},mounted(){setTimeout((()=>{this.isShowingSubHeader=!0}),2e3),setTimeout((()=>{this.showInputFields=!0}),3e3)},methods:{submitPlayerData(){if(""===this.playerName){let e="Please enter your name";document.getElementById("name_error").innerHTML=e,document.getElementById("1").focus()}else this.playerDataStore.setPlayerData(this.playerName,this.annualSalary,this.annualSavings),this.switchToInfoPage(),console.log(this.playerDataStore)},clearErrorText(){document.getElementById("name_error").innerHTML=""}}};const uo=(0,ke.Z)(Po,[["render",yo],["__scopeId","data-v-24276024"]]);var ho=uo,po={name:"App",components:{EndPage:be,IntroPage:Oe,InfoPage:Ui,TradingPage:Ka,InputPage:ho},data(){return{isShowingIntroPage:!0,isShowingInputPage:!1,isShowingInfoPage:!1,isShowingTradingPage:!1,isShowingEndPage:!1}},methods:{switchToInputPage(){this.isShowingIntroPage=!1,setTimeout((()=>{this.isShowingInputPage=!0}),1e3)},switchToInfoPage(){this.isShowingInputPage=!1,setTimeout((()=>{this.isShowingInfoPage=!0}),1e3)},switchToTradingPage(){this.isShowingInfoPage=!1,setTimeout((()=>{this.isShowingTradingPage=!0}),2e3)},switchToEndPage(){this.isShowingTradingPage=!1,setTimeout((()=>{this.isShowingEndPage=!0}),2e3)}}};const mo=(0,ke.Z)(po,[["render",r]]);var go=mo;(0,a.ri)(go).mount("#app")}},i={};function c(a){var o=i[a];if(void 0!==o)return o.exports;var s=i[a]={id:a,loaded:!1,exports:{}};return e[a].call(s.exports,s,s.exports,c),s.loaded=!0,s.exports}c.m=e,function(){var e=[];c.O=function(i,a,o,s){if(!a){var r=1/0;for(n=0;n=s)&&Object.keys(c.O).every((function(e){return c.O[e](a[l])}))?a.splice(l--,1):(t=!1,s0&&e[n-1][2]>s;n--)e[n]=e[n-1];e[n]=[a,o,s]}}(),function(){c.n=function(e){var i=e&&e.__esModule?function(){return e["default"]}:function(){return e};return c.d(i,{a:i}),i}}(),function(){c.d=function(e,i){for(var a in i)c.o(i,a)&&!c.o(e,a)&&Object.defineProperty(e,a,{enumerable:!0,get:i[a]})}}(),function(){c.g=function(){if("object"===typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"===typeof window)return window}}()}(),function(){c.o=function(e,i){return Object.prototype.hasOwnProperty.call(e,i)}}(),function(){c.r=function(e){"undefined"!==typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})}}(),function(){c.nmd=function(e){return e.paths=[],e.children||(e.children=[]),e}}(),function(){c.p="Morningstar_CaseStudy/"}(),function(){var e={143:0};c.O.j=function(i){return 0===e[i]};var i=function(i,a){var o,s,r=a[0],t=a[1],l=a[2],d=0;if(r.some((function(i){return 0!==e[i]}))){for(o in t)c.o(t,o)&&(c.m[o]=t[o]);if(l)var n=l(c)}for(i&&i(a);d\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","import script from \"./PieChart.vue?vue&type=script&lang=js\"\nexport * from \"./PieChart.vue?vue&type=script&lang=js\"\n\nconst __exports__ = script;\n\nexport default __exports__","import { reactive } from 'vue'\n\nexport const playerDataStore = reactive({\n accountBalance: 10000,\n overconfidenceScore: 125,\n isAdvisorEnabled: false,\n timeSpentInPause: 0,\n timeSpentInSimulation: 0,\n numberOfTrades: 0,\n holdingsData: [0, 0, 0, 0, 0, 10000],\n portfolioSnapshots:[],\n articlesRead: [],\n tradeHistory: [],\n portfolioValue: 0,\n playerName:'', \n annualSalary:0, \n annualSavings:0,\n portfolio:{\n \"CROC\":{\n index: 0,\n numberOfShares: 0,\n totalValue: 0,\n percentageValue: 0,\n isInPortfolio: false\n },\n \"SLTH\":{\n index: 1,\n numberOfShares: 0,\n totalValue: 0,\n percentageValue: 0,\n isInPortfolio: false\n },\n \"TURT\":{\n index: 2,\n numberOfShares: 0,\n totalValue: 0,\n percentageValue: 0,\n isInPortfolio: false\n },\n \"GIRA\":{\n index: 3,\n numberOfShares: 0,\n totalValue: 0,\n percentageValue: 0,\n isInPortfolio: false\n },\n \"BUNY\":{\n index: 4,\n numberOfShares: 0,\n totalValue: 0,\n percentageValue: 0,\n isInPortfolio: false\n }\n },\n\n incrementOverconfidenceScore(value){\n this.overconfidenceScore += value\n },\n\n incrementPauseTime(){\n this.timeSpentInPause++\n },\n\n incrementSimulationTime(){\n this.timeSpentInSimulation++\n },\n\n setIsAdvisorEnabled(value){\n this.isAdvisorEnabled = value\n if (value === true){\n this.incrementOverconfidenceScore(-50)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n },\n \n markArticleAsRead(id){\n if(this.articlesRead.includes(id)){\n //console.log(`article ${id} was already read`)\n } else {\n this.articlesRead.push(id)\n this.incrementOverconfidenceScore(-5)\n console.log( `Just read article no. ${id}, Overconfidence score: `+ this.overconfidenceScore)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n },\n\n get numArticlesRead(){\n return this.articlesRead.length\n },\n\n // Updates the current portfolio as the day changes\n updatePortfolio(currentPrices, currentDay){\n this.portfolioValue = 0\n\n for (const [ticker, data] of Object.entries(this.portfolio)) {\n let sharePrice = currentPrices[ticker]\n // Using \"portfolio[ticker]['totalValue']\" to modify its value\n this.portfolio[ticker]['totalValue'] = data['numberOfShares'] * sharePrice\n this.portfolioValue += data['totalValue']\n this.holdingsData[this.portfolio[ticker]['index']] = this.portfolio[ticker]['totalValue']\n }\n\n if ( (currentDay % 20 === 0) && (currentDay != 20) ) {\n let stockCount = 0\n //NOT RUNNING because this.stockCount not the same as stockcount\n for (const data of Object.values(this.portfolio)) {\n if (data['isInPortfolio'] === true) {\n stockCount += 1\n }\n }\n \n if (stockCount <= 3) {\n this.incrementOverconfidenceScore(35 - (stockCount * 10))\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n }\n\n // Consider both numberOfTrades and percentageOfInvestedMoney?\n if (this.numberOfTrades >= 50) {\n this.incrementOverconfidenceScore(30)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n },\n\n // Updates the current portfolio as the user buys shares of a stock\n addStock(ticker, sharePrice, totalPrice, numShares, currentDay, isTimeRunning){\n let uninvestedMoney = this.accountBalance\n this.accountBalance -= totalPrice\n this.portfolioValue += totalPrice\n\t\tthis.portfolio[ticker]['numberOfShares'] += numShares\n\t\tthis.portfolio[ticker]['totalValue'] += totalPrice\n\t\tthis.portfolio[ticker]['isInPortfolio'] = true\n this.holdingsData[this.portfolio[ticker]['index']] = this.portfolio[ticker]['totalValue']\n this.holdingsData[5] = this.accountBalance\n this.numberOfTrades++\n\n let percentageOfInvestedMoney = (totalPrice / uninvestedMoney) * 100\n\n\t\tlet history = {\n ticker: ticker,\n\t\t\tday: currentDay,\n accountBalance: this.accountBalance,\n tradeType: \"BUY\",\n sharePrice: sharePrice,\n\t\t\tnumberOfShares: numShares,\n\t\t\ttradeValue: totalPrice,\n\t\t\ttotalValue: this.portfolio[ticker]['totalValue'],\n\t\t\tpercentageOfInvestedMoney: percentageOfInvestedMoney,\n isTimeRunning: isTimeRunning,\n\t\t}\n\n\t\tthis.tradeHistory.push(history)\n\n // To do: Make percentageOfInvestedMoney in history a number, not NAN\n\t\tif (history['percentageOfInvestedMoney'] >= 40 && uninvestedMoney >= 1000) {\n\t\t\tthis.incrementOverconfidenceScore(history['percentageOfInvestedMoney'] / 2) // change value\n console.log(history)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n\t\t}\n\n if (isTimeRunning === true) {\n this.incrementOverconfidenceScore(5)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n\t},\n\n // Updates the current portfolio as the user sells shares of a stock\n sellStock(ticker, sharePrice, totalPrice, numShares, currentDay, isTimeRunning){\n this.accountBalance += totalPrice\n this.portfolioValue -= totalPrice\n this.portfolio[ticker]['numberOfShares'] -= numShares\n\t\tthis.portfolio[ticker]['totalValue'] -= totalPrice\n this.holdingsData[this.portfolio[ticker]['index']] = this.portfolio[ticker]['totalValue']\n this.holdingsData[5] = this.accountBalance\n this.numberOfTrades++\n\n if (this.portfolio[ticker]['numberOfShares'] === 0) {\n this.portfolio[ticker]['isInPortfolio'] = false\n }\n\n let history = {\n ticker: ticker,\n\t\t\tday: currentDay,\n accountBalance: this.accountBalance,\n tradeType: \"SELL\",\n sharePrice: sharePrice,\n\t\t\tnumberOfShares: numShares,\n\t\t\ttradeValue: totalPrice,\n\t\t\ttotalValue: this.portfolio[ticker]['totalValue'],\n\t\t\tpercentageOfInvestedMoney: 0,\n isTimeRunning: isTimeRunning,\n\t\t}\n\n\t\tthis.tradeHistory.push(history)\n\n if (isTimeRunning === true) {\n this.incrementOverconfidenceScore(5)\n console.log(\"Overconfidence score: \" + this.overconfidenceScore)\n }\n },\n\n setPlayerData(name,salary,savings){\n this.playerName = name\n this.annualSalary = salary\n this.annualSavings = savings\n },\n\n setAccountBalance(accountBalance){\n this.accountBalance = accountBalance\n },\n\n addPortfolioSnapshot(){\n let holdingsDataCopy = [...this.holdingsData]\n let stockCount = 0\n let balanced = false\n\n for (const data of Object.values(this.portfolio)) {\n if (data['isInPortfolio'] === true) {\n stockCount += 1\n }\n }\n\n if (stockCount >= 3){\n balanced = true\n } else {\n balanced = false\n }\n\n this.portfolioSnapshots.push({\n data:holdingsDataCopy,\n wasBalanced:balanced\n })\n\n console.log(this.portfolioSnapshots)\n },\n\n capOverconfidenceScore(){\n //Set caps\n if (this.overconfidenceScore > 250){\n this.overconfidenceScore = 250\n } else if (this.overconfidenceScore < 20){\n this.overconfidenceScore = 20\n }\n },\n\n get bigTrades(){\n let bigTrades = this.tradeHistory.filter(trade => trade[\"percentageOfInvestedMoney\"] >= 40)\n return bigTrades\n },\n\n get hastyTrades(){\n let hastyTrades = this.tradeHistory.filter(trade => trade[\"isTimeRunning\"] === true)\n return hastyTrades\n },\n\n get numBalancedPortfolioSnapshots(){\n let balancedPortfolioSnapshots = this.portfolioSnapshots.filter( snapshot => snapshot[\"wasBalanced\"] === true)\n return balancedPortfolioSnapshots.length\n },\n\n get tradeCount(){\n return this.tradeHistory.length\n }\n})","import { render } from \"./EndPage.vue?vue&type=template&id=5b2f8b3d&scoped=true\"\nimport script from \"./EndPage.vue?vue&type=script&lang=js\"\nexport * from \"./EndPage.vue?vue&type=script&lang=js\"\n\nimport \"./EndPage.vue?vue&type=style&index=0&id=5b2f8b3d&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-5b2f8b3d\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./IntroPage.vue?vue&type=template&id=436af7f3&scoped=true\"\nimport script from \"./IntroPage.vue?vue&type=script&lang=js\"\nexport * from \"./IntroPage.vue?vue&type=script&lang=js\"\n\nimport \"./IntroPage.vue?vue&type=style&index=0&id=436af7f3&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-436af7f3\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./InfoPage.vue?vue&type=template&id=20a389f6&scoped=true\"\nimport script from \"./InfoPage.vue?vue&type=script&lang=js\"\nexport * from \"./InfoPage.vue?vue&type=script&lang=js\"\n\nimport \"./InfoPage.vue?vue&type=style&index=0&id=20a389f6&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-20a389f6\"]])\n\nexport default __exports__"," \n\n\n\n","\n\n\n\n","import { render } from \"./StockChart.vue?vue&type=template&id=220444f5&scoped=true\"\nimport script from \"./StockChart.vue?vue&type=script&lang=js\"\nexport * from \"./StockChart.vue?vue&type=script&lang=js\"\n\nimport \"./StockChart.vue?vue&type=style&index=0&id=220444f5&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-220444f5\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./StockCard.vue?vue&type=template&id=56e7e751&scoped=true\"\nimport script from \"./StockCard.vue?vue&type=script&lang=js\"\nexport * from \"./StockCard.vue?vue&type=script&lang=js\"\n\nimport \"./StockCard.vue?vue&type=style&index=0&id=56e7e751&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-56e7e751\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./NewsCard.vue?vue&type=template&id=2d118eca&scoped=true\"\nimport script from \"./NewsCard.vue?vue&type=script&lang=js\"\nexport * from \"./NewsCard.vue?vue&type=script&lang=js\"\n\nimport \"./NewsCard.vue?vue&type=style&index=0&id=2d118eca&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-2d118eca\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./StockCardPortfolio.vue?vue&type=template&id=8dbf8efe&scoped=true\"\nimport script from \"./StockCardPortfolio.vue?vue&type=script&lang=js\"\nexport * from \"./StockCardPortfolio.vue?vue&type=script&lang=js\"\n\nimport \"./StockCardPortfolio.vue?vue&type=style&index=0&id=8dbf8efe&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-8dbf8efe\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./ClockIcon.vue?vue&type=template&id=3045488a&scoped=true\"\nimport script from \"./ClockIcon.vue?vue&type=script&lang=js\"\nexport * from \"./ClockIcon.vue?vue&type=script&lang=js\"\n\nimport \"./ClockIcon.vue?vue&type=style&index=0&id=3045488a&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-3045488a\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./TradingForm.vue?vue&type=template&id=2de6374e&scoped=true\"\nimport script from \"./TradingForm.vue?vue&type=script&lang=js\"\nexport * from \"./TradingForm.vue?vue&type=script&lang=js\"\n\nimport \"./TradingForm.vue?vue&type=style&index=0&id=2de6374e&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-2de6374e\"]])\n\nexport default __exports__","export const aapl_data = [ { ticker: 'CROC' }, {\n closePrice: \"126.599998\",\n day: 1\n}, {\n closePrice: \"130.919998\",\n day: 2\n}, {\n closePrice: \"132.050003\",\n day: 3\n}, {\n closePrice: \"128.979996\",\n day: 4\n}, {\n closePrice: \"128.800003\",\n day: 5\n}, {\n closePrice: \"130.889999\",\n day: 6\n}, {\n closePrice: \"128.910004\",\n day: 7\n}, {\n closePrice: \"127.139999\",\n day: 8\n}, {\n closePrice: \"127.830002\",\n day: 9\n}, {\n closePrice: \"132.029999\",\n day: 10\n}, {\n closePrice: \"136.869995\",\n day: 11\n}, {\n closePrice: \"139.070007\",\n day: 12\n}, {\n closePrice: \"142.919998\",\n day: 13\n}, {\n closePrice: \"143.160004\",\n day: 14\n}, {\n closePrice: \"142.059998\",\n day: 15\n}, {\n closePrice: \"137.089996\",\n day: 16\n}, {\n closePrice: \"131.960007\",\n day: 17\n}, {\n closePrice: \"134.139999\",\n day: 18\n}, {\n closePrice: \"134.990005\",\n day: 19\n}, {\n closePrice: \"133.940002\",\n day: 20\n}, {\n closePrice: \"137.389999\",\n day: 21\n}, {\n closePrice: \"136.759995\",\n day: 22\n}, {\n closePrice: \"136.910004\",\n day: 23\n}, {\n closePrice: \"136.009995\",\n day: 24\n}, {\n closePrice: \"135.389999\",\n day: 25\n}, {\n closePrice: \"135.130005\",\n day: 26\n}, {\n closePrice: \"135.369995\",\n day: 27\n}, {\n closePrice: \"133.190002\",\n day: 28\n}, {\n closePrice: \"130.839996\",\n day: 29\n}, {\n closePrice: \"129.710007\",\n day: 30\n}, {\n closePrice: \"129.869995\",\n day: 31\n}, {\n closePrice: \"126\",\n day: 32\n}, {\n closePrice: \"125.860001\",\n day: 33\n}, {\n closePrice: \"125.349998\",\n day: 34\n}, {\n closePrice: \"120.989998\",\n day: 35\n}, {\n closePrice: \"121.260002\",\n day: 36\n}, {\n closePrice: \"127.790001\",\n day: 37\n}, {\n closePrice: \"125.120003\",\n day: 38\n}, {\n closePrice: \"122.059998\",\n day: 39\n}, {\n closePrice: \"120.129997\",\n day: 40\n}, {\n closePrice: \"121.419998\",\n day: 41\n}, {\n closePrice: \"116.360001\",\n day: 42\n}, {\n closePrice: \"121.089996\",\n day: 43\n}, {\n closePrice: \"119.980003\",\n day: 44\n}, {\n closePrice: \"121.959999\",\n day: 45\n}, {\n closePrice: \"121.029999\",\n day: 46\n}, {\n closePrice: \"123.989998\",\n day: 47\n}, {\n closePrice: \"125.57\",\n day: 48\n}, {\n closePrice: \"124.760002\",\n day: 49\n}, {\n closePrice: \"120.529999\",\n day: 50\n}, {\n closePrice: \"119.989998\",\n day: 51\n}, {\n closePrice: \"123.389999\",\n day: 52\n}, {\n closePrice: \"122.540001\",\n day: 53\n}, {\n closePrice: \"120.089996\",\n day: 54\n}, {\n closePrice: \"120.589996\",\n day: 55\n}, {\n closePrice: \"121.209999\",\n day: 56\n}, {\n closePrice: \"121.389999\",\n day: 57\n}, {\n closePrice: \"119.900002\",\n day: 58\n}, {\n closePrice: \"122.150002\",\n day: 59\n}, {\n closePrice: \"123\",\n day: 60\n}, {\n closePrice: \"125.900002\",\n day: 61\n}, {\n closePrice: \"126.209999\",\n day: 62\n}, {\n closePrice: \"127.900002\",\n day: 63\n}, {\n closePrice: \"130.360001\",\n day: 64\n}, {\n closePrice: \"133\",\n day: 65\n}, {\n closePrice: \"131.240005\",\n day: 66\n}, {\n closePrice: \"134.429993\",\n day: 67\n}, {\n closePrice: \"132.029999\",\n day: 68\n}, {\n closePrice: \"134.5\",\n day: 69\n}, {\n closePrice: \"134.160004\",\n day: 70\n}, {\n closePrice: \"134.839996\",\n day: 71\n}, {\n closePrice: \"133.110001\",\n day: 72\n}, {\n closePrice: \"133.5\",\n day: 73\n}, {\n closePrice: \"131.940002\",\n day: 74\n}, {\n closePrice: \"134.320007\",\n day: 75\n}, {\n closePrice: \"134.720001\",\n day: 76\n}, {\n closePrice: \"134.389999\",\n day: 77\n}, {\n closePrice: \"133.580002\",\n day: 78\n}, {\n closePrice: \"133.479996\",\n day: 79\n}, {\n closePrice: \"131.460007\",\n day: 80\n}, {\n closePrice: \"132.539993\",\n day: 81\n}, {\n closePrice: \"127.849998\",\n day: 82\n}, {\n closePrice: \"128.100006\",\n day: 83\n}, {\n closePrice: \"129.740005\",\n day: 84\n}, {\n closePrice: \"130.210007\",\n day: 85\n}, {\n closePrice: \"126.849998\",\n day: 86\n}, {\n closePrice: \"125.910004\",\n day: 87\n}, {\n closePrice: \"122.769997\",\n day: 88\n}, {\n closePrice: \"124.970001\",\n day: 89\n}, {\n closePrice: \"127.449997\",\n day: 90\n}, {\n closePrice: \"126.269997\",\n day: 91\n}, {\n closePrice: \"124.849998\",\n day: 92\n}, {\n closePrice: \"124.690002\",\n day: 93\n}, {\n closePrice: \"127.309998\",\n day: 94\n}, {\n closePrice: \"125.43\",\n day: 95\n}, {\n closePrice: \"127.099998\",\n day: 96\n}, {\n closePrice: \"126.900002\",\n day: 97\n}, {\n closePrice: \"126.849998\",\n day: 98\n}, {\n closePrice: \"125.279999\",\n day: 99\n}, {\n closePrice: \"124.610001\",\n day: 100\n}, {\n closePrice: \"124.279999\",\n day: 101\n}, {\n closePrice: \"125.059998\",\n day: 102\n}, {\n closePrice: \"123.540001\",\n day: 103\n}, {\n closePrice: \"125.889999\",\n day: 104\n}, {\n closePrice: \"125.900002\",\n day: 105\n}, {\n closePrice: \"126.739998\",\n day: 106\n}, {\n closePrice: \"127.129997\",\n day: 107\n}, {\n closePrice: \"126.110001\",\n day: 108\n}, {\n closePrice: \"127.349998\",\n day: 109\n}, {\n closePrice: \"130.479996\",\n day: 110\n}, {\n closePrice: \"129.639999\",\n day: 111\n}, {\n closePrice: \"130.149994\",\n day: 112\n}, {\n closePrice: \"131.789993\",\n day: 113\n}, {\n closePrice: \"130.460007\",\n day: 114\n}, {\n closePrice: \"132.300003\",\n day: 115\n}, {\n closePrice: \"133.979996\",\n day: 116\n}, {\n closePrice: \"133.699997\",\n day: 117\n}, {\n closePrice: \"133.410004\",\n day: 118\n}, {\n closePrice: \"133.110001\",\n day: 119\n}, {\n closePrice: \"134.779999\",\n day: 120\n}, {\n closePrice: \"136.330002\",\n day: 121\n}, {\n closePrice: \"136.960007\",\n day: 122\n}, {\n closePrice: \"137.270004\",\n day: 123\n}, {\n closePrice: \"139.960007\",\n day: 124\n}, {\n closePrice: \"142.020004\",\n day: 125\n}, {\n closePrice: \"144.570007\",\n day: 126\n}, {\n closePrice: \"143.240005\",\n day: 127\n}, {\n closePrice: \"145.110001\",\n day: 128\n}, {\n closePrice: \"144.5\",\n day: 129\n}, {\n closePrice: \"145.639999\",\n day: 130\n}, {\n closePrice: \"149.149994\",\n day: 131\n}, {\n closePrice: \"148.479996\",\n day: 132\n}, {\n closePrice: \"146.389999\",\n day: 133\n}, {\n closePrice: \"142.449997\",\n day: 134\n}, {\n closePrice: \"146.149994\",\n day: 135\n}, {\n closePrice: \"145.399994\",\n day: 136\n}, {\n closePrice: \"146.800003\",\n day: 137\n}, {\n closePrice: \"148.559998\",\n day: 138\n}, {\n closePrice: \"148.990005\",\n day: 139\n}, {\n closePrice: \"146.770004\",\n day: 140\n}, {\n closePrice: \"144.979996\",\n day: 141\n}, {\n closePrice: \"145.639999\",\n day: 142\n}, {\n closePrice: \"145.860001\",\n day: 143\n}, {\n closePrice: \"145.520004\",\n day: 144\n}, {\n closePrice: \"147.360001\",\n day: 145\n}, {\n closePrice: \"146.949997\",\n day: 146\n}, {\n closePrice: \"147.059998\",\n day: 147\n}, {\n closePrice: \"146.139999\",\n day: 148\n}, {\n closePrice: \"146.089996\",\n day: 149\n}, {\n closePrice: \"145.600006\",\n day: 150\n}, {\n closePrice: \"145.860001\",\n day: 151\n}, {\n closePrice: \"148.889999\",\n day: 152\n}, {\n closePrice: \"149.100006\",\n day: 153\n}, {\n closePrice: \"151.119995\",\n day: 154\n}, {\n closePrice: \"150.190002\",\n day: 155\n}, {\n closePrice: \"146.360001\",\n day: 156\n}, {\n closePrice: \"146.699997\",\n day: 157\n}, {\n closePrice: \"148.190002\",\n day: 158\n}, {\n closePrice: \"149.710007\",\n day: 159\n}, {\n closePrice: \"149.619995\",\n day: 160\n}, {\n closePrice: \"148.360001\",\n day: 161\n}, {\n closePrice: \"147.539993\",\n day: 162\n}, {\n closePrice: \"148.600006\",\n day: 163\n}, {\n closePrice: \"153.119995\",\n day: 164\n}, {\n closePrice: \"151.830002\",\n day: 165\n}, {\n closePrice: \"152.509995\",\n day: 166\n}, {\n closePrice: \"153.649994\",\n day: 167\n}, {\n closePrice: \"154.300003\",\n day: 168\n}, {\n closePrice: \"156.690002\",\n day: 169\n}, {\n closePrice: \"155.110001\",\n day: 170\n}, {\n closePrice: \"154.070007\",\n day: 171\n}, {\n closePrice: \"148.970001\",\n day: 172\n}, {\n closePrice: \"149.550003\",\n day: 173\n}, {\n closePrice: \"148.119995\",\n day: 174\n}, {\n closePrice: \"149.029999\",\n day: 175\n}, {\n closePrice: \"148.789993\",\n day: 176\n}, {\n closePrice: \"146.059998\",\n day: 177\n}, {\n closePrice: \"142.940002\",\n day: 178\n}, {\n closePrice: \"143.429993\",\n day: 179\n}, {\n closePrice: \"145.850006\",\n day: 180\n}, {\n closePrice: \"146.830002\",\n day: 181\n}, {\n closePrice: \"146.919998\",\n day: 182\n}, {\n closePrice: \"145.369995\",\n day: 183\n}, {\n closePrice: \"141.910004\",\n day: 184\n}, {\n closePrice: \"142.830002\",\n day: 185\n}, {\n closePrice: \"141.5\",\n day: 186\n}, {\n closePrice: \"142.649994\",\n day: 187\n}, {\n closePrice: \"139.139999\",\n day: 188\n}, {\n closePrice: \"141.110001\",\n day: 189\n}, {\n closePrice: \"142\",\n day: 190\n}, {\n closePrice: \"143.289993\",\n day: 191\n}, {\n closePrice: \"142.899994\",\n day: 192\n}, {\n closePrice: \"142.809998\",\n day: 193\n}, {\n closePrice: \"141.509995\",\n day: 194\n}, {\n closePrice: \"140.910004\",\n day: 195\n}, {\n closePrice: \"143.759995\",\n day: 196\n}, {\n closePrice: \"144.839996\",\n day: 197\n}, {\n closePrice: \"146.550003\",\n day: 198\n}, {\n closePrice: \"148.759995\",\n day: 199\n}, {\n closePrice: \"149.259995\",\n day: 200\n}, {\n closePrice: \"149.479996\",\n day: 201\n}, {\n closePrice: \"148.690002\",\n day: 202\n}, {\n closePrice: \"148.639999\",\n day: 203\n}, {\n closePrice: \"149.320007\",\n day: 204\n}, {\n closePrice: \"148.850006\",\n day: 205\n}, {\n closePrice: \"152.570007\",\n day: 206\n}, {\n closePrice: \"149.800003\",\n day: 207\n}, {\n closePrice: \"148.960007\",\n day: 208\n}, {\n closePrice: \"150.020004\",\n day: 209\n}, {\n closePrice: \"151.490005\",\n day: 210\n}, {\n closePrice: \"150.960007\",\n day: 211\n}, {\n closePrice: \"151.279999\",\n day: 212\n}, {\n closePrice: \"150.440002\",\n day: 213\n}, {\n closePrice: \"150.809998\",\n day: 214\n}, {\n closePrice: \"147.919998\",\n day: 215\n}, {\n closePrice: \"147.869995\",\n day: 216\n}, {\n closePrice: \"149.990005\",\n day: 217\n}, {\n closePrice: \"150\",\n day: 218\n}, {\n closePrice: \"151\",\n day: 219\n}, {\n closePrice: \"153.490005\",\n day: 220\n}, {\n closePrice: \"157.869995\",\n day: 221\n}, {\n closePrice: \"160.550003\",\n day: 222\n}, {\n closePrice: \"161.020004\",\n day: 223\n}, {\n closePrice: \"161.410004\",\n day: 224\n}, {\n closePrice: \"161.940002\",\n day: 225\n}, {\n closePrice: \"156.809998\",\n day: 226\n}, {\n closePrice: \"160.240005\",\n day: 227\n}, {\n closePrice: \"165.300003\",\n day: 228\n}, {\n closePrice: \"164.770004\",\n day: 229\n}, {\n closePrice: \"163.759995\",\n day: 230\n}, {\n closePrice: \"161.839996\",\n day: 231\n}, {\n closePrice: \"165.320007\",\n day: 232\n}, {\n closePrice: \"171.179993\",\n day: 233\n}, {\n closePrice: \"175.080002\",\n day: 234\n}, {\n closePrice: \"174.559998\",\n day: 235\n}, {\n closePrice: \"179.449997\",\n day: 236\n}, {\n closePrice: \"175.740005\",\n day: 237\n}, {\n closePrice: \"174.330002\",\n day: 238\n}, {\n closePrice: \"179.300003\",\n day: 239\n}, {\n closePrice: \"172.259995\",\n day: 240\n}, {\n closePrice: \"171.139999\",\n day: 241\n}, {\n closePrice: \"169.75\",\n day: 242\n}, {\n closePrice: \"172.990005\",\n day: 243\n}, {\n closePrice: \"175.639999\",\n day: 244\n}, {\n closePrice: \"176.279999\",\n day: 245\n}, {\n closePrice: \"180.330002\",\n day: 246\n}, {\n closePrice: \"179.289993\",\n day: 247\n}, {\n closePrice: \"179.380005\",\n day: 248\n}, {\n closePrice: \"178.199997\",\n day: 249\n}, {\n closePrice: \"177.570007\",\n day: 250\n}, {\n closePrice: \"182.009995\",\n day: 251\n}, {\n closePrice: \"179.699997\",\n day: 252\n}, {\n closePrice: \"174.919998\",\n day: 253\n}, {\n closePrice: \"172\",\n day: 254\n}, {\n closePrice: \"172.169998\",\n day: 255\n}, {\n closePrice: \"172.190002\",\n day: 256\n}, {\n closePrice: \"175.080002\",\n day: 257\n}, {\n closePrice: \"175.529999\",\n day: 258\n}, {\n closePrice: \"172.190002\",\n day: 259\n}, {\n closePrice: \"173.070007\",\n day: 260\n}, {\n closePrice: \"169.800003\",\n day: 261\n}, {\n closePrice: \"166.229996\",\n day: 262\n}, {\n closePrice: \"164.509995\",\n day: 263\n}, {\n closePrice: \"162.410004\",\n day: 264\n}, {\n closePrice: \"161.619995\",\n day: 265\n}, {\n closePrice: \"159.779999\",\n day: 266\n}, {\n closePrice: \"159.690002\",\n day: 267\n}, {\n closePrice: \"159.220001\",\n day: 268\n}, {\n closePrice: \"170.330002\",\n day: 269\n}, {\n closePrice: \"174.779999\",\n day: 270\n}, {\n closePrice: \"174.610001\",\n day: 271\n}, {\n closePrice: \"175.839996\",\n day: 272\n}, {\n closePrice: \"172.899994\",\n day: 273\n}, {\n closePrice: \"172.389999\",\n day: 274\n}, {\n closePrice: \"171.660004\",\n day: 275\n}, {\n closePrice: \"174.830002\",\n day: 276\n}, {\n closePrice: \"176.279999\",\n day: 277\n}, {\n closePrice: \"172.119995\",\n day: 278\n}, {\n closePrice: \"168.639999\",\n day: 279\n}, {\n closePrice: \"168.880005\",\n day: 280\n}, {\n closePrice: \"172.789993\",\n day: 281\n}, {\n closePrice: \"172.550003\",\n day: 282\n}, {\n closePrice: \"168.880005\",\n day: 283\n}, {\n closePrice: \"167.300003\",\n day: 284\n}, {\n closePrice: \"164.320007\",\n day: 285\n}, {\n closePrice: \"160.070007\",\n day: 286\n}, {\n closePrice: \"162.740005\",\n day: 287\n}, {\n closePrice: \"164.850006\",\n day: 288\n}, {\n closePrice: \"165.119995\",\n day: 289\n}, {\n closePrice: \"163.199997\",\n day: 290\n}, {\n closePrice: \"166.559998\",\n day: 291\n}, {\n closePrice: \"166.229996\",\n day: 292\n}, {\n closePrice: \"163.169998\",\n day: 293\n}, {\n closePrice: \"159.300003\",\n day: 294\n}, {\n closePrice: \"157.440002\",\n day: 295\n}, {\n closePrice: \"162.949997\",\n day: 296\n}, {\n closePrice: \"158.520004\",\n day: 297\n}, {\n closePrice: \"154.729996\",\n day: 298\n}, {\n closePrice: \"150.619995\",\n day: 299\n}, {\n closePrice: \"155.089996\",\n day: 300\n}, {\n closePrice: \"159.589996\",\n day: 301\n}, {\n closePrice: \"160.619995\",\n day: 302\n}, {\n closePrice: \"163.979996\",\n day: 303\n}, {\n closePrice: \"165.380005\",\n day: 304\n}, {\n closePrice: \"168.820007\",\n day: 305\n}, {\n closePrice: \"170.210007\",\n day: 306\n}, {\n closePrice: \"174.070007\",\n day: 307\n}, {\n closePrice: \"174.720001\",\n day: 308\n}, {\n closePrice: \"175.600006\",\n day: 309\n}, {\n closePrice: \"178.960007\",\n day: 310\n}, {\n closePrice: \"177.770004\",\n day: 311\n}, {\n closePrice: \"174.610001\",\n day: 312\n}, {\n closePrice: \"174.309998\",\n day: 313\n}, {\n closePrice: \"178.440002\",\n day: 314\n}, {\n closePrice: \"175.059998\",\n day: 315\n}, {\n closePrice: \"171.830002\",\n day: 316\n}, {\n closePrice: \"172.139999\",\n day: 317\n}, {\n closePrice: \"170.089996\",\n day: 318\n}, {\n closePrice: \"165.75\",\n day: 319\n}, {\n closePrice: \"167.660004\",\n day: 320\n}, {\n closePrice: \"170.399994\",\n day: 321\n}, {\n closePrice: \"165.289993\",\n day: 322\n}, {\n closePrice: \"165.070007\",\n day: 323\n}, {\n closePrice: \"167.399994\",\n day: 324\n}, {\n closePrice: \"167.229996\",\n day: 325\n}, {\n closePrice: \"166.419998\",\n day: 326\n}, {\n closePrice: \"161.789993\",\n day: 327\n}, {\n closePrice: \"162.880005\",\n day: 328\n}, {\n closePrice: \"156.800003\",\n day: 329\n}, {\n closePrice: \"156.570007\",\n day: 330\n}, {\n closePrice: \"163.639999\",\n day: 331\n}, {\n closePrice: \"157.649994\",\n day: 332\n}, {\n closePrice: \"157.960007\",\n day: 333\n}, {\n closePrice: \"159.479996\",\n day: 334\n}, {\n closePrice: \"166.020004\",\n day: 335\n}, {\n closePrice: \"156.770004\",\n day: 336\n}, {\n closePrice: \"157.279999\",\n day: 337\n}, {\n closePrice: \"152.059998\",\n day: 338\n}, {\n closePrice: \"154.509995\",\n day: 339\n}, {\n closePrice: \"146.5\",\n day: 340\n}, {\n closePrice: \"142.559998\",\n day: 341\n}, {\n closePrice: \"147.110001\",\n day: 342\n}, {\n closePrice: \"145.539993\",\n day: 343\n}, {\n closePrice: \"149.240005\",\n day: 344\n}, {\n closePrice: \"140.820007\",\n day: 345\n}, {\n closePrice: \"137.350006\",\n day: 346\n}, {\n closePrice: \"137.589996\",\n day: 347\n}, {\n closePrice: \"143.110001\",\n day: 348\n}, {\n closePrice: \"140.360001\",\n day: 349\n}, {\n closePrice: \"140.520004\",\n day: 350\n}, {\n closePrice: \"143.779999\",\n day: 351\n}, {\n closePrice: \"149.639999\",\n day: 352\n}, {\n closePrice: \"148.839996\",\n day: 353\n}, {\n closePrice: \"148.710007\",\n day: 354\n}, {\n closePrice: \"151.210007\",\n day: 355\n}, {\n closePrice: \"145.380005\",\n day: 356\n}, {\n closePrice: \"146.139999\",\n day: 357\n}, {\n closePrice: \"148.710007\",\n day: 358\n}, {\n closePrice: \"147.960007\",\n day: 359\n}, {\n closePrice: \"142.639999\",\n day: 360\n}, {\n closePrice: \"137.130005\",\n day: 361\n}, {\n closePrice: \"131.880005\",\n day: 362\n}, {\n closePrice: \"132.759995\",\n day: 363\n}, {\n closePrice: \"135.429993\",\n day: 364\n}, {\n closePrice: \"130.059998\",\n day: 365\n}, {\n closePrice: \"131.559998\",\n day: 366\n}, {\n closePrice: \"135.869995\",\n day: 367\n}, {\n closePrice: \"135.350006\",\n day: 368\n}, {\n closePrice: \"138.270004\",\n day: 369\n}, {\n closePrice: \"141.660004\",\n day: 370\n}, {\n closePrice: \"141.660004\",\n day: 371\n}, {\n closePrice: \"137.440002\",\n day: 372\n}, {\n closePrice: \"139.229996\",\n day: 373\n}, {\n closePrice: \"136.720001\",\n day: 374\n}, {\n closePrice: \"138.929993\",\n day: 375\n}, {\n closePrice: \"141.559998\",\n day: 376\n}, {\n closePrice: \"142.919998\",\n day: 377\n}, {\n closePrice: \"146.350006\",\n day: 378\n}, {\n closePrice: \"147.039993\",\n day: 379\n}, {\n closePrice: \"144.869995\",\n day: 380\n}]\n\nexport const nflx_data = [ { ticker: 'SLTH' }, {\n closePrice: \"508.890015\",\n day: 1\n}, {\n closePrice: \"510.399994\",\n day: 2\n}, {\n closePrice: \"499.100006\",\n day: 3\n}, {\n closePrice: \"494.25\",\n day: 4\n}, {\n closePrice: \"507.790009\",\n day: 5\n}, {\n closePrice: \"500.859985\",\n day: 6\n}, {\n closePrice: \"497.980011\",\n day: 7\n}, {\n closePrice: \"501.769989\",\n day: 8\n}, {\n closePrice: \"586.340027\",\n day: 9\n}, {\n closePrice: \"579.840027\",\n day: 10\n}, {\n closePrice: \"565.169983\",\n day: 11\n}, {\n closePrice: \"556.780029\",\n day: 12\n}, {\n closePrice: \"561.929993\",\n day: 13\n}, {\n closePrice: \"523.280029\",\n day: 14\n}, {\n closePrice: \"538.599976\",\n day: 15\n}, {\n closePrice: \"532.390015\",\n day: 16\n}, {\n closePrice: \"539.039978\",\n day: 17\n}, {\n closePrice: \"548.159973\",\n day: 18\n}, {\n closePrice: \"539.450012\",\n day: 19\n}, {\n closePrice: \"552.159973\",\n day: 20\n}, {\n closePrice: \"550.789978\",\n day: 21\n}, {\n closePrice: \"547.919983\",\n day: 22\n}, {\n closePrice: \"559.070007\",\n day: 23\n}, {\n closePrice: \"563.590027\",\n day: 24\n}, {\n closePrice: \"557.590027\",\n day: 25\n}, {\n closePrice: \"556.52002\",\n day: 26\n}, {\n closePrice: \"557.280029\",\n day: 27\n}, {\n closePrice: \"551.340027\",\n day: 28\n}, {\n closePrice: \"548.219971\",\n day: 29\n}, {\n closePrice: \"540.219971\",\n day: 30\n}, {\n closePrice: \"533.780029\",\n day: 31\n}, {\n closePrice: \"546.150024\",\n day: 32\n}, {\n closePrice: \"553.409973\",\n day: 33\n}, {\n closePrice: \"546.700012\",\n day: 34\n}, {\n closePrice: \"538.849976\",\n day: 35\n}, {\n closePrice: \"550.640015\",\n day: 36\n}, {\n closePrice: \"547.820007\",\n day: 37\n}, {\n closePrice: \"520.700012\",\n day: 38\n}, {\n closePrice: \"511.290009\",\n day: 39\n}, {\n closePrice: \"516.390015\",\n day: 40\n}, {\n closePrice: \"493.329987\",\n day: 41\n}, {\n closePrice: \"506.440002\",\n day: 42\n}, {\n closePrice: \"504.540009\",\n day: 43\n}, {\n closePrice: \"523.059998\",\n day: 44\n}, {\n closePrice: \"518.02002\",\n day: 45\n}, {\n closePrice: \"520.25\",\n day: 46\n}, {\n closePrice: \"524.030029\",\n day: 47\n}, {\n closePrice: \"524.440002\",\n day: 48\n}, {\n closePrice: \"504.790009\",\n day: 49\n}, {\n closePrice: \"512.179993\",\n day: 50\n}, {\n closePrice: \"523.109985\",\n day: 51\n}, {\n closePrice: \"535.090027\",\n day: 52\n}, {\n closePrice: \"520.809998\",\n day: 53\n}, {\n closePrice: \"502.859985\",\n day: 54\n}, {\n closePrice: \"508.049988\",\n day: 55\n}, {\n closePrice: \"513.950012\",\n day: 56\n}, {\n closePrice: \"513.390015\",\n day: 57\n}, {\n closePrice: \"521.659973\",\n day: 58\n}, {\n closePrice: \"539.419983\",\n day: 59\n}, {\n closePrice: \"540.669983\",\n day: 60\n}, {\n closePrice: \"544.530029\",\n day: 61\n}, {\n closePrice: \"546.98999\",\n day: 62\n}, {\n closePrice: \"554.580017\",\n day: 63\n}, {\n closePrice: \"555.309998\",\n day: 64\n}, {\n closePrice: \"552.780029\",\n day: 65\n}, {\n closePrice: \"553.72998\",\n day: 66\n}, {\n closePrice: \"540.02002\",\n day: 67\n}, {\n closePrice: \"549.219971\",\n day: 68\n}, {\n closePrice: \"546.539978\",\n day: 69\n}, {\n closePrice: \"554.440002\",\n day: 70\n}, {\n closePrice: \"549.570007\",\n day: 71\n}, {\n closePrice: \"508.899994\",\n day: 72\n}, {\n closePrice: \"508.779999\",\n day: 73\n}, {\n closePrice: \"505.549988\",\n day: 74\n}, {\n closePrice: \"510.299988\",\n day: 75\n}, {\n closePrice: \"505.549988\",\n day: 76\n}, {\n closePrice: \"506.519989\",\n day: 77\n}, {\n closePrice: \"509\",\n day: 78\n}, {\n closePrice: \"513.469971\",\n day: 79\n}, {\n closePrice: \"509.109985\",\n day: 80\n}, {\n closePrice: \"503.179993\",\n day: 81\n}, {\n closePrice: \"496.079987\",\n day: 82\n}, {\n closePrice: \"499.549988\",\n day: 83\n}, {\n closePrice: \"503.839996\",\n day: 84\n}, {\n closePrice: \"486.690002\",\n day: 85\n}, {\n closePrice: \"495.079987\",\n day: 86\n}, {\n closePrice: \"484.980011\",\n day: 87\n}, {\n closePrice: \"486.660004\",\n day: 88\n}, {\n closePrice: \"493.369995\",\n day: 89\n}, {\n closePrice: \"488.940002\",\n day: 90\n}, {\n closePrice: \"486.279999\",\n day: 91\n}, {\n closePrice: \"487.700012\",\n day: 92\n}, {\n closePrice: \"501.670013\",\n day: 93\n}, {\n closePrice: \"497.890015\",\n day: 94\n}, {\n closePrice: \"502.899994\",\n day: 95\n}, {\n closePrice: \"501.339996\",\n day: 96\n}, {\n closePrice: \"502.359985\",\n day: 97\n}, {\n closePrice: \"503.859985\",\n day: 98\n}, {\n closePrice: \"502.809998\",\n day: 99\n}, {\n closePrice: \"499.079987\",\n day: 100\n}, {\n closePrice: \"499.23999\",\n day: 101\n}, {\n closePrice: \"489.429993\",\n day: 102\n}, {\n closePrice: \"494.73999\",\n day: 103\n}, {\n closePrice: \"494.660004\",\n day: 104\n}, {\n closePrice: \"492.390015\",\n day: 105\n}, {\n closePrice: \"485.809998\",\n day: 106\n}, {\n closePrice: \"487.269989\",\n day: 107\n}, {\n closePrice: \"488.769989\",\n day: 108\n}, {\n closePrice: \"499.890015\",\n day: 109\n}, {\n closePrice: \"491.899994\",\n day: 110\n}, {\n closePrice: \"492.410004\",\n day: 111\n}, {\n closePrice: \"498.339996\",\n day: 112\n}, {\n closePrice: \"500.769989\",\n day: 113\n}, {\n closePrice: \"497\",\n day: 114\n}, {\n closePrice: \"508.820007\",\n day: 115\n}, {\n closePrice: \"512.73999\",\n day: 116\n}, {\n closePrice: \"518.059998\",\n day: 117\n}, {\n closePrice: \"527.070007\",\n day: 118\n}, {\n closePrice: \"533.030029\",\n day: 119\n}, {\n closePrice: \"533.5\",\n day: 120\n}, {\n closePrice: \"528.210022\",\n day: 121\n}, {\n closePrice: \"533.539978\",\n day: 122\n}, {\n closePrice: \"533.97998\",\n day: 123\n}, {\n closePrice: \"541.640015\",\n day: 124\n}, {\n closePrice: \"535.960022\",\n day: 125\n}, {\n closePrice: \"530.76001\",\n day: 126\n}, {\n closePrice: \"535.97998\",\n day: 127\n}, {\n closePrice: \"537.309998\",\n day: 128\n}, {\n closePrice: \"540.679993\",\n day: 129\n}, {\n closePrice: \"547.950012\",\n day: 130\n}, {\n closePrice: \"542.950012\",\n day: 131\n}, {\n closePrice: \"530.309998\",\n day: 132\n}, {\n closePrice: \"532.280029\",\n day: 133\n}, {\n closePrice: \"531.049988\",\n day: 134\n}, {\n closePrice: \"513.630005\",\n day: 135\n}, {\n closePrice: \"511.769989\",\n day: 136\n}, {\n closePrice: \"515.409973\",\n day: 137\n}, {\n closePrice: \"516.48999\",\n day: 138\n}, {\n closePrice: \"518.909973\",\n day: 139\n}, {\n closePrice: \"519.299988\",\n day: 140\n}, {\n closePrice: \"514.25\",\n day: 141\n}, {\n closePrice: \"517.570007\",\n day: 142\n}, {\n closePrice: \"515.150024\",\n day: 143\n}, {\n closePrice: \"510.820007\",\n day: 144\n}, {\n closePrice: \"517.349976\",\n day: 145\n}, {\n closePrice: \"524.890015\",\n day: 146\n}, {\n closePrice: \"520.549988\",\n day: 147\n}, {\n closePrice: \"519.969971\",\n day: 148\n}, {\n closePrice: \"515.840027\",\n day: 149\n}, {\n closePrice: \"512.400024\",\n day: 150\n}, {\n closePrice: \"510.720001\",\n day: 151\n}, {\n closePrice: \"515.919983\",\n day: 152\n}, {\n closePrice: \"517.919983\",\n day: 153\n}, {\n closePrice: \"518.909973\",\n day: 154\n}, {\n closePrice: \"521.869995\",\n day: 155\n}, {\n closePrice: \"543.710022\",\n day: 156\n}, {\n closePrice: \"546.880005\",\n day: 157\n}, {\n closePrice: \"553.330017\",\n day: 158\n}, {\n closePrice: \"553.409973\",\n day: 159\n}, {\n closePrice: \"547.580017\",\n day: 160\n}, {\n closePrice: \"550.119995\",\n day: 161\n}, {\n closePrice: \"558.919983\",\n day: 162\n}, {\n closePrice: \"566.179993\",\n day: 163\n}, {\n closePrice: \"569.190002\",\n day: 164\n}, {\n closePrice: \"582.070007\",\n day: 165\n}, {\n closePrice: \"588.549988\",\n day: 166\n}, {\n closePrice: \"590.530029\",\n day: 167\n}, {\n closePrice: \"606.710022\",\n day: 168\n}, {\n closePrice: \"606.049988\",\n day: 169\n}, {\n closePrice: \"597.539978\",\n day: 170\n}, {\n closePrice: \"598.719971\",\n day: 171\n}, {\n closePrice: \"589.289978\",\n day: 172\n}, {\n closePrice: \"577.76001\",\n day: 173\n}, {\n closePrice: \"582.869995\",\n day: 174\n}, {\n closePrice: \"586.5\",\n day: 175\n}, {\n closePrice: \"589.349976\",\n day: 176\n}, {\n closePrice: \"575.429993\",\n day: 177\n}, {\n closePrice: \"573.140015\",\n day: 178\n}, {\n closePrice: \"590.650024\",\n day: 179\n}, {\n closePrice: \"593.26001\",\n day: 180\n}, {\n closePrice: \"592.390015\",\n day: 181\n}, {\n closePrice: \"592.640015\",\n day: 182\n}, {\n closePrice: \"583.849976\",\n day: 183\n}, {\n closePrice: \"599.059998\",\n day: 184\n}, {\n closePrice: \"610.340027\",\n day: 185\n}, {\n closePrice: \"613.150024\",\n day: 186\n}, {\n closePrice: \"603.349976\",\n day: 187\n}, {\n closePrice: \"634.809998\",\n day: 188\n}, {\n closePrice: \"639.099976\",\n day: 189\n}, {\n closePrice: \"631.849976\",\n day: 190\n}, {\n closePrice: \"632.659973\",\n day: 191\n}, {\n closePrice: \"627.039978\",\n day: 192\n}, {\n closePrice: \"624.940002\",\n day: 193\n}, {\n closePrice: \"629.76001\",\n day: 194\n}, {\n closePrice: \"633.799988\",\n day: 195\n}, {\n closePrice: \"628.289978\",\n day: 196\n}, {\n closePrice: \"637.969971\",\n day: 197\n}, {\n closePrice: \"639\",\n day: 198\n}, {\n closePrice: \"625.140015\",\n day: 199\n}, {\n closePrice: \"653.159973\",\n day: 200\n}, {\n closePrice: \"664.780029\",\n day: 201\n}, {\n closePrice: \"671.659973\",\n day: 202\n}, {\n closePrice: \"668.52002\",\n day: 203\n}, {\n closePrice: \"662.919983\",\n day: 204\n}, {\n closePrice: \"674.049988\",\n day: 205\n}, {\n closePrice: \"690.309998\",\n day: 206\n}, {\n closePrice: \"681.169983\",\n day: 207\n}, {\n closePrice: \"677.719971\",\n day: 208\n}, {\n closePrice: \"688.289978\",\n day: 209\n}, {\n closePrice: \"668.400024\",\n day: 210\n}, {\n closePrice: \"645.719971\",\n day: 211\n}, {\n closePrice: \"651.450012\",\n day: 212\n}, {\n closePrice: \"655.98999\",\n day: 213\n}, {\n closePrice: \"646.909973\",\n day: 214\n}, {\n closePrice: \"657.580017\",\n day: 215\n}, {\n closePrice: \"682.609985\",\n day: 216\n}, {\n closePrice: \"679.330017\",\n day: 217\n}, {\n closePrice: \"687.400024\",\n day: 218\n}, {\n closePrice: \"691.690002\",\n day: 219\n}, {\n closePrice: \"682.02002\",\n day: 220\n}, {\n closePrice: \"678.799988\",\n day: 221\n}, {\n closePrice: \"659.200012\",\n day: 222\n}, {\n closePrice: \"654.059998\",\n day: 223\n}, {\n closePrice: \"658.289978\",\n day: 224\n}, {\n closePrice: \"665.640015\",\n day: 225\n}, {\n closePrice: \"663.840027\",\n day: 226\n}, {\n closePrice: \"641.900024\",\n day: 227\n}, {\n closePrice: \"617.77002\",\n day: 228\n}, {\n closePrice: \"616.469971\",\n day: 229\n}, {\n closePrice: \"602.130005\",\n day: 230\n}, {\n closePrice: \"612.690002\",\n day: 231\n}, {\n closePrice: \"625.580017\",\n day: 232\n}, {\n closePrice: \"628.080017\",\n day: 233\n}, {\n closePrice: \"611\",\n day: 234\n}, {\n closePrice: \"611.659973\",\n day: 235\n}, {\n closePrice: \"604.559998\",\n day: 236\n}, {\n closePrice: \"597.98999\",\n day: 237\n}, {\n closePrice: \"605.039978\",\n day: 238\n}, {\n closePrice: \"591.059998\",\n day: 239\n}, {\n closePrice: \"586.72998\",\n day: 240\n}, {\n closePrice: \"593.73999\",\n day: 241\n}, {\n closePrice: \"604.919983\",\n day: 242\n}, {\n closePrice: \"614.23999\",\n day: 243\n}, {\n closePrice: \"614.090027\",\n day: 244\n}, {\n closePrice: \"613.119995\",\n day: 245\n}, {\n closePrice: \"610.710022\",\n day: 246\n}, {\n closePrice: \"610.539978\",\n day: 247\n}, {\n closePrice: \"612.090027\",\n day: 248\n}, {\n closePrice: \"602.440002\",\n day: 249\n}, {\n closePrice: \"597.369995\",\n day: 250\n}, {\n closePrice: \"591.150024\",\n day: 251\n}, {\n closePrice: \"567.52002\",\n day: 252\n}, {\n closePrice: \"553.289978\",\n day: 253\n}, {\n closePrice: \"541.059998\",\n day: 254\n}, {\n closePrice: \"539.849976\",\n day: 255\n}, {\n closePrice: \"540.840027\",\n day: 256\n}, {\n closePrice: \"537.219971\",\n day: 257\n}, {\n closePrice: \"519.200012\",\n day: 258\n}, {\n closePrice: \"525.690002\",\n day: 259\n}, {\n closePrice: \"510.799988\",\n day: 260\n}, {\n closePrice: \"515.859985\",\n day: 261\n}, {\n closePrice: \"508.25\",\n day: 262\n}, {\n closePrice: \"397.5\",\n day: 263\n}, {\n closePrice: \"387.149994\",\n day: 264\n}, {\n closePrice: \"366.420013\",\n day: 265\n}, {\n closePrice: \"359.700012\",\n day: 266\n}, {\n closePrice: \"386.700012\",\n day: 267\n}, {\n closePrice: \"384.359985\",\n day: 268\n}, {\n closePrice: \"427.140015\",\n day: 269\n}, {\n closePrice: \"457.130005\",\n day: 270\n}, {\n closePrice: \"429.480011\",\n day: 271\n}, {\n closePrice: \"405.600006\",\n day: 272\n}, {\n closePrice: \"410.170013\",\n day: 273\n}, {\n closePrice: \"402.100006\",\n day: 274\n}, {\n closePrice: \"403.529999\",\n day: 275\n}, {\n closePrice: \"412.890015\",\n day: 276\n}, {\n closePrice: \"406.269989\",\n day: 277\n}, {\n closePrice: \"391.309998\",\n day: 278\n}, {\n closePrice: \"396.570007\",\n day: 279\n}, {\n closePrice: \"407.459991\",\n day: 280\n}, {\n closePrice: \"398.079987\",\n day: 281\n}, {\n closePrice: \"386.670013\",\n day: 282\n}, {\n closePrice: \"391.290009\",\n day: 283\n}, {\n closePrice: \"377.380005\",\n day: 284\n}, {\n closePrice: \"367.459991\",\n day: 285\n}, {\n closePrice: \"390.029999\",\n day: 286\n}, {\n closePrice: \"390.799988\",\n day: 287\n}, {\n closePrice: \"394.519989\",\n day: 288\n}, {\n closePrice: \"386.23999\",\n day: 289\n}, {\n closePrice: \"380.029999\",\n day: 290\n}, {\n closePrice: \"368.070007\",\n day: 291\n}, {\n closePrice: \"361.730011\",\n day: 292\n}, {\n closePrice: \"350.26001\",\n day: 293\n}, {\n closePrice: \"341.76001\",\n day: 294\n}, {\n closePrice: \"358.790009\",\n day: 295\n}, {\n closePrice: \"356.769989\",\n day: 296\n}, {\n closePrice: \"340.320007\",\n day: 297\n}, {\n closePrice: \"331.01001\",\n day: 298\n}, {\n closePrice: \"343.75\",\n day: 299\n}, {\n closePrice: \"357.529999\",\n day: 300\n}, {\n closePrice: \"371.399994\",\n day: 301\n}, {\n closePrice: \"380.600006\",\n day: 302\n}, {\n closePrice: \"374.589996\",\n day: 303\n}, {\n closePrice: \"382.920013\",\n day: 304\n}, {\n closePrice: \"374.48999\",\n day: 305\n}, {\n closePrice: \"375.709991\",\n day: 306\n}, {\n closePrice: \"373.850006\",\n day: 307\n}, {\n closePrice: \"378.51001\",\n day: 308\n}, {\n closePrice: \"391.820007\",\n day: 309\n}, {\n closePrice: \"381.470001\",\n day: 310\n}, {\n closePrice: \"374.589996\",\n day: 311\n}, {\n closePrice: \"373.470001\",\n day: 312\n}, {\n closePrice: \"391.5\",\n day: 313\n}, {\n closePrice: \"380.149994\",\n day: 314\n}, {\n closePrice: \"368.350006\",\n day: 315\n}, {\n closePrice: \"362.149994\",\n day: 316\n}, {\n closePrice: \"355.880005\",\n day: 317\n}, {\n closePrice: \"348\",\n day: 318\n}, {\n closePrice: \"344.100006\",\n day: 319\n}, {\n closePrice: \"350.429993\",\n day: 320\n}, {\n closePrice: \"341.130005\",\n day: 321\n}, {\n closePrice: \"337.859985\",\n day: 322\n}, {\n closePrice: \"348.609985\",\n day: 323\n}, {\n closePrice: \"226.190002\",\n day: 324\n}, {\n closePrice: \"218.220001\",\n day: 325\n}, {\n closePrice: \"215.520004\",\n day: 326\n}, {\n closePrice: \"209.910004\",\n day: 327\n}, {\n closePrice: \"198.399994\",\n day: 328\n}, {\n closePrice: \"188.539993\",\n day: 329\n}, {\n closePrice: \"199.520004\",\n day: 330\n}, {\n closePrice: \"190.360001\",\n day: 331\n}, {\n closePrice: \"199.460007\",\n day: 332\n}, {\n closePrice: \"199.869995\",\n day: 333\n}, {\n closePrice: \"204.009995\",\n day: 334\n}, {\n closePrice: \"188.320007\",\n day: 335\n}, {\n closePrice: \"180.970001\",\n day: 336\n}, {\n closePrice: \"173.100006\",\n day: 337\n}, {\n closePrice: \"177.660004\",\n day: 338\n}, {\n closePrice: \"166.369995\",\n day: 339\n}, {\n closePrice: \"174.309998\",\n day: 340\n}, {\n closePrice: \"187.639999\",\n day: 341\n}, {\n closePrice: \"186.509995\",\n day: 342\n}, {\n closePrice: \"190.559998\",\n day: 343\n}, {\n closePrice: \"177.190002\",\n day: 344\n}, {\n closePrice: \"183.479996\",\n day: 345\n}, {\n closePrice: \"186.350006\",\n day: 346\n}, {\n closePrice: \"187.440002\",\n day: 347\n}, {\n closePrice: \"180.339996\",\n day: 348\n}, {\n closePrice: \"187.830002\",\n day: 349\n}, {\n closePrice: \"191.399994\",\n day: 350\n}, {\n closePrice: \"195.190002\",\n day: 351\n}, {\n closePrice: \"197.440002\",\n day: 352\n}, {\n closePrice: \"192.910004\",\n day: 353\n}, {\n closePrice: \"205.089996\",\n day: 354\n}, {\n closePrice: \"198.979996\",\n day: 355\n}, {\n closePrice: \"197.139999\",\n day: 356\n}, {\n closePrice: \"198.610001\",\n day: 357\n}, {\n closePrice: \"202.830002\",\n day: 358\n}, {\n closePrice: \"192.770004\",\n day: 359\n}, {\n closePrice: \"182.940002\",\n day: 360\n}, {\n closePrice: \"169.690002\",\n day: 361\n}, {\n closePrice: \"167.539993\",\n day: 362\n}, {\n closePrice: \"180.110001\",\n day: 363\n}, {\n closePrice: \"173.350006\",\n day: 364\n}, {\n closePrice: \"175.509995\",\n day: 365\n}, {\n closePrice: \"170.910004\",\n day: 366\n}, {\n closePrice: \"178.889999\",\n day: 367\n}, {\n closePrice: \"181.710007\",\n day: 368\n}, {\n closePrice: \"190.850006\",\n day: 369\n}, {\n closePrice: \"189.139999\",\n day: 370\n}, {\n closePrice: \"179.600006\",\n day: 371\n}, {\n closePrice: \"178.360001\",\n day: 372\n}, {\n closePrice: \"174.869995\",\n day: 373\n}, {\n closePrice: \"179.949997\",\n day: 374\n}, {\n closePrice: \"185.880005\",\n day: 375\n}, {\n closePrice: \"184.059998\",\n day: 376\n}, {\n closePrice: \"189.270004\",\n day: 377\n}, {\n closePrice: \"186.979996\",\n day: 378\n}, {\n closePrice: \"177.339996\",\n day: 379\n}, {\n closePrice: \"174.449997\",\n day: 380\n}]\n\nexport const tsla_data = [ { ticker: 'TURT' }, {\n closePrice: \"755.97998\",\n day: 1\n}, {\n closePrice: \"816.039978\",\n day: 2\n}, {\n closePrice: \"880.02002\",\n day: 3\n}, {\n closePrice: \"811.190002\",\n day: 4\n}, {\n closePrice: \"849.440002\",\n day: 5\n}, {\n closePrice: \"854.409973\",\n day: 6\n}, {\n closePrice: \"845\",\n day: 7\n}, {\n closePrice: \"826.159973\",\n day: 8\n}, {\n closePrice: \"844.549988\",\n day: 9\n}, {\n closePrice: \"850.450012\",\n day: 10\n}, {\n closePrice: \"844.98999\",\n day: 11\n}, {\n closePrice: \"846.640015\",\n day: 12\n}, {\n closePrice: \"880.799988\",\n day: 13\n}, {\n closePrice: \"883.090027\",\n day: 14\n}, {\n closePrice: \"864.159973\",\n day: 15\n}, {\n closePrice: \"835.429993\",\n day: 16\n}, {\n closePrice: \"793.530029\",\n day: 17\n}, {\n closePrice: \"839.809998\",\n day: 18\n}, {\n closePrice: \"872.789978\",\n day: 19\n}, {\n closePrice: \"854.690002\",\n day: 20\n}, {\n closePrice: \"849.98999\",\n day: 21\n}, {\n closePrice: \"852.22998\",\n day: 22\n}, {\n closePrice: \"863.419983\",\n day: 23\n}, {\n closePrice: \"849.460022\",\n day: 24\n}, {\n closePrice: \"804.820007\",\n day: 25\n}, {\n closePrice: \"811.659973\",\n day: 26\n}, {\n closePrice: \"816.119995\",\n day: 27\n}, {\n closePrice: \"796.219971\",\n day: 28\n}, {\n closePrice: \"798.150024\",\n day: 29\n}, {\n closePrice: \"787.380005\",\n day: 30\n}, {\n closePrice: \"781.299988\",\n day: 31\n}, {\n closePrice: \"714.5\",\n day: 32\n}, {\n closePrice: \"698.840027\",\n day: 33\n}, {\n closePrice: \"742.02002\",\n day: 34\n}, {\n closePrice: \"682.219971\",\n day: 35\n}, {\n closePrice: \"675.5\",\n day: 36\n}, {\n closePrice: \"718.429993\",\n day: 37\n}, {\n closePrice: \"686.440002\",\n day: 38\n}, {\n closePrice: \"653.200012\",\n day: 39\n}, {\n closePrice: \"621.440002\",\n day: 40\n}, {\n closePrice: \"597.950012\",\n day: 41\n}, {\n closePrice: \"563\",\n day: 42\n}, {\n closePrice: \"673.580017\",\n day: 43\n}, {\n closePrice: \"668.059998\",\n day: 44\n}, {\n closePrice: \"699.599976\",\n day: 45\n}, {\n closePrice: \"693.72998\",\n day: 46\n}, {\n closePrice: \"707.940002\",\n day: 47\n}, {\n closePrice: \"676.880005\",\n day: 48\n}, {\n closePrice: \"701.809998\",\n day: 49\n}, {\n closePrice: \"653.159973\",\n day: 50\n}, {\n closePrice: \"654.869995\",\n day: 51\n}, {\n closePrice: \"670\",\n day: 52\n}, {\n closePrice: \"662.159973\",\n day: 53\n}, {\n closePrice: \"630.27002\",\n day: 54\n}, {\n closePrice: \"640.390015\",\n day: 55\n}, {\n closePrice: \"618.710022\",\n day: 56\n}, {\n closePrice: \"611.289978\",\n day: 57\n}, {\n closePrice: \"635.619995\",\n day: 58\n}, {\n closePrice: \"667.929993\",\n day: 59\n}, {\n closePrice: \"661.75\",\n day: 60\n}, {\n closePrice: \"691.049988\",\n day: 61\n}, {\n closePrice: \"691.619995\",\n day: 62\n}, {\n closePrice: \"670.969971\",\n day: 63\n}, {\n closePrice: \"683.799988\",\n day: 64\n}, {\n closePrice: \"677.02002\",\n day: 65\n}, {\n closePrice: \"701.97998\",\n day: 66\n}, {\n closePrice: \"762.320007\",\n day: 67\n}, {\n closePrice: \"732.22998\",\n day: 68\n}, {\n closePrice: \"738.849976\",\n day: 69\n}, {\n closePrice: \"739.780029\",\n day: 70\n}, {\n closePrice: \"714.630005\",\n day: 71\n}, {\n closePrice: \"718.98999\",\n day: 72\n}, {\n closePrice: \"744.119995\",\n day: 73\n}, {\n closePrice: \"719.690002\",\n day: 74\n}, {\n closePrice: \"729.400024\",\n day: 75\n}, {\n closePrice: \"738.200012\",\n day: 76\n}, {\n closePrice: \"704.73999\",\n day: 77\n}, {\n closePrice: \"694.400024\",\n day: 78\n}, {\n closePrice: \"677\",\n day: 79\n}, {\n closePrice: \"709.440002\",\n day: 80\n}, {\n closePrice: \"684.900024\",\n day: 81\n}, {\n closePrice: \"673.599976\",\n day: 82\n}, {\n closePrice: \"670.940002\",\n day: 83\n}, {\n closePrice: \"663.539978\",\n day: 84\n}, {\n closePrice: \"672.369995\",\n day: 85\n}, {\n closePrice: \"629.039978\",\n day: 86\n}, {\n closePrice: \"617.200012\",\n day: 87\n}, {\n closePrice: \"589.890015\",\n day: 88\n}, {\n closePrice: \"571.690002\",\n day: 89\n}, {\n closePrice: \"589.73999\",\n day: 90\n}, {\n closePrice: \"576.830017\",\n day: 91\n}, {\n closePrice: \"577.869995\",\n day: 92\n}, {\n closePrice: \"563.460022\",\n day: 93\n}, {\n closePrice: \"586.780029\",\n day: 94\n}, {\n closePrice: \"580.880005\",\n day: 95\n}, {\n closePrice: \"606.440002\",\n day: 96\n}, {\n closePrice: \"604.690002\",\n day: 97\n}, {\n closePrice: \"619.130005\",\n day: 98\n}, {\n closePrice: \"630.849976\",\n day: 99\n}, {\n closePrice: \"625.219971\",\n day: 100\n}, {\n closePrice: \"623.900024\",\n day: 101\n}, {\n closePrice: \"605.119995\",\n day: 102\n}, {\n closePrice: \"572.840027\",\n day: 103\n}, {\n closePrice: \"599.049988\",\n day: 104\n}, {\n closePrice: \"605.130005\",\n day: 105\n}, {\n closePrice: \"603.590027\",\n day: 106\n}, {\n closePrice: \"598.780029\",\n day: 107\n}, {\n closePrice: \"610.119995\",\n day: 108\n}, {\n closePrice: \"609.890015\",\n day: 109\n}, {\n closePrice: \"617.690002\",\n day: 110\n}, {\n closePrice: \"599.359985\",\n day: 111\n}, {\n closePrice: \"604.869995\",\n day: 112\n}, {\n closePrice: \"616.599976\",\n day: 113\n}, {\n closePrice: \"623.309998\",\n day: 114\n}, {\n closePrice: \"620.830017\",\n day: 115\n}, {\n closePrice: \"623.710022\",\n day: 116\n}, {\n closePrice: \"656.570007\",\n day: 117\n}, {\n closePrice: \"679.820007\",\n day: 118\n}, {\n closePrice: \"671.869995\",\n day: 119\n}, {\n closePrice: \"688.719971\",\n day: 120\n}, {\n closePrice: \"680.76001\",\n day: 121\n}, {\n closePrice: \"679.700012\",\n day: 122\n}, {\n closePrice: \"677.919983\",\n day: 123\n}, {\n closePrice: \"678.900024\",\n day: 124\n}, {\n closePrice: \"659.580017\",\n day: 125\n}, {\n closePrice: \"644.650024\",\n day: 126\n}, {\n closePrice: \"652.809998\",\n day: 127\n}, {\n closePrice: \"656.950012\",\n day: 128\n}, {\n closePrice: \"685.700012\",\n day: 129\n}, {\n closePrice: \"668.539978\",\n day: 130\n}, {\n closePrice: \"653.380005\",\n day: 131\n}, {\n closePrice: \"650.599976\",\n day: 132\n}, {\n closePrice: \"644.219971\",\n day: 133\n}, {\n closePrice: \"646.219971\",\n day: 134\n}, {\n closePrice: \"660.5\",\n day: 135\n}, {\n closePrice: \"655.289978\",\n day: 136\n}, {\n closePrice: \"649.26001\",\n day: 137\n}, {\n closePrice: \"643.380005\",\n day: 138\n}, {\n closePrice: \"657.619995\",\n day: 139\n}, {\n closePrice: \"644.780029\",\n day: 140\n}, {\n closePrice: \"646.97998\",\n day: 141\n}, {\n closePrice: \"677.349976\",\n day: 142\n}, {\n closePrice: \"687.200012\",\n day: 143\n}, {\n closePrice: \"709.669983\",\n day: 144\n}, {\n closePrice: \"709.73999\",\n day: 145\n}, {\n closePrice: \"710.919983\",\n day: 146\n}, {\n closePrice: \"714.630005\",\n day: 147\n}, {\n closePrice: \"699.099976\",\n day: 148\n}, {\n closePrice: \"713.76001\",\n day: 149\n}, {\n closePrice: \"709.98999\",\n day: 150\n}, {\n closePrice: \"707.820007\",\n day: 151\n}, {\n closePrice: \"722.25\",\n day: 152\n}, {\n closePrice: \"717.169983\",\n day: 153\n}, {\n closePrice: \"686.169983\",\n day: 154\n}, {\n closePrice: \"665.710022\",\n day: 155\n}, {\n closePrice: \"688.98999\",\n day: 156\n}, {\n closePrice: \"673.469971\",\n day: 157\n}, {\n closePrice: \"680.26001\",\n day: 158\n}, {\n closePrice: \"706.299988\",\n day: 159\n}, {\n closePrice: \"708.48999\",\n day: 160\n}, {\n closePrice: \"711.200012\",\n day: 161\n}, {\n closePrice: \"701.159973\",\n day: 162\n}, {\n closePrice: \"711.919983\",\n day: 163\n}, {\n closePrice: \"730.909973\",\n day: 164\n}, {\n closePrice: \"735.719971\",\n day: 165\n}, {\n closePrice: \"734.090027\",\n day: 166\n}, {\n closePrice: \"732.390015\",\n day: 167\n}, {\n closePrice: \"733.570007\",\n day: 168\n}, {\n closePrice: \"752.919983\",\n day: 169\n}, {\n closePrice: \"753.869995\",\n day: 170\n}, {\n closePrice: \"754.859985\",\n day: 171\n}, {\n closePrice: \"736.27002\",\n day: 172\n}, {\n closePrice: \"743\",\n day: 173\n}, {\n closePrice: \"744.48999\",\n day: 174\n}, {\n closePrice: \"755.830017\",\n day: 175\n}, {\n closePrice: \"756.98999\",\n day: 176\n}, {\n closePrice: \"759.48999\",\n day: 177\n}, {\n closePrice: \"730.169983\",\n day: 178\n}, {\n closePrice: \"739.380005\",\n day: 179\n}, {\n closePrice: \"751.940002\",\n day: 180\n}, {\n closePrice: \"753.640015\",\n day: 181\n}, {\n closePrice: \"774.390015\",\n day: 182\n}, {\n closePrice: \"791.359985\",\n day: 183\n}, {\n closePrice: \"777.559998\",\n day: 184\n}, {\n closePrice: \"781.309998\",\n day: 185\n}, {\n closePrice: \"775.47998\",\n day: 186\n}, {\n closePrice: \"775.219971\",\n day: 187\n}, {\n closePrice: \"781.530029\",\n day: 188\n}, {\n closePrice: \"780.590027\",\n day: 189\n}, {\n closePrice: \"782.75\",\n day: 190\n}, {\n closePrice: \"793.609985\",\n day: 191\n}, {\n closePrice: \"785.48999\",\n day: 192\n}, {\n closePrice: \"791.940002\",\n day: 193\n}, {\n closePrice: \"805.719971\",\n day: 194\n}, {\n closePrice: \"811.080017\",\n day: 195\n}, {\n closePrice: \"818.320007\",\n day: 196\n}, {\n closePrice: \"843.030029\",\n day: 197\n}, {\n closePrice: \"870.109985\",\n day: 198\n}, {\n closePrice: \"864.27002\",\n day: 199\n}, {\n closePrice: \"865.799988\",\n day: 200\n}, {\n closePrice: \"894\",\n day: 201\n}, {\n closePrice: \"909.679993\",\n day: 202\n}, {\n closePrice: \"1024.859985\",\n day: 203\n}, {\n closePrice: \"1018.429993\",\n day: 204\n}, {\n closePrice: \"1037.859985\",\n day: 205\n}, {\n closePrice: \"1077.040039\",\n day: 206\n}, {\n closePrice: \"1114\",\n day: 207\n}, {\n closePrice: \"1208.589966\",\n day: 208\n}, {\n closePrice: \"1172\",\n day: 209\n}, {\n closePrice: \"1213.859985\",\n day: 210\n}, {\n closePrice: \"1229.910034\",\n day: 211\n}, {\n closePrice: \"1222.089966\",\n day: 212\n}, {\n closePrice: \"1162.939941\",\n day: 213\n}, {\n closePrice: \"1023.5\",\n day: 214\n}, {\n closePrice: \"1067.949951\",\n day: 215\n}, {\n closePrice: \"1063.51001\",\n day: 216\n}, {\n closePrice: \"1033.420044\",\n day: 217\n}, {\n closePrice: \"1013.390015\",\n day: 218\n}, {\n closePrice: \"1054.72998\",\n day: 219\n}, {\n closePrice: \"1089.01001\",\n day: 220\n}, {\n closePrice: \"1096.380005\",\n day: 221\n}, {\n closePrice: \"1137.060059\",\n day: 222\n}, {\n closePrice: \"1156.869995\",\n day: 223\n}, {\n closePrice: \"1109.030029\",\n day: 224\n}, {\n closePrice: \"1116\",\n day: 225\n}, {\n closePrice: \"1081.920044\",\n day: 226\n}, {\n closePrice: \"1136.98999\",\n day: 227\n}, {\n closePrice: \"1144.76001\",\n day: 228\n}, {\n closePrice: \"1095\",\n day: 229\n}, {\n closePrice: \"1084.599976\",\n day: 230\n}, {\n closePrice: \"1014.969971\",\n day: 231\n}, {\n closePrice: \"1009.01001\",\n day: 232\n}, {\n closePrice: \"1051.75\",\n day: 233\n}, {\n closePrice: \"1068.959961\",\n day: 234\n}, {\n closePrice: \"1003.799988\",\n day: 235\n}, {\n closePrice: \"1017.030029\",\n day: 236\n}, {\n closePrice: \"966.409973\",\n day: 237\n}, {\n closePrice: \"958.51001\",\n day: 238\n}, {\n closePrice: \"975.98999\",\n day: 239\n}, {\n closePrice: \"926.919983\",\n day: 240\n}, {\n closePrice: \"932.570007\",\n day: 241\n}, {\n closePrice: \"899.940002\",\n day: 242\n}, {\n closePrice: \"938.530029\",\n day: 243\n}, {\n closePrice: \"1008.869995\",\n day: 244\n}, {\n closePrice: \"1067\",\n day: 245\n}, {\n closePrice: \"1093.939941\",\n day: 246\n}, {\n closePrice: \"1088.469971\",\n day: 247\n}, {\n closePrice: \"1086.189941\",\n day: 248\n}, {\n closePrice: \"1070.339966\",\n day: 249\n}, {\n closePrice: \"1056.780029\",\n day: 250\n}, {\n closePrice: \"1199.780029\",\n day: 251\n}, {\n closePrice: \"1149.589966\",\n day: 252\n}, {\n closePrice: \"1088.119995\",\n day: 253\n}, {\n closePrice: \"1064.699951\",\n day: 254\n}, {\n closePrice: \"1026.959961\",\n day: 255\n}, {\n closePrice: \"1058.119995\",\n day: 256\n}, {\n closePrice: \"1064.400024\",\n day: 257\n}, {\n closePrice: \"1106.219971\",\n day: 258\n}, {\n closePrice: \"1031.560059\",\n day: 259\n}, {\n closePrice: \"1049.609985\",\n day: 260\n}, {\n closePrice: \"1030.51001\",\n day: 261\n}, {\n closePrice: \"995.650024\",\n day: 262\n}, {\n closePrice: \"996.27002\",\n day: 263\n}, {\n closePrice: \"943.900024\",\n day: 264\n}, {\n closePrice: \"930\",\n day: 265\n}, {\n closePrice: \"918.400024\",\n day: 266\n}, {\n closePrice: \"937.409973\",\n day: 267\n}, {\n closePrice: \"829.099976\",\n day: 268\n}, {\n closePrice: \"846.349976\",\n day: 269\n}, {\n closePrice: \"936.719971\",\n day: 270\n}, {\n closePrice: \"931.25\",\n day: 271\n}, {\n closePrice: \"905.659973\",\n day: 272\n}, {\n closePrice: \"891.140015\",\n day: 273\n}, {\n closePrice: \"923.320007\",\n day: 274\n}, {\n closePrice: \"907.340027\",\n day: 275\n}, {\n closePrice: \"922\",\n day: 276\n}, {\n closePrice: \"932\",\n day: 277\n}, {\n closePrice: \"904.549988\",\n day: 278\n}, {\n closePrice: \"860\",\n day: 279\n}, {\n closePrice: \"875.76001\",\n day: 280\n}, {\n closePrice: \"922.429993\",\n day: 281\n}, {\n closePrice: \"923.390015\",\n day: 282\n}, {\n closePrice: \"876.349976\",\n day: 283\n}, {\n closePrice: \"856.97998\",\n day: 284\n}, {\n closePrice: \"821.530029\",\n day: 285\n}, {\n closePrice: \"764.039978\",\n day: 286\n}, {\n closePrice: \"800.77002\",\n day: 287\n}, {\n closePrice: \"809.869995\",\n day: 288\n}, {\n closePrice: \"870.429993\",\n day: 289\n}, {\n closePrice: \"864.369995\",\n day: 290\n}, {\n closePrice: \"879.890015\",\n day: 291\n}, {\n closePrice: \"839.289978\",\n day: 292\n}, {\n closePrice: \"838.289978\",\n day: 293\n}, {\n closePrice: \"804.580017\",\n day: 294\n}, {\n closePrice: \"824.400024\",\n day: 295\n}, {\n closePrice: \"858.969971\",\n day: 296\n}, {\n closePrice: \"838.299988\",\n day: 297\n}, {\n closePrice: \"795.349976\",\n day: 298\n}, {\n closePrice: \"766.369995\",\n day: 299\n}, {\n closePrice: \"801.890015\",\n day: 300\n}, {\n closePrice: \"840.22998\",\n day: 301\n}, {\n closePrice: \"871.599976\",\n day: 302\n}, {\n closePrice: \"905.390015\",\n day: 303\n}, {\n closePrice: \"921.159973\",\n day: 304\n}, {\n closePrice: \"993.97998\",\n day: 305\n}, {\n closePrice: \"999.109985\",\n day: 306\n}, {\n closePrice: \"1013.919983\",\n day: 307\n}, {\n closePrice: \"1010.640015\",\n day: 308\n}, {\n closePrice: \"1091.839966\",\n day: 309\n}, {\n closePrice: \"1099.569946\",\n day: 310\n}, {\n closePrice: \"1093.98999\",\n day: 311\n}, {\n closePrice: \"1077.599976\",\n day: 312\n}, {\n closePrice: \"1084.589966\",\n day: 313\n}, {\n closePrice: \"1145.449951\",\n day: 314\n}, {\n closePrice: \"1091.26001\",\n day: 315\n}, {\n closePrice: \"1045.76001\",\n day: 316\n}, {\n closePrice: \"1057.26001\",\n day: 317\n}, {\n closePrice: \"1025.48999\",\n day: 318\n}, {\n closePrice: \"975.929993\",\n day: 319\n}, {\n closePrice: \"986.950012\",\n day: 320\n}, {\n closePrice: \"1022.369995\",\n day: 321\n}, {\n closePrice: \"985\",\n day: 322\n}, {\n closePrice: \"1004.289978\",\n day: 323\n}, {\n closePrice: \"1028.150024\",\n day: 324\n}, {\n closePrice: \"977.200012\",\n day: 325\n}, {\n closePrice: \"1008.780029\",\n day: 326\n}, {\n closePrice: \"1005.049988\",\n day: 327\n}, {\n closePrice: \"998.02002\",\n day: 328\n}, {\n closePrice: \"876.419983\",\n day: 329\n}, {\n closePrice: \"881.51001\",\n day: 330\n}, {\n closePrice: \"877.51001\",\n day: 331\n}, {\n closePrice: \"870.76001\",\n day: 332\n}, {\n closePrice: \"902.940002\",\n day: 333\n}, {\n closePrice: \"909.25\",\n day: 334\n}, {\n closePrice: \"952.619995\",\n day: 335\n}, {\n closePrice: \"873.280029\",\n day: 336\n}, {\n closePrice: \"865.650024\",\n day: 337\n}, {\n closePrice: \"787.109985\",\n day: 338\n}, {\n closePrice: \"800.039978\",\n day: 339\n}, {\n closePrice: \"734\",\n day: 340\n}, {\n closePrice: \"728\",\n day: 341\n}, {\n closePrice: \"769.590027\",\n day: 342\n}, {\n closePrice: \"724.369995\",\n day: 343\n}, {\n closePrice: \"761.609985\",\n day: 344\n}, {\n closePrice: \"709.809998\",\n day: 345\n}, {\n closePrice: \"709.419983\",\n day: 346\n}, {\n closePrice: \"663.900024\",\n day: 347\n}, {\n closePrice: \"674.900024\",\n day: 348\n}, {\n closePrice: \"628.159973\",\n day: 349\n}, {\n closePrice: \"658.799988\",\n day: 350\n}, {\n closePrice: \"707.72998\",\n day: 351\n}, {\n closePrice: \"759.630005\",\n day: 352\n}, {\n closePrice: \"758.26001\",\n day: 353\n}, {\n closePrice: \"740.369995\",\n day: 354\n}, {\n closePrice: \"775\",\n day: 355\n}, {\n closePrice: \"703.549988\",\n day: 356\n}, {\n closePrice: \"714.840027\",\n day: 357\n}, {\n closePrice: \"716.659973\",\n day: 358\n}, {\n closePrice: \"725.599976\",\n day: 359\n}, {\n closePrice: \"719.119995\",\n day: 360\n}, {\n closePrice: \"696.690002\",\n day: 361\n}, {\n closePrice: \"647.210022\",\n day: 362\n}, {\n closePrice: \"662.669983\",\n day: 363\n}, {\n closePrice: \"699\",\n day: 364\n}, {\n closePrice: \"639.299988\",\n day: 365\n}, {\n closePrice: \"650.280029\",\n day: 366\n}, {\n closePrice: \"711.109985\",\n day: 367\n}, {\n closePrice: \"708.26001\",\n day: 368\n}, {\n closePrice: \"705.210022\",\n day: 369\n}, {\n closePrice: \"737.119995\",\n day: 370\n}, {\n closePrice: \"734.76001\",\n day: 371\n}, {\n closePrice: \"697.98999\",\n day: 372\n}, {\n closePrice: \"685.469971\",\n day: 373\n}, {\n closePrice: \"673.419983\",\n day: 374\n}, {\n closePrice: \"681.789978\",\n day: 375\n}, {\n closePrice: \"699.200012\",\n day: 376\n}, {\n closePrice: \"695.200012\",\n day: 377\n}, {\n closePrice: \"733.630005\",\n day: 378\n}, {\n closePrice: \"752.289978\",\n day: 379\n}, {\n closePrice: \"703.030029\",\n day: 380\n}]\n\nexport const goog_data = [ { ticker: 'GIRA' }, {\n closePrice: \"86.764503\",\n day: 1\n}, {\n closePrice: \"89.362503\",\n day: 2\n}, {\n closePrice: \"90.360497\",\n day: 3\n}, {\n closePrice: \"88.335999\",\n day: 4\n}, {\n closePrice: \"87.327499\",\n day: 5\n}, {\n closePrice: \"87.720001\",\n day: 6\n}, {\n closePrice: \"87.009003\",\n day: 7\n}, {\n closePrice: \"86.809502\",\n day: 8\n}, {\n closePrice: \"89.542999\",\n day: 9\n}, {\n closePrice: \"94.345001\",\n day: 10\n}, {\n closePrice: \"94.5625\",\n day: 11\n}, {\n closePrice: \"95.052498\",\n day: 12\n}, {\n closePrice: \"94.970001\",\n day: 13\n}, {\n closePrice: \"95.862\",\n day: 14\n}, {\n closePrice: \"91.539497\",\n day: 15\n}, {\n closePrice: \"93.155502\",\n day: 16\n}, {\n closePrice: \"91.787003\",\n day: 17\n}, {\n closePrice: \"95.067497\",\n day: 18\n}, {\n closePrice: \"96.375504\",\n day: 19\n}, {\n closePrice: \"103.503502\",\n day: 20\n}, {\n closePrice: \"103.1185\",\n day: 21\n}, {\n closePrice: \"104.900002\",\n day: 22\n}, {\n closePrice: \"104.6455\",\n day: 23\n}, {\n closePrice: \"104.175499\",\n day: 24\n}, {\n closePrice: \"104.768997\",\n day: 25\n}, {\n closePrice: \"104.794502\",\n day: 26\n}, {\n closePrice: \"105.205498\",\n day: 27\n}, {\n closePrice: \"106.095001\",\n day: 28\n}, {\n closePrice: \"106.415497\",\n day: 29\n}, {\n closePrice: \"105.860001\",\n day: 30\n}, {\n closePrice: \"105.056999\",\n day: 31\n}, {\n closePrice: \"103.244003\",\n day: 32\n}, {\n closePrice: \"103.542999\",\n day: 33\n}, {\n closePrice: \"104.758499\",\n day: 34\n}, {\n closePrice: \"101.568001\",\n day: 35\n}, {\n closePrice: \"101.843002\",\n day: 36\n}, {\n closePrice: \"104.0755\",\n day: 37\n}, {\n closePrice: \"103.792\",\n day: 38\n}, {\n closePrice: \"101.335503\",\n day: 39\n}, {\n closePrice: \"102.454498\",\n day: 40\n}, {\n closePrice: \"105.427002\",\n day: 41\n}, {\n closePrice: \"101.208504\",\n day: 42\n}, {\n closePrice: \"102.635002\",\n day: 43\n}, {\n closePrice: \"102.751503\",\n day: 44\n}, {\n closePrice: \"105.738503\",\n day: 45\n}, {\n closePrice: \"103.096001\",\n day: 46\n}, {\n closePrice: \"103.324501\",\n day: 47\n}, {\n closePrice: \"104.625999\",\n day: 48\n}, {\n closePrice: \"104.554001\",\n day: 49\n}, {\n closePrice: \"101.810997\",\n day: 50\n}, {\n closePrice: \"102.160004\",\n day: 51\n}, {\n closePrice: \"101.929497\",\n day: 52\n}, {\n closePrice: \"102.648003\",\n day: 53\n}, {\n closePrice: \"102.252998\",\n day: 54\n}, {\n closePrice: \"102.218002\",\n day: 55\n}, {\n closePrice: \"101.777496\",\n day: 56\n}, {\n closePrice: \"102.797501\",\n day: 57\n}, {\n closePrice: \"102.777\",\n day: 58\n}, {\n closePrice: \"103.431503\",\n day: 59\n}, {\n closePrice: \"106.887497\",\n day: 60\n}, {\n closePrice: \"111.277496\",\n day: 61\n}, {\n closePrice: \"111.237503\",\n day: 62\n}, {\n closePrice: \"112.484001\",\n day: 63\n}, {\n closePrice: \"113.272003\",\n day: 64\n}, {\n closePrice: \"114.293999\",\n day: 65\n}, {\n closePrice: \"112.739502\",\n day: 66\n}, {\n closePrice: \"113.363503\",\n day: 67\n}, {\n closePrice: \"112.741997\",\n day: 68\n}, {\n closePrice: \"114.833\",\n day: 69\n}, {\n closePrice: \"114.888\",\n day: 70\n}, {\n closePrice: \"115.120003\",\n day: 71\n}, {\n closePrice: \"114.681503\",\n day: 72\n}, {\n closePrice: \"114.664497\",\n day: 73\n}, {\n closePrice: \"113.396004\",\n day: 74\n}, {\n closePrice: \"115.764999\",\n day: 75\n}, {\n closePrice: \"116.336998\",\n day: 76\n}, {\n closePrice: \"115.356003\",\n day: 77\n}, {\n closePrice: \"118.995499\",\n day: 78\n}, {\n closePrice: \"121.494499\",\n day: 79\n}, {\n closePrice: \"120.505997\",\n day: 80\n}, {\n closePrice: \"119.758499\",\n day: 81\n}, {\n closePrice: \"117.712502\",\n day: 82\n}, {\n closePrice: \"117.836998\",\n day: 83\n}, {\n closePrice: \"119.067497\",\n day: 84\n}, {\n closePrice: \"119.934502\",\n day: 85\n}, {\n closePrice: \"117.083\",\n day: 86\n}, {\n closePrice: \"115.438004\",\n day: 87\n}, {\n closePrice: \"111.954002\",\n day: 88\n}, {\n closePrice: \"113.098503\",\n day: 89\n}, {\n closePrice: \"115.807999\",\n day: 90\n}, {\n closePrice: \"116.070503\",\n day: 91\n}, {\n closePrice: \"115.171501\",\n day: 92\n}, {\n closePrice: \"115.435501\",\n day: 93\n}, {\n closePrice: \"117.804497\",\n day: 94\n}, {\n closePrice: \"117.254997\",\n day: 95\n}, {\n closePrice: \"120.333504\",\n day: 96\n}, {\n closePrice: \"120.453499\",\n day: 97\n}, {\n closePrice: \"121.676498\",\n day: 98\n}, {\n closePrice: \"120.125504\",\n day: 99\n}, {\n closePrice: \"120.578003\",\n day: 100\n}, {\n closePrice: \"121.490501\",\n day: 101\n}, {\n closePrice: \"121.064003\",\n day: 102\n}, {\n closePrice: \"120.230499\",\n day: 103\n}, {\n closePrice: \"122.587997\",\n day: 104\n}, {\n closePrice: \"123.304497\",\n day: 105\n}, {\n closePrice: \"124.142502\",\n day: 106\n}, {\n closePrice: \"124.57\",\n day: 107\n}, {\n closePrice: \"126.080002\",\n day: 108\n}, {\n closePrice: \"125.696503\",\n day: 109\n}, {\n closePrice: \"126.351997\",\n day: 110\n}, {\n closePrice: \"126.032997\",\n day: 111\n}, {\n closePrice: \"125.696503\",\n day: 112\n}, {\n closePrice: \"126.371002\",\n day: 113\n}, {\n closePrice: \"125.567497\",\n day: 114\n}, {\n closePrice: \"126.455002\",\n day: 115\n}, {\n closePrice: \"126.999496\",\n day: 116\n}, {\n closePrice: \"126.461502\",\n day: 117\n}, {\n closePrice: \"127.281998\",\n day: 118\n}, {\n closePrice: \"126.995003\",\n day: 119\n}, {\n closePrice: \"126.819504\",\n day: 120\n}, {\n closePrice: \"126.018501\",\n day: 121\n}, {\n closePrice: \"125.316002\",\n day: 122\n}, {\n closePrice: \"126.3685\",\n day: 123\n}, {\n closePrice: \"128.718994\",\n day: 124\n}, {\n closePrice: \"129.770996\",\n day: 125\n}, {\n closePrice: \"130.077499\",\n day: 126\n}, {\n closePrice: \"129.177002\",\n day: 127\n}, {\n closePrice: \"129.574493\",\n day: 128\n}, {\n closePrice: \"130.563995\",\n day: 129\n}, {\n closePrice: \"130.994507\",\n day: 130\n}, {\n closePrice: \"132.082504\",\n day: 131\n}, {\n closePrice: \"131.266495\",\n day: 132\n}, {\n closePrice: \"131.845505\",\n day: 133\n}, {\n closePrice: \"129.253998\",\n day: 134\n}, {\n closePrice: \"131.101501\",\n day: 135\n}, {\n closePrice: \"132.600494\",\n day: 136\n}, {\n closePrice: \"133.328506\",\n day: 137\n}, {\n closePrice: \"137.815994\",\n day: 138\n}, {\n closePrice: \"139.644501\",\n day: 139\n}, {\n closePrice: \"136.796494\",\n day: 140\n}, {\n closePrice: \"136.3815\",\n day: 141\n}, {\n closePrice: \"136.540497\",\n day: 142\n}, {\n closePrice: \"135.220993\",\n day: 143\n}, {\n closePrice: \"135.989502\",\n day: 144\n}, {\n closePrice: \"136.279999\",\n day: 145\n}, {\n closePrice: \"136.028503\",\n day: 146\n}, {\n closePrice: \"136.940002\",\n day: 147\n}, {\n closePrice: \"137.035995\",\n day: 148\n}, {\n closePrice: \"138.001999\",\n day: 149\n}, {\n closePrice: \"138.096497\",\n day: 150\n}, {\n closePrice: \"137.689499\",\n day: 151\n}, {\n closePrice: \"138.389496\",\n day: 152\n}, {\n closePrice: \"138.406006\",\n day: 153\n}, {\n closePrice: \"138.916\",\n day: 154\n}, {\n closePrice: \"137.300507\",\n day: 155\n}, {\n closePrice: \"136.570007\",\n day: 156\n}, {\n closePrice: \"136.913498\",\n day: 157\n}, {\n closePrice: \"138.436996\",\n day: 158\n}, {\n closePrice: \"141.099503\",\n day: 159\n}, {\n closePrice: \"142.398499\",\n day: 160\n}, {\n closePrice: \"142.949997\",\n day: 161\n}, {\n closePrice: \"142.123001\",\n day: 162\n}, {\n closePrice: \"144.550507\",\n day: 163\n}, {\n closePrice: \"145.469498\",\n day: 164\n}, {\n closePrice: \"145.462006\",\n day: 165\n}, {\n closePrice: \"145.841995\",\n day: 166\n}, {\n closePrice: \"144.218994\",\n day: 167\n}, {\n closePrice: \"144.774994\",\n day: 168\n}, {\n closePrice: \"145.518997\",\n day: 169\n}, {\n closePrice: \"144.883499\",\n day: 170\n}, {\n closePrice: \"144.913498\",\n day: 171\n}, {\n closePrice: \"141.921005\",\n day: 172\n}, {\n closePrice: \"143.464996\",\n day: 173\n}, {\n closePrice: \"143.406006\",\n day: 174\n}, {\n closePrice: \"145.205994\",\n day: 175\n}, {\n closePrice: \"144.373505\",\n day: 176\n}, {\n closePrice: \"141.463501\",\n day: 177\n}, {\n closePrice: \"139.016998\",\n day: 178\n}, {\n closePrice: \"139.6465\",\n day: 179\n}, {\n closePrice: \"140.938507\",\n day: 180\n}, {\n closePrice: \"141.826508\",\n day: 181\n}, {\n closePrice: \"142.632996\",\n day: 182\n}, {\n closePrice: \"141.501007\",\n day: 183\n}, {\n closePrice: \"136.184006\",\n day: 184\n}, {\n closePrice: \"134.520996\",\n day: 185\n}, {\n closePrice: \"133.265503\",\n day: 186\n}, {\n closePrice: \"136.462494\",\n day: 187\n}, {\n closePrice: \"133.764999\",\n day: 188\n}, {\n closePrice: \"136.177002\",\n day: 189\n}, {\n closePrice: \"137.354004\",\n day: 190\n}, {\n closePrice: \"139.185501\",\n day: 191\n}, {\n closePrice: \"140.056\",\n day: 192\n}, {\n closePrice: \"138.847504\",\n day: 193\n}, {\n closePrice: \"136.712997\",\n day: 194\n}, {\n closePrice: \"137.899994\",\n day: 195\n}, {\n closePrice: \"141.412003\",\n day: 196\n}, {\n closePrice: \"141.675003\",\n day: 197\n}, {\n closePrice: \"142.960495\",\n day: 198\n}, {\n closePrice: \"143.822006\",\n day: 199\n}, {\n closePrice: \"142.414993\",\n day: 200\n}, {\n closePrice: \"142.780502\",\n day: 201\n}, {\n closePrice: \"138.625\",\n day: 202\n}, {\n closePrice: \"138.772995\",\n day: 203\n}, {\n closePrice: \"139.671997\",\n day: 204\n}, {\n closePrice: \"146.427505\",\n day: 205\n}, {\n closePrice: \"146.128998\",\n day: 206\n}, {\n closePrice: \"148.270493\",\n day: 207\n}, {\n closePrice: \"143.774002\",\n day: 208\n}, {\n closePrice: \"145.863007\",\n day: 209\n}, {\n closePrice: \"146.789993\",\n day: 210\n}, {\n closePrice: \"148.682999\",\n day: 211\n}, {\n closePrice: \"149.240997\",\n day: 212\n}, {\n closePrice: \"149.351501\",\n day: 213\n}, {\n closePrice: \"149.248505\",\n day: 214\n}, {\n closePrice: \"146.626007\",\n day: 215\n}, {\n closePrice: \"146.748001\",\n day: 216\n}, {\n closePrice: \"149.645493\",\n day: 217\n}, {\n closePrice: \"149.388\",\n day: 218\n}, {\n closePrice: \"149.076004\",\n day: 219\n}, {\n closePrice: \"149.061996\",\n day: 220\n}, {\n closePrice: \"150.709\",\n day: 221\n}, {\n closePrice: \"149.952499\",\n day: 222\n}, {\n closePrice: \"147.078506\",\n day: 223\n}, {\n closePrice: \"146.757004\",\n day: 224\n}, {\n closePrice: \"146.717499\",\n day: 225\n}, {\n closePrice: \"142.806\",\n day: 226\n}, {\n closePrice: \"146.113998\",\n day: 227\n}, {\n closePrice: \"142.451996\",\n day: 228\n}, {\n closePrice: \"141.617996\",\n day: 229\n}, {\n closePrice: \"143.776505\",\n day: 230\n}, {\n closePrice: \"142.520493\",\n day: 231\n}, {\n closePrice: \"143.796494\",\n day: 232\n}, {\n closePrice: \"148.036499\",\n day: 233\n}, {\n closePrice: \"148.720505\",\n day: 234\n}, {\n closePrice: \"148.106003\",\n day: 235\n}, {\n closePrice: \"148.675003\",\n day: 236\n}, {\n closePrice: \"146.704498\",\n day: 237\n}, {\n closePrice: \"144.970505\",\n day: 238\n}, {\n closePrice: \"147.3685\",\n day: 239\n}, {\n closePrice: \"144.838501\",\n day: 240\n}, {\n closePrice: \"142.802994\",\n day: 241\n}, {\n closePrice: \"142.401505\",\n day: 242\n}, {\n closePrice: \"144.220505\",\n day: 243\n}, {\n closePrice: \"146.949005\",\n day: 244\n}, {\n closePrice: \"147.142502\",\n day: 245\n}, {\n closePrice: \"148.063995\",\n day: 246\n}, {\n closePrice: \"146.447998\",\n day: 247\n}, {\n closePrice: \"146.504501\",\n day: 248\n}, {\n closePrice: \"146.002502\",\n day: 249\n}, {\n closePrice: \"144.679504\",\n day: 250\n}, {\n closePrice: \"145.074493\",\n day: 251\n}, {\n closePrice: \"144.416504\",\n day: 252\n}, {\n closePrice: \"137.653503\",\n day: 253\n}, {\n closePrice: \"137.550995\",\n day: 254\n}, {\n closePrice: \"137.004501\",\n day: 255\n}, {\n closePrice: \"138.574005\",\n day: 256\n}, {\n closePrice: \"140.017502\",\n day: 257\n}, {\n closePrice: \"141.647995\",\n day: 258\n}, {\n closePrice: \"139.130997\",\n day: 259\n}, {\n closePrice: \"139.786499\",\n day: 260\n}, {\n closePrice: \"136.290497\",\n day: 261\n}, {\n closePrice: \"135.651993\",\n day: 262\n}, {\n closePrice: \"133.5065\",\n day: 263\n}, {\n closePrice: \"130.091995\",\n day: 264\n}, {\n closePrice: \"130.371994\",\n day: 265\n}, {\n closePrice: \"126.735497\",\n day: 266\n}, {\n closePrice: \"129.240005\",\n day: 267\n}, {\n closePrice: \"129.121002\",\n day: 268\n}, {\n closePrice: \"133.289505\",\n day: 269\n}, {\n closePrice: \"135.698502\",\n day: 270\n}, {\n closePrice: \"137.878494\",\n day: 271\n}, {\n closePrice: \"148.036499\",\n day: 272\n}, {\n closePrice: \"142.650497\",\n day: 273\n}, {\n closePrice: \"143.016006\",\n day: 274\n}, {\n closePrice: \"138.938004\",\n day: 275\n}, {\n closePrice: \"139.212997\",\n day: 276\n}, {\n closePrice: \"141.453003\",\n day: 277\n}, {\n closePrice: \"138.602493\",\n day: 278\n}, {\n closePrice: \"134.130005\",\n day: 279\n}, {\n closePrice: \"135.300003\",\n day: 280\n}, {\n closePrice: \"136.425507\",\n day: 281\n}, {\n closePrice: \"137.487503\",\n day: 282\n}, {\n closePrice: \"132.308502\",\n day: 283\n}, {\n closePrice: \"130.467499\",\n day: 284\n}, {\n closePrice: \"129.402496\",\n day: 285\n}, {\n closePrice: \"127.584999\",\n day: 286\n}, {\n closePrice: \"132.673492\",\n day: 287\n}, {\n closePrice: \"134.519501\",\n day: 288\n}, {\n closePrice: \"134.891006\",\n day: 289\n}, {\n closePrice: \"134.167999\",\n day: 290\n}, {\n closePrice: \"134.751495\",\n day: 291\n}, {\n closePrice: \"134.307999\",\n day: 292\n}, {\n closePrice: \"132.121994\",\n day: 293\n}, {\n closePrice: \"126.4645\",\n day: 294\n}, {\n closePrice: \"127.278503\",\n day: 295\n}, {\n closePrice: \"133.865997\",\n day: 296\n}, {\n closePrice: \"132.682007\",\n day: 297\n}, {\n closePrice: \"130.475494\",\n day: 298\n}, {\n closePrice: \"126.740997\",\n day: 299\n}, {\n closePrice: \"129.660507\",\n day: 300\n}, {\n closePrice: \"133.690506\",\n day: 301\n}, {\n closePrice: \"134.600494\",\n day: 302\n}, {\n closePrice: \"136.801498\",\n day: 303\n}, {\n closePrice: \"136.4785\",\n day: 304\n}, {\n closePrice: \"140.277496\",\n day: 305\n}, {\n closePrice: \"138.503494\",\n day: 306\n}, {\n closePrice: \"141.311996\",\n day: 307\n}, {\n closePrice: \"141.5215\",\n day: 308\n}, {\n closePrice: \"141.949997\",\n day: 309\n}, {\n closePrice: \"143.25\",\n day: 310\n}, {\n closePrice: \"142.644501\",\n day: 311\n}, {\n closePrice: \"139.649506\",\n day: 312\n}, {\n closePrice: \"140.699997\",\n day: 313\n}, {\n closePrice: \"143.642502\",\n day: 314\n}, {\n closePrice: \"141.063004\",\n day: 315\n}, {\n closePrice: \"137.175995\",\n day: 316\n}, {\n closePrice: \"136.464996\",\n day: 317\n}, {\n closePrice: \"134.010498\",\n day: 318\n}, {\n closePrice: \"129.796494\",\n day: 319\n}, {\n closePrice: \"128.374496\",\n day: 320\n}, {\n closePrice: \"130.285995\",\n day: 321\n}, {\n closePrice: \"127.252998\",\n day: 322\n}, {\n closePrice: \"127.960999\",\n day: 323\n}, {\n closePrice: \"130.531006\",\n day: 324\n}, {\n closePrice: \"128.245499\",\n day: 325\n}, {\n closePrice: \"124.9375\",\n day: 326\n}, {\n closePrice: \"119.613998\",\n day: 327\n}, {\n closePrice: \"123.25\",\n day: 328\n}, {\n closePrice: \"119.505997\",\n day: 329\n}, {\n closePrice: \"115.0205\",\n day: 330\n}, {\n closePrice: \"119.411499\",\n day: 331\n}, {\n closePrice: \"114.966499\",\n day: 332\n}, {\n closePrice: \"117.156998\",\n day: 333\n}, {\n closePrice: \"118.129501\",\n day: 334\n}, {\n closePrice: \"122.574997\",\n day: 335\n}, {\n closePrice: \"116.746498\",\n day: 336\n}, {\n closePrice: \"115.660004\",\n day: 337\n}, {\n closePrice: \"113.084\",\n day: 338\n}, {\n closePrice: \"114.584503\",\n day: 339\n}, {\n closePrice: \"113.960999\",\n day: 340\n}, {\n closePrice: \"113.161003\",\n day: 341\n}, {\n closePrice: \"116.515503\",\n day: 342\n}, {\n closePrice: \"114.792503\",\n day: 343\n}, {\n closePrice: \"116.7015\",\n day: 344\n}, {\n closePrice: \"112.401001\",\n day: 345\n}, {\n closePrice: \"110.745499\",\n day: 346\n}, {\n closePrice: \"109.313004\",\n day: 347\n}, {\n closePrice: \"111.666496\",\n day: 348\n}, {\n closePrice: \"105.926003\",\n day: 349\n}, {\n closePrice: \"105.8395\",\n day: 350\n}, {\n closePrice: \"108.295998\",\n day: 351\n}, {\n closePrice: \"112.799004\",\n day: 352\n}, {\n closePrice: \"114.039001\",\n day: 353\n}, {\n closePrice: \"114.137001\",\n day: 354\n}, {\n closePrice: \"117.746002\",\n day: 355\n}, {\n closePrice: \"114.564003\",\n day: 356\n}, {\n closePrice: \"117.010498\",\n day: 357\n}, {\n closePrice: \"117.2295\",\n day: 358\n}, {\n closePrice: \"117.237999\",\n day: 359\n}, {\n closePrice: \"114.917999\",\n day: 360\n}, {\n closePrice: \"111.427498\",\n day: 361\n}, {\n closePrice: \"106.876503\",\n day: 362\n}, {\n closePrice: \"107.194\",\n day: 363\n}, {\n closePrice: \"110.390503\",\n day: 364\n}, {\n closePrice: \"106.636002\",\n day: 365\n}, {\n closePrice: \"107.865501\",\n day: 366\n}, {\n closePrice: \"112.014999\",\n day: 367\n}, {\n closePrice: \"112.033997\",\n day: 368\n}, {\n closePrice: \"112.684502\",\n day: 369\n}, {\n closePrice: \"118.538002\",\n day: 370\n}, {\n closePrice: \"116.622498\",\n day: 371\n}, {\n closePrice: \"112.571503\",\n day: 372\n}, {\n closePrice: \"112.2565\",\n day: 373\n}, {\n closePrice: \"109.372498\",\n day: 374\n}, {\n closePrice: \"109.081001\",\n day: 375\n}, {\n closePrice: \"113.887001\",\n day: 376\n}, {\n closePrice: \"115.213501\",\n day: 377\n}, {\n closePrice: \"119.306\",\n day: 378\n}, {\n closePrice: \"120.168503\",\n day: 379\n}, {\n closePrice: \"116.522499\",\n day: 380\n}]\n\nexport const msft_data = [ { ticker: 'BUNY' }, {\n closePrice: \"212.25\",\n day: 1\n}, {\n closePrice: \"218.289993\",\n day: 2\n}, {\n closePrice: \"219.619995\",\n day: 3\n}, {\n closePrice: \"217.490005\",\n day: 4\n}, {\n closePrice: \"214.929993\",\n day: 5\n}, {\n closePrice: \"216.339996\",\n day: 6\n}, {\n closePrice: \"213.020004\",\n day: 7\n}, {\n closePrice: \"212.649994\",\n day: 8\n}, {\n closePrice: \"216.440002\",\n day: 9\n}, {\n closePrice: \"224.339996\",\n day: 10\n}, {\n closePrice: \"224.970001\",\n day: 11\n}, {\n closePrice: \"225.949997\",\n day: 12\n}, {\n closePrice: \"229.529999\",\n day: 13\n}, {\n closePrice: \"232.330002\",\n day: 14\n}, {\n closePrice: \"232.899994\",\n day: 15\n}, {\n closePrice: \"238.929993\",\n day: 16\n}, {\n closePrice: \"231.960007\",\n day: 17\n}, {\n closePrice: \"239.649994\",\n day: 18\n}, {\n closePrice: \"239.509995\",\n day: 19\n}, {\n closePrice: \"243\",\n day: 20\n}, {\n closePrice: \"242.009995\",\n day: 21\n}, {\n closePrice: \"242.199997\",\n day: 22\n}, {\n closePrice: \"242.470001\",\n day: 23\n}, {\n closePrice: \"243.770004\",\n day: 24\n}, {\n closePrice: \"242.820007\",\n day: 25\n}, {\n closePrice: \"244.490005\",\n day: 26\n}, {\n closePrice: \"244.990005\",\n day: 27\n}, {\n closePrice: \"243.699997\",\n day: 28\n}, {\n closePrice: \"244.199997\",\n day: 29\n}, {\n closePrice: \"243.789993\",\n day: 30\n}, {\n closePrice: \"240.970001\",\n day: 31\n}, {\n closePrice: \"234.509995\",\n day: 32\n}, {\n closePrice: \"233.270004\",\n day: 33\n}, {\n closePrice: \"234.550003\",\n day: 34\n}, {\n closePrice: \"228.990005\",\n day: 35\n}, {\n closePrice: \"232.380005\",\n day: 36\n}, {\n closePrice: \"236.940002\",\n day: 37\n}, {\n closePrice: \"233.869995\",\n day: 38\n}, {\n closePrice: \"227.559998\",\n day: 39\n}, {\n closePrice: \"226.729996\",\n day: 40\n}, {\n closePrice: \"231.600006\",\n day: 41\n}, {\n closePrice: \"227.389999\",\n day: 42\n}, {\n closePrice: \"233.779999\",\n day: 43\n}, {\n closePrice: \"232.419998\",\n day: 44\n}, {\n closePrice: \"237.130005\",\n day: 45\n}, {\n closePrice: \"235.75\",\n day: 46\n}, {\n closePrice: \"234.809998\",\n day: 47\n}, {\n closePrice: \"237.710007\",\n day: 48\n}, {\n closePrice: \"237.039993\",\n day: 49\n}, {\n closePrice: \"230.720001\",\n day: 50\n}, {\n closePrice: \"230.350006\",\n day: 51\n}, {\n closePrice: \"235.990005\",\n day: 52\n}, {\n closePrice: \"237.580002\",\n day: 53\n}, {\n closePrice: \"235.460007\",\n day: 54\n}, {\n closePrice: \"232.339996\",\n day: 55\n}, {\n closePrice: \"236.479996\",\n day: 56\n}, {\n closePrice: \"235.240005\",\n day: 57\n}, {\n closePrice: \"231.850006\",\n day: 58\n}, {\n closePrice: \"235.770004\",\n day: 59\n}, {\n closePrice: \"242.350006\",\n day: 60\n}, {\n closePrice: \"249.070007\",\n day: 61\n}, {\n closePrice: \"247.860001\",\n day: 62\n}, {\n closePrice: \"249.899994\",\n day: 63\n}, {\n closePrice: \"253.25\",\n day: 64\n}, {\n closePrice: \"255.850006\",\n day: 65\n}, {\n closePrice: \"255.910004\",\n day: 66\n}, {\n closePrice: \"258.48999\",\n day: 67\n}, {\n closePrice: \"255.589996\",\n day: 68\n}, {\n closePrice: \"259.5\",\n day: 69\n}, {\n closePrice: \"260.73999\",\n day: 70\n}, {\n closePrice: \"258.73999\",\n day: 71\n}, {\n closePrice: \"258.26001\",\n day: 72\n}, {\n closePrice: \"260.579987\",\n day: 73\n}, {\n closePrice: \"257.170013\",\n day: 74\n}, {\n closePrice: \"261.149994\",\n day: 75\n}, {\n closePrice: \"261.549988\",\n day: 76\n}, {\n closePrice: \"261.970001\",\n day: 77\n}, {\n closePrice: \"254.559998\",\n day: 78\n}, {\n closePrice: \"252.509995\",\n day: 79\n}, {\n closePrice: \"252.179993\",\n day: 80\n}, {\n closePrice: \"251.860001\",\n day: 81\n}, {\n closePrice: \"247.789993\",\n day: 82\n}, {\n closePrice: \"246.470001\",\n day: 83\n}, {\n closePrice: \"249.729996\",\n day: 84\n}, {\n closePrice: \"252.460007\",\n day: 85\n}, {\n closePrice: \"247.179993\",\n day: 86\n}, {\n closePrice: \"246.229996\",\n day: 87\n}, {\n closePrice: \"239\",\n day: 88\n}, {\n closePrice: \"243.029999\",\n day: 89\n}, {\n closePrice: \"248.149994\",\n day: 90\n}, {\n closePrice: \"245.179993\",\n day: 91\n}, {\n closePrice: \"243.080002\",\n day: 92\n}, {\n closePrice: \"243.119995\",\n day: 93\n}, {\n closePrice: \"246.479996\",\n day: 94\n}, {\n closePrice: \"245.169998\",\n day: 95\n}, {\n closePrice: \"250.779999\",\n day: 96\n}, {\n closePrice: \"251.720001\",\n day: 97\n}, {\n closePrice: \"251.490005\",\n day: 98\n}, {\n closePrice: \"249.309998\",\n day: 99\n}, {\n closePrice: \"249.679993\",\n day: 100\n}, {\n closePrice: \"247.399994\",\n day: 101\n}, {\n closePrice: \"247.300003\",\n day: 102\n}, {\n closePrice: \"245.710007\",\n day: 103\n}, {\n closePrice: \"250.789993\",\n day: 104\n}, {\n closePrice: \"253.809998\",\n day: 105\n}, {\n closePrice: \"252.570007\",\n day: 106\n}, {\n closePrice: \"253.589996\",\n day: 107\n}, {\n closePrice: \"257.23999\",\n day: 108\n}, {\n closePrice: \"257.890015\",\n day: 109\n}, {\n closePrice: \"259.890015\",\n day: 110\n}, {\n closePrice: \"258.359985\",\n day: 111\n}, {\n closePrice: \"257.380005\",\n day: 112\n}, {\n closePrice: \"260.899994\",\n day: 113\n}, {\n closePrice: \"259.429993\",\n day: 114\n}, {\n closePrice: \"262.630005\",\n day: 115\n}, {\n closePrice: \"265.51001\",\n day: 116\n}, {\n closePrice: \"265.269989\",\n day: 117\n}, {\n closePrice: \"266.690002\",\n day: 118\n}, {\n closePrice: \"265.019989\",\n day: 119\n}, {\n closePrice: \"268.720001\",\n day: 120\n}, {\n closePrice: \"271.399994\",\n day: 121\n}, {\n closePrice: \"270.899994\",\n day: 122\n}, {\n closePrice: \"271.600006\",\n day: 123\n}, {\n closePrice: \"277.649994\",\n day: 124\n}, {\n closePrice: \"277.660004\",\n day: 125\n}, {\n closePrice: \"279.929993\",\n day: 126\n}, {\n closePrice: \"277.420013\",\n day: 127\n}, {\n closePrice: \"277.940002\",\n day: 128\n}, {\n closePrice: \"277.320007\",\n day: 129\n}, {\n closePrice: \"280.980011\",\n day: 130\n}, {\n closePrice: \"282.51001\",\n day: 131\n}, {\n closePrice: \"281.029999\",\n day: 132\n}, {\n closePrice: \"280.75\",\n day: 133\n}, {\n closePrice: \"277.01001\",\n day: 134\n}, {\n closePrice: \"279.320007\",\n day: 135\n}, {\n closePrice: \"281.399994\",\n day: 136\n}, {\n closePrice: \"286.140015\",\n day: 137\n}, {\n closePrice: \"289.670013\",\n day: 138\n}, {\n closePrice: \"289.049988\",\n day: 139\n}, {\n closePrice: \"286.540009\",\n day: 140\n}, {\n closePrice: \"286.220001\",\n day: 141\n}, {\n closePrice: \"286.5\",\n day: 142\n}, {\n closePrice: \"284.910004\",\n day: 143\n}, {\n closePrice: \"284.820007\",\n day: 144\n}, {\n closePrice: \"287.119995\",\n day: 145\n}, {\n closePrice: \"286.51001\",\n day: 146\n}, {\n closePrice: \"289.519989\",\n day: 147\n}, {\n closePrice: \"289.459991\",\n day: 148\n}, {\n closePrice: \"288.329987\",\n day: 149\n}, {\n closePrice: \"286.440002\",\n day: 150\n}, {\n closePrice: \"286.950012\",\n day: 151\n}, {\n closePrice: \"289.809998\",\n day: 152\n}, {\n closePrice: \"292.850006\",\n day: 153\n}, {\n closePrice: \"294.600006\",\n day: 154\n}, {\n closePrice: \"293.079987\",\n day: 155\n}, {\n closePrice: \"290.730011\",\n day: 156\n}, {\n closePrice: \"296.769989\",\n day: 157\n}, {\n closePrice: \"304.359985\",\n day: 158\n}, {\n closePrice: \"304.649994\",\n day: 159\n}, {\n closePrice: \"302.619995\",\n day: 160\n}, {\n closePrice: \"302.01001\",\n day: 161\n}, {\n closePrice: \"299.089996\",\n day: 162\n}, {\n closePrice: \"299.720001\",\n day: 163\n}, {\n closePrice: \"303.589996\",\n day: 164\n}, {\n closePrice: \"301.880005\",\n day: 165\n}, {\n closePrice: \"301.829987\",\n day: 166\n}, {\n closePrice: \"301.149994\",\n day: 167\n}, {\n closePrice: \"301.140015\",\n day: 168\n}, {\n closePrice: \"300.179993\",\n day: 169\n}, {\n closePrice: \"300.209991\",\n day: 170\n}, {\n closePrice: \"297.25\",\n day: 171\n}, {\n closePrice: \"295.709991\",\n day: 172\n}, {\n closePrice: \"296.98999\",\n day: 173\n}, {\n closePrice: \"299.790009\",\n day: 174\n}, {\n closePrice: \"304.820007\",\n day: 175\n}, {\n closePrice: \"305.220001\",\n day: 176\n}, {\n closePrice: \"299.869995\",\n day: 177\n}, {\n closePrice: \"294.299988\",\n day: 178\n}, {\n closePrice: \"294.799988\",\n day: 179\n}, {\n closePrice: \"298.579987\",\n day: 180\n}, {\n closePrice: \"299.559998\",\n day: 181\n}, {\n closePrice: \"299.350006\",\n day: 182\n}, {\n closePrice: \"294.170013\",\n day: 183\n}, {\n closePrice: \"283.519989\",\n day: 184\n}, {\n closePrice: \"284\",\n day: 185\n}, {\n closePrice: \"281.920013\",\n day: 186\n}, {\n closePrice: \"289.100006\",\n day: 187\n}, {\n closePrice: \"283.109985\",\n day: 188\n}, {\n closePrice: \"288.76001\",\n day: 189\n}, {\n closePrice: \"293.109985\",\n day: 190\n}, {\n closePrice: \"294.850006\",\n day: 191\n}, {\n closePrice: \"294.850006\",\n day: 192\n}, {\n closePrice: \"294.230011\",\n day: 193\n}, {\n closePrice: \"292.880005\",\n day: 194\n}, {\n closePrice: \"296.309998\",\n day: 195\n}, {\n closePrice: \"302.75\",\n day: 196\n}, {\n closePrice: \"304.209991\",\n day: 197\n}, {\n closePrice: \"307.290009\",\n day: 198\n}, {\n closePrice: \"308.230011\",\n day: 199\n}, {\n closePrice: \"307.410004\",\n day: 200\n}, {\n closePrice: \"310.76001\",\n day: 201\n}, {\n closePrice: \"309.160004\",\n day: 202\n}, {\n closePrice: \"308.130005\",\n day: 203\n}, {\n closePrice: \"310.109985\",\n day: 204\n}, {\n closePrice: \"323.170013\",\n day: 205\n}, {\n closePrice: \"324.350006\",\n day: 206\n}, {\n closePrice: \"331.619995\",\n day: 207\n}, {\n closePrice: \"329.369995\",\n day: 208\n}, {\n closePrice: \"333.130005\",\n day: 209\n}, {\n closePrice: \"334\",\n day: 210\n}, {\n closePrice: \"336.440002\",\n day: 211\n}, {\n closePrice: \"336.059998\",\n day: 212\n}, {\n closePrice: \"336.98999\",\n day: 213\n}, {\n closePrice: \"335.950012\",\n day: 214\n}, {\n closePrice: \"330.799988\",\n day: 215\n}, {\n closePrice: \"332.429993\",\n day: 216\n}, {\n closePrice: \"336.720001\",\n day: 217\n}, {\n closePrice: \"336.070007\",\n day: 218\n}, {\n closePrice: \"339.51001\",\n day: 219\n}, {\n closePrice: \"339.119995\",\n day: 220\n}, {\n closePrice: \"341.269989\",\n day: 221\n}, {\n closePrice: \"343.109985\",\n day: 222\n}, {\n closePrice: \"339.829987\",\n day: 223\n}, {\n closePrice: \"337.679993\",\n day: 224\n}, {\n closePrice: \"337.910004\",\n day: 225\n}, {\n closePrice: \"329.679993\",\n day: 226\n}, {\n closePrice: \"336.630005\",\n day: 227\n}, {\n closePrice: \"330.589996\",\n day: 228\n}, {\n closePrice: \"330.079987\",\n day: 229\n}, {\n closePrice: \"329.48999\",\n day: 230\n}, {\n closePrice: \"323.01001\",\n day: 231\n}, {\n closePrice: \"326.190002\",\n day: 232\n}, {\n closePrice: \"334.920013\",\n day: 233\n}, {\n closePrice: \"334.970001\",\n day: 234\n}, {\n closePrice: \"333.100006\",\n day: 235\n}, {\n closePrice: \"342.540009\",\n day: 236\n}, {\n closePrice: \"339.399994\",\n day: 237\n}, {\n closePrice: \"328.339996\",\n day: 238\n}, {\n closePrice: \"334.649994\",\n day: 239\n}, {\n closePrice: \"324.899994\",\n day: 240\n}, {\n closePrice: \"323.799988\",\n day: 241\n}, {\n closePrice: \"319.910004\",\n day: 242\n}, {\n closePrice: \"327.290009\",\n day: 243\n}, {\n closePrice: \"333.200012\",\n day: 244\n}, {\n closePrice: \"334.690002\",\n day: 245\n}, {\n closePrice: \"342.450012\",\n day: 246\n}, {\n closePrice: \"341.25\",\n day: 247\n}, {\n closePrice: \"341.950012\",\n day: 248\n}, {\n closePrice: \"339.320007\",\n day: 249\n}, {\n closePrice: \"336.320007\",\n day: 250\n}, {\n closePrice: \"334.75\",\n day: 251\n}, {\n closePrice: \"329.01001\",\n day: 252\n}, {\n closePrice: \"316.380005\",\n day: 253\n}, {\n closePrice: \"313.880005\",\n day: 254\n}, {\n closePrice: \"314.040009\",\n day: 255\n}, {\n closePrice: \"314.269989\",\n day: 256\n}, {\n closePrice: \"314.980011\",\n day: 257\n}, {\n closePrice: \"318.269989\",\n day: 258\n}, {\n closePrice: \"304.799988\",\n day: 259\n}, {\n closePrice: \"310.200012\",\n day: 260\n}, {\n closePrice: \"302.649994\",\n day: 261\n}, {\n closePrice: \"303.329987\",\n day: 262\n}, {\n closePrice: \"301.600006\",\n day: 263\n}, {\n closePrice: \"296.029999\",\n day: 264\n}, {\n closePrice: \"296.369995\",\n day: 265\n}, {\n closePrice: \"288.48999\",\n day: 266\n}, {\n closePrice: \"296.709991\",\n day: 267\n}, {\n closePrice: \"299.839996\",\n day: 268\n}, {\n closePrice: \"308.26001\",\n day: 269\n}, {\n closePrice: \"310.980011\",\n day: 270\n}, {\n closePrice: \"308.76001\",\n day: 271\n}, {\n closePrice: \"313.459991\",\n day: 272\n}, {\n closePrice: \"301.25\",\n day: 273\n}, {\n closePrice: \"305.940002\",\n day: 274\n}, {\n closePrice: \"300.950012\",\n day: 275\n}, {\n closePrice: \"304.559998\",\n day: 276\n}, {\n closePrice: \"311.209991\",\n day: 277\n}, {\n closePrice: \"302.380005\",\n day: 278\n}, {\n closePrice: \"295.040009\",\n day: 279\n}, {\n closePrice: \"295\",\n day: 280\n}, {\n closePrice: \"300.470001\",\n day: 281\n}, {\n closePrice: \"299.5\",\n day: 282\n}, {\n closePrice: \"290.730011\",\n day: 283\n}, {\n closePrice: \"287.929993\",\n day: 284\n}, {\n closePrice: \"287.720001\",\n day: 285\n}, {\n closePrice: \"280.269989\",\n day: 286\n}, {\n closePrice: \"294.589996\",\n day: 287\n}, {\n closePrice: \"297.309998\",\n day: 288\n}, {\n closePrice: \"298.790009\",\n day: 289\n}, {\n closePrice: \"294.950012\",\n day: 290\n}, {\n closePrice: \"300.190002\",\n day: 291\n}, {\n closePrice: \"295.920013\",\n day: 292\n}, {\n closePrice: \"289.859985\",\n day: 293\n}, {\n closePrice: \"278.910004\",\n day: 294\n}, {\n closePrice: \"275.850006\",\n day: 295\n}, {\n closePrice: \"288.5\",\n day: 296\n}, {\n closePrice: \"285.589996\",\n day: 297\n}, {\n closePrice: \"280.070007\",\n day: 298\n}, {\n closePrice: \"276.440002\",\n day: 299\n}, {\n closePrice: \"287.149994\",\n day: 300\n}, {\n closePrice: \"294.390015\",\n day: 301\n}, {\n closePrice: \"295.220001\",\n day: 302\n}, {\n closePrice: \"300.429993\",\n day: 303\n}, {\n closePrice: \"299.160004\",\n day: 304\n}, {\n closePrice: \"304.059998\",\n day: 305\n}, {\n closePrice: \"299.48999\",\n day: 306\n}, {\n closePrice: \"304.100006\",\n day: 307\n}, {\n closePrice: \"303.679993\",\n day: 308\n}, {\n closePrice: \"310.700012\",\n day: 309\n}, {\n closePrice: \"315.410004\",\n day: 310\n}, {\n closePrice: \"313.859985\",\n day: 311\n}, {\n closePrice: \"308.309998\",\n day: 312\n}, {\n closePrice: \"309.420013\",\n day: 313\n}, {\n closePrice: \"314.970001\",\n day: 314\n}, {\n closePrice: \"310.880005\",\n day: 315\n}, {\n closePrice: \"299.5\",\n day: 316\n}, {\n closePrice: \"301.369995\",\n day: 317\n}, {\n closePrice: \"296.970001\",\n day: 318\n}, {\n closePrice: \"285.26001\",\n day: 319\n}, {\n closePrice: \"282.059998\",\n day: 320\n}, {\n closePrice: \"287.619995\",\n day: 321\n}, {\n closePrice: \"279.829987\",\n day: 322\n}, {\n closePrice: \"280.519989\",\n day: 323\n}, {\n closePrice: \"285.299988\",\n day: 324\n}, {\n closePrice: \"286.359985\",\n day: 325\n}, {\n closePrice: \"280.809998\",\n day: 326\n}, {\n closePrice: \"274.029999\",\n day: 327\n}, {\n closePrice: \"280.720001\",\n day: 328\n}, {\n closePrice: \"270.220001\",\n day: 329\n}, {\n closePrice: \"283.220001\",\n day: 330\n}, {\n closePrice: \"289.630005\",\n day: 331\n}, {\n closePrice: \"277.519989\",\n day: 332\n}, {\n closePrice: \"284.470001\",\n day: 333\n}, {\n closePrice: \"281.779999\",\n day: 334\n}, {\n closePrice: \"289.980011\",\n day: 335\n}, {\n closePrice: \"277.350006\",\n day: 336\n}, {\n closePrice: \"274.730011\",\n day: 337\n}, {\n closePrice: \"264.579987\",\n day: 338\n}, {\n closePrice: \"269.5\",\n day: 339\n}, {\n closePrice: \"260.549988\",\n day: 340\n}, {\n closePrice: \"255.350006\",\n day: 341\n}, {\n closePrice: \"261.119995\",\n day: 342\n}, {\n closePrice: \"261.5\",\n day: 343\n}, {\n closePrice: \"266.820007\",\n day: 344\n}, {\n closePrice: \"254.080002\",\n day: 345\n}, {\n closePrice: \"253.139999\",\n day: 346\n}, {\n closePrice: \"252.559998\",\n day: 347\n}, {\n closePrice: \"260.649994\",\n day: 348\n}, {\n closePrice: \"259.619995\",\n day: 349\n}, {\n closePrice: \"262.519989\",\n day: 350\n}, {\n closePrice: \"265.899994\",\n day: 351\n}, {\n closePrice: \"273.23999\",\n day: 352\n}, {\n closePrice: \"271.869995\",\n day: 353\n}, {\n closePrice: \"272.420013\",\n day: 354\n}, {\n closePrice: \"274.579987\",\n day: 355\n}, {\n closePrice: \"270.019989\",\n day: 356\n}, {\n closePrice: \"268.75\",\n day: 357\n}, {\n closePrice: \"272.5\",\n day: 358\n}, {\n closePrice: \"270.410004\",\n day: 359\n}, {\n closePrice: \"264.790009\",\n day: 360\n}, {\n closePrice: \"252.990005\",\n day: 361\n}, {\n closePrice: \"242.259995\",\n day: 362\n}, {\n closePrice: \"244.490005\",\n day: 363\n}, {\n closePrice: \"251.759995\",\n day: 364\n}, {\n closePrice: \"244.970001\",\n day: 365\n}, {\n closePrice: \"247.649994\",\n day: 366\n}, {\n closePrice: \"253.740005\",\n day: 367\n}, {\n closePrice: \"253.130005\",\n day: 368\n}, {\n closePrice: \"258.859985\",\n day: 369\n}, {\n closePrice: \"267.700012\",\n day: 370\n}, {\n closePrice: \"264.890015\",\n day: 371\n}, {\n closePrice: \"256.480011\",\n day: 372\n}, {\n closePrice: \"260.26001\",\n day: 373\n}, {\n closePrice: \"256.829987\",\n day: 374\n}, {\n closePrice: \"259.579987\",\n day: 375\n}, {\n closePrice: \"262.850006\",\n day: 376\n}, {\n closePrice: \"266.209991\",\n day: 377\n}, {\n closePrice: \"268.399994\",\n day: 378\n}, {\n closePrice: \"267.660004\",\n day: 379\n}, {\n closePrice: \"264.51001\",\n day: 380\n}]\n","let id = 0\n\nexport const stocks = [\n {\n id: id++,\n name: 'Crocodile Inc.',\n ticker: \"CROC\",\n },\n {\n id: id++,\n name: 'Sloth Entertainment',\n ticker: \"SLTH\",\n },\n {\n id: id++,\n name: 'Turtle',\n ticker: \"TURT\",\n },\n {\n id: id++,\n name: 'Giraffe Inc.',\n ticker: \"GIRA\",\n },\n {\n id: id++,\n name: 'Bunny Corp.',\n ticker: \"BUNY\",\n },\n]\n\n","export const newsData = [\n{\n \"id\": 0,\n \"day\": \"0\",\n \"ticker\": \"TURT\",\n \"headline\": \"Push to EV bill has been rejected\",\n \"description\": \"The push to EV has been rejected by senators in the government, this comes as a shock to the original stance of the government. EV companies are facing the heat with many of them relying on subsidaries.\",\n \"source\": \"Primetime news\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 1,\n \"day\": \"0\",\n \"ticker\": \"TURT\",\n \"headline\": \"CEO confirms EV subsidies not needed\",\n \"description\": \"CEO confirms subsidies are not required to hit the market for the company. Ensures this will not affect the company over the long term. \",\n \"source\": \"CEO press conference\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 2,\n \"day\": \"0\",\n \"ticker\": \"TURT\",\n \"headline\": \"EV stocks crumble\",\n \"description\": \"EV stocks from various car companies are seen tumbling with the bill being rejected. Companies are facing hard time trying to convince customers about their alternative plans.\",\n \"source\": \"Stock market\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 3,\n \"day\": \"0\",\n \"ticker\": \"TURT\",\n \"headline\": \"Record sales by car manufacturer\",\n \"description\": \"Car manufacturer reported record sales of their cars. Analyst advises caution advised as this is a smaller number compared to other larger car manufacturers.\",\n \"source\": \"Primetime news\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 4,\n \"day\": \"1\",\n \"ticker\": \"TURT\",\n \"headline\": \"CEO sells stocks to pay his tax.\",\n \"description\": \"CEO continues to vent his frustration for being overly taxed. Confirms he will not sell anymore as he's cleared all the taxes. Plans to move his company away to a different location. \",\n \"source\": \"Primetime news\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 5,\n \"day\": \"5\",\n \"ticker\": \"TURT\",\n \"headline\": \"Car recall over defect\",\n \"description\": \"Over 500k cars have been recalled as a manufacturing defect has been identified. \",\n \"source\": \"Reputed blog\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"\"\n},\n{\n \"id\": 6,\n \"day\": \"10\",\n \"ticker\": \"TURT\",\n \"headline\": \"Nickel found for battery!\",\n \"description\": \"A landmark deal to boost battery production and help overcome the supply shortage that has ravaged the market for months now. Nickel helps make the batteries that EVs run on.\",\n \"source\": \"News article\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 7,\n \"day\": \"15\",\n \"ticker\": \"TURT\",\n \"headline\": \"Where is the promised car?\",\n \"description\": \"Friend rants about how he hasn't received a date for the car he had placed an order for. News articles also talk about a possible production delay (2nd delay) \",\n \"source\": \"News and social media\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 8,\n \"day\": \"21\",\n \"ticker\": \"TURT\",\n \"headline\": \"CEO talks about supple chain woes\",\n \"description\": \"CEO spoke about delay in production of the new cars. Confirms factories are running below capacity, but records show that the company's revenue is still growing.\",\n \"source\": \"CEO interview\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 9,\n \"day\": \"42\",\n \"ticker\": \"TURT\",\n \"headline\": \"Favorite celebrity buys a car\",\n \"description\": \"A famous celebrity shows off his new car on Twitter, claims it's the best car in the world and everyone should get one as soon as possible.\",\n \"source\": \"Social media\",\n \"credibility\": \"1\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 10,\n \"day\": \"60\",\n \"ticker\": \"TURT\",\n \"headline\": \"New factories setup\",\n \"description\": \"Factories are being setup in multiple countries to boost production. CEO calls it the beginning of good time for production.\",\n \"source\": \"CEO interview\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 11,\n \"day\": \"70\",\n \"ticker\": \"TURT\",\n \"headline\": \"Export boost reported\",\n \"description\": \"Production numbers in the rise as cars from a country flood the country confirns a reputed source. CEO claims this will be touted as the next production hub.\",\n \"source\": \"News article\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 12,\n \"day\": \"84\",\n \"ticker\": \"TURT\",\n \"headline\": \"Advice from a friend\",\n \"description\": \"A friend claims he knows a person who works in Tesla very well, says the stock is going to tank soon and advises you to sell.\",\n \"source\": \"Friend advice\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 13,\n \"day\": \"92\",\n \"ticker\": \"TURT\",\n \"headline\": \"No stopping the surge\",\n \"description\": \"News report claim the stocks are surging and will continue to do so for the next couple of months. All factories are working to their maximum capacity with new ones coming up soon.\",\n \"source\": \"News article\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 14,\n \"day\": \"94\",\n \"ticker\": \"TURT\",\n \"headline\": \"Production factory issues?\",\n \"description\": \"One of the biggest factories are reporting unexpected civic unrest in the country, forcing factories to be closed for an undetermined time.\",\n \"source\": \"News article\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 15,\n \"day\": \"103\",\n \"ticker\": \"TURT\",\n \"headline\": \"Company racing past production goals\",\n \"description\": \"The company continues to race past production goals, with it's working factories. There is an uptick with car sales and delivery. \",\n \"source\": \"News article\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 16,\n \"day\": \"109\",\n \"ticker\": \"TURT\",\n \"headline\": \"CEO's social media rant\",\n \"description\": \"The CEO goes on a social media rant claiming that he's being targetted by governments. Says the main reason for the company suffering is the absence of ease in governance.\",\n \"source\": \"Social media\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 17,\n \"day\": \"112\",\n \"ticker\": \"TURT\",\n \"headline\": \"Troubling times ahead?\",\n \"description\": \"Industries across the world slows down as a global material looms, several factors such as economy, health and governanace. \",\n \"source\": \"News \",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 18,\n \"day\": \"115\",\n \"ticker\": \"TURT\",\n \"headline\": \"Hiring freeze\",\n \"description\": \"Several companies are freezing hiring as companies believe the market is heading towards a recession.\",\n \"source\": \"News\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 19,\n \"day\": \"117\",\n \"ticker\": \"TURT\",\n \"headline\": \"CEO plans on acquisitions\",\n \"description\": \"CEO hints on possible acquisitions on social media.\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 20,\n \"day\": \"119\",\n \"ticker\": \"TURT\",\n \"headline\": \"Notification from a friend\",\n \"description\": \"A friend claims he got a job at the company. Would this mean the hiring is back to normal?\",\n \"source\": \"Friend advice\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 21,\n \"day\": \"120\",\n \"ticker\": \"TURT\",\n \"headline\": \"Deliveries stalled once again\",\n \"description\": \"Car deliveries have been stalled once again due to labour shortages\",\n \"source\": \"News article\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 22,\n \"day\": \"0\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile almost loses its throne \",\n \"description\": \"Crocodile first took over from Bunny as the world's most valuable tech company in 2015, and there has been years of toing and froing between the two as each has raced to out-innovate the other and be the most valuable company on Wall Street. However, Crocodile is investing more heavily in saving the world they have pledge to have a fully cabon neutral supply chain by 2030\",\n \"source\": \"Prime news\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 23,\n \"day\": \"0\",\n \"ticker\": \"CROC\",\n \"headline\": \"President Biden's rigth to repair order \",\n \"description\": \"Biden signed a sweeping executive order (EO) directing a multitude of federal agencies to promote additional competition in the U.S. economy. One such directive encourages the Federal Trade Commission (FTC) to enact additional regulations that prohibit manufacturer policies barring the repair of equipment and devices by individuals and independent repair shops.\",\n \"source\": \"News \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 24,\n \"day\": \"0\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile ups the ante\",\n \"description\": \"Crocodile wins last minute reprieve from App Store changes while 'Fortnite' appeal play out. The lowe court did not find that Crocodile violated any antitrust laws.\",\n \"source\": \"Reuters\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 25,\n \"day\": \"0\",\n \"ticker\": \"CROC\",\n \"headline\": \"Jerry Gomez Leaves Crocodile\",\n \"description\": \"With top executives leaving the most traditional Silicon Valley business, Crocodile is suffering another lost as Gomez, its VP Marcom Intergration, who is departing from the company after a liitlw more then two years in this role. \",\n \"source\": \"9To5Mac\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 26,\n \"day\": \"1\",\n \"ticker\": \"CROC\",\n \"headline\": \"The first member if the $3tn Club \",\n \"description\": \"Crocodile became the first US company to be valued at over $3tn on as the tech company continued its phenomenal share price growth, tripling in value in under four years.\",\n \"source\": \"The Guardian \",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 27,\n \"day\": \"13\",\n \"ticker\": \"CROC\",\n \"headline\": \"What We should all be buying? \",\n \"description\": \"Crocodile is the best think to by no mattre what! Think abou it is the only Tech company that everyone goes crazy about everytime they are releasing a new product.\",\n \"source\": \"twitter \",\n \"credibility\": \"1\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 28,\n \"day\": \"18\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile vs Netherland \",\n \"description\": \"Crocodile is no stranger to antitrust cases. Which mean that it refers to the regulation of th cinceentration of economic power, particulary in regarding to monopolies. According to history thy are strarting to become faiirly familiar wiith lossing them as well, most resently in Netherlands, allowing Dutch datiing apps to offer non-Crocodile payment optioins. \",\n \"source\": \"News \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 29,\n \"day\": \"28\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile Sweet Quarter \",\n \"description\": \"Crocodile has a double edge in China which makes up one-fifth of its sales. US sanctions helped Crocodile gain market share in China because they blocked Chincese competitors form getting key componetws and softwate for phones. \",\n \"source\": \"snapchat \",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 30,\n \"day\": \"34\",\n \"ticker\": \"CROC\",\n \"headline\": \"Regulators close in on App Store\",\n \"description\": \"the competition bill regulators and politicians ramp up thir scrutint of the growiing industry. In addtiion the senate is hoping that the the Open App Markets Act will target the commission. This bill was passes despite Crocodile's urge for it to be dismissed given how much revenue it'll wipe away. \",\n \"source\": \"twitter \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 31,\n \"day\": \"41\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile and Crypto?\",\n \"description\": \"the news crypto feature, alloews user to for the tap to pay, which creates a contackless payment systeem and after Covid that\\u2019s all we want. It is important to also note that crypto enthusiasts want Web3 to take control away from Big Tech.\",\n \"source\": \"News \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 32,\n \"day\": \"48\",\n \"ticker\": \"CROC\",\n \"headline\": \"People want Jose to get Cooked \",\n \"description\": \"Crocodile CEO faces a shareholder revolt over his massive pay package. Her resives $99m pay abd bonuses package. This means that the massive jump of 14.8m he got in 2020. this indicates that severeal sharehoolder are making themselves heard across the tech industry. \",\n \"source\": \"News \",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 33,\n \"day\": \"67\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile releases some sparkly new stuff\",\n \"description\": \"THE SHOCK MOVED DOWN. 1.17% this could be because there is pressure on big tech stocks atm as Russia destabizes global markets. Thanks for nothing Russia \",\n \"source\": \"Magazine\",\n \"credibility\": \"1\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 34,\n \"day\": \"71\",\n \"ticker\": \"CROC\",\n \"headline\": \"Foxconn bites into Crocodile\\u2019s production targets\",\n \"description\": \"China's new covid suge force tech giants to shut down their local operations. The Bank of America analysts are cautions about \\\"prolongued supply impact\\\". However it has not cut any current quarter estimates, though investors were less forgiving and sent the stock down 2.66% to its lowest price. \",\n \"source\": \"News \",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 35,\n \"day\": \"80\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile Shares the Fruit basket\",\n \"description\": \"New product coming out as Crocodile hints at a UK Crocodile Card on the way with its latest credut rating tech purchase. It is imporatnt to note that Credit Kudos helps lenders make better informed decisions by tracking banking data. \",\n \"source\": \"news \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 36,\n \"day\": \"85\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile refines its protfolio \",\n \"description\": \"WE ARENT TOO KEEN ON THE CROC-PHONE SE ANYMORE. Which is probably why Crocodile is cutting its CROC-PHONE SE outout by 20% in the next quarter as the model receiives weaker-than expected demans in China. Also Electronics demand is taking a hit in the face of the Ukraine war.\",\n \"source\": \"YouTube\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 37,\n \"day\": \"96\",\n \"ticker\": \"CROC\",\n \"headline\": \"Is Crocodile losing its Crunch?\",\n \"description\": \"the CFO, has just stated that the supply constraints are waiting to bite into its balance sheet. Since there are several challenges ahead, with inflation. Covid in China means production shut downs, and supply constraints are here tp stay- all which could hurt sales by as much as $8bn. \",\n \"source\": \"news \",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 38,\n \"day\": \"100\",\n \"ticker\": \"CROC\",\n \"headline\": \"The Faang gang is down \",\n \"description\": \"Crocodile has lost its title as world's most valuable company. Even, with a down of over 20% Crocodile is still the most valuable company in the USA. Many people are wondering what this could really mean for the market in the long run? \",\n \"source\": \"News \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 39,\n \"day\": \"108\",\n \"ticker\": \"CROC\",\n \"headline\": \"Time to Edit \",\n \"description\": \"Its about time that Crocodile gives a edit feature that includes on undo send as well as mark as unread. Even with all of this releases, the stock remained flat, which worries people since its down 20% compare to this time last year. \",\n \"source\": \"twitter \",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 40,\n \"day\": \"110\",\n \"ticker\": \"CROC\",\n \"headline\": \"what is going on with the market right now?\",\n \"description\": \"Crocodile keep going down should we start to get worry or should Sell! Everything. Crocodile needs to start to let its invester know why sell are also down. No Way that they are still struggling form COVID!\",\n \"source\": \"YouTube\",\n \"credibility\": \"1\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 41,\n \"day\": \"118\",\n \"ticker\": \"CROC\",\n \"headline\": \"Think have turn to the better!\",\n \"description\": \"it is about time that the stock for Crocodile has started to go up. Many people belive that Crocodile is turning around and making a come back form how it was it has been. I would jugest everyone too BUY!\",\n \"source\": \"twitter \",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 42,\n \"day\": \"120\",\n \"ticker\": \"CROC\",\n \"headline\": \"Crocodile and cars\",\n \"description\": \"since 2000, Crocodile has filed for and publiish a total of 248 automobiile related patents. It is important to noter that this inclues: self-driving technology, riding comfort, seat, suspeensions, navigariooin, battery management, vehicle-to-everything coonnectivity for car to car communication.\",\n \"source\": \"news \",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 43,\n \"day\": \"0\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe third quarter results\",\n \"description\": \"Coconut's and Yam's advertising revenues have increased significantly from last year. However, Yam's advertising revenue was less than its expected goal. Coconut Cloud's revenue was also less than its expected goal.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 44,\n \"day\": \"0\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Notification from a friend\",\n \"description\": \"Your friend advises you to invest in Giraffe, claiming that it is one of the safest bets in the market.\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 45,\n \"day\": \"3\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Several states file complaints against Giraffe\",\n \"description\": \"Several states have filed complaints against Giraffe, accusing Giraffe of abusing its monopoly power\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 46,\n \"day\": \"3\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Bobby Smith invests in over 5000 shares of Giraffe\",\n \"description\": \"Popular celebrity Bobby Smith invested in over 5000 shares of Giraffe\",\n \"source\": \"News\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 47,\n \"day\": \"6\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Coconut spends over $500 million on cybersecurity\",\n \"description\": \"Coconut's latest purchase of $500 million is for improving the cybersecurity of its Cloud\",\n \"source\": \"News\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 48,\n \"day\": \"15\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Coconut reveals its first public blockchain project\",\n \"description\": \"Coconut joins the other social media platforms in moving towards crypto. Coconut revealed its first public blockchain project, as well as its blockchain team.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 49,\n \"day\": \"15\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A post on social media\",\n \"description\": \"Ex-Coconut CEO Mary Johnson posted on social media, stating that they started investing in crypto\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 50,\n \"day\": \"15\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Ex-Coconut CEO Mary Johnson gets involved with the company's first public blockchain project\",\n \"description\": \"Mary Johnson, Coconut's previous CEO, has joined the blockchain project as a strategic advisor\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 51,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe's self driving car, Almond, fights against competition\",\n \"description\": \"Almond filed a lawsuit against the DMV, trying to hide its self-driving accidents from the public eye. Almond refuses to share its safety protocols, arguing that it would be a disavantage in the competitive market.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 52,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posted on social media, claiming that self-driving cars are the future.\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 53,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posted on social media, claiming that Almond's testers are required to sign nondisclosure agreements. The user also claims that self-driving cars are not reliable, and that there are more self-driving accidents than companies reveal.\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 54,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe announces a stock split\",\n \"description\": \"Giraffe announces a stock split, increasing the availability of its shares\",\n \"source\": \"News\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 55,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A notification from a friend\",\n \"description\": \"Your friend advises you to invest in Giraffe because of the stock split\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 56,\n \"day\": \"21\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A notification from a friend\",\n \"description\": \"Your friend advises you to invest in Giraffe before the stock split\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 57,\n \"day\": \"42\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Coconut purchases cybersecurity company Acorn\",\n \"description\": \"Coconut spent 5 billion dollars on cybersecurity company Acorn. Acorn is one of Giraffe's biggest acquisitions ever.\",\n \"source\": \"News\",\n \"credibility\": \"5\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 58,\n \"day\": \"57\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Almond is ready to hit the road\",\n \"description\": \"After years of development and testing, Almond is ready to hit the road. \",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 59,\n \"day\": \"72\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe's stock plummets\",\n \"description\": \"Giraffe's stock prices are plummeting.\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 60,\n \"day\": \"72\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A post on social media\",\n \"description\": \"The CEO of Giraffe posts on social media, claiming that the stock's under performance is not their fault. Ad spending had to be decreased because of another war in another country.\",\n \"source\": \"Interview\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 61,\n \"day\": \"81\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Coconut reveals its new products\",\n \"description\": \"Coconut is working on releasing the Mango Watch, the Mango 9 smartphone, and the Mango Pro earbuds.\",\n \"source\": \"News\",\n \"credibility\": \"\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 62,\n \"day\": \"111\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe's stocks are going to split soon\",\n \"description\": \"Giraffe's stocks are going to split soon. Investors will receive additional shares per share they own.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 63,\n \"day\": \"114\",\n \"ticker\": \"GIRA\",\n \"headline\": \"Giraffe reduces hiring\",\n \"description\": \"Giraffe is reducing hiring due to inflation and war\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 64,\n \"day\": \"117\",\n \"ticker\": \"GIRA\",\n \"headline\": \"A notification from a friend\",\n \"description\": \"A friend who works at Google expresses their fears of lay-offs\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 65,\n \"day\": \"0\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny stock prices approach all-time high\",\n \"description\": \"Bunny's stock prices are quickly approaching the all-time high stock price that it recently achieved\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 66,\n \"day\": \"0\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Antitrust officials target Bunny\",\n \"description\": \"Antitrust officials are investigating Bunny's acquisition of Carrot, a speech-to-text software.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 67,\n \"day\": \"0\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posts on social media, claiming that Bunny's true all-time high is soon to come\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 68,\n \"day\": \"9\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny is developing its in-house chip\",\n \"description\": \"Bunny recently hired one of the top semiconductor engineers to help develop its in-house Arm-based chip.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 69,\n \"day\": \"12\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny and Alpaca strike Lettuce deal\",\n \"description\": \"Bunny and Alpaca strike a deal, agreeing to integrate the Lettuce video conferencing software in Alpaca's products\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 70,\n \"day\": \"18\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny sales top $50 billion\",\n \"description\": \"Bunny's sales topped $50 billion for the first time. However, the revenue for Bunny's cloud computing service, Potato, has been overestimated the last few quarters.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 71,\n \"day\": \"21\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A notification from a friend\",\n \"description\": \"Your friend advises you to invest in Bunny because it is a strong stock and is likely to soar again\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 72,\n \"day\": \"27\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny considers acquiring cybersecurity firm Acorn\",\n \"description\": \"Bunny is considering acquiring cybersecurity firm Acorn which has a market value of $4 billion.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 73,\n \"day\": \"39\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny completes its $15 billion acquisition of Carrot\",\n \"description\": \"Bunny has completed its $15 billion acquisition of Carrot, a speech-to-text software\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 74,\n \"day\": \"48\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny faces antitrust complaints\",\n \"description\": \"Bunny is facing antitrust complaints about Potato, its cloud computing service\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 75,\n \"day\": \"48\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posts on social media, claiming that Bunny abuses its power, undermines fair competition, and limits consumer choice in the cloud computing market\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 76,\n \"day\": \"72\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny shares surge as much as 8%\",\n \"description\": \"Bunny shares surged as much as 8% in Wednesday's extending trading\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 77,\n \"day\": \"90\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A notification from a friend\",\n \"description\": \"A friend claims that Microsoft can continue thriving despite the recession\",\n \"source\": \"Friend\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 78,\n \"day\": \"93\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny intends to increase wages for current employees\",\n \"description\": \"Bunny intends to increase wages for current employees despite the reduction in hiring\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 79,\n \"day\": \"93\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posts on social media, claiming that Bunny is one of the most resilient and undervalued stocks.\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 80,\n \"day\": \"96\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny reduces estimates\",\n \"description\": \"Bunny reduced its revenue estimates by about $1 billion.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 81,\n \"day\": \"96\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny faces the effects of inflation\",\n \"description\": \"Bunny gets half of its revenue from outside the country, so inflation has negatively affected the company.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 82,\n \"day\": \"102\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny has lost 30% YTD\",\n \"description\": \"Bunny has lost 30% YTD. Can Bunny recover from the losses?\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 83,\n \"day\": \"105\",\n \"ticker\": \"BUNY\",\n \"headline\": \"A post on social media\",\n \"description\": \"A user posts on social media, claiming that the bear market is an advantage for long-term investors. They also claimed that Bunny has continuously rewarded long-term shareholders.\",\n \"source\": \"Social media\",\n \"credibility\": \"2\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 84,\n \"day\": \"114\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny targeted by antitrust officials once again\",\n \"description\": \"One of Bunny's recent acquistions is being investigated by antitrust officials. Antitrust officials want to find out whether this acquisition will undermine competition.\",\n \"source\": \"News\",\n \"credibility\": \"4\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 85,\n \"day\": \"117\",\n \"ticker\": \"BUNY\",\n \"headline\": \"Bunny cuts some jobs\",\n \"description\": \"Bunny cuts some jobs, claiming that the layoff is not related to the recession\",\n \"source\": \"News\",\n \"credibility\": \"3\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 86,\n \"day\": \"0\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth schedules release of brand new original title.\",\n \"description\": \"The entertainment mogul enlists a top-tier cast for a never before seen action-thriller. Set to release in March, the film follows David Hendrix, a wanted man hungry for revenge.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 87,\n \"day\": \"6\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth's \\\"The Barnyard\\\" denies expectations\",\n \"description\": \"Sloth's first attempt at an original horror\\nfilm receives scathing reviews from even\\nthe most passive media consumers.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 88,\n \"day\": \"10\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth stock plummets in value\",\n \"description\": \"Despite a positive outlook for 2022, Sloth's\\ndiminishing subscriber count resulted in poor\\nperformance in the markets all week. \",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 89,\n \"day\": \"17\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Your friend insists that SLTH is a good buy\",\n \"description\": \"Your friend, a finance major at UC Boulder,\\ninsists that SLTH is a perfect buy because\\nit's evaluation is so low. \\\"Buy low, sell high\\\", he\\nsays.\",\n \"source\": \"Friend\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 90,\n \"day\": \"21\",\n \"ticker\": \"SLTH\",\n \"headline\": \"A horrendous outlook for Sloth\",\n \"description\": \"A shocking downturn for the media company\\nrears its ugly head as SLTH loses almost $50\\nbillion in market cap value. The company's \\nsubscriber count continues to fall despite the\\npush for more content.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 91,\n \"day\": \"24\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth CEO plan of action\",\n \"description\": \"In an interview with the media mogul's CEO,\\nshe lays out an active recovery plan for the\\ncompany and a positive outlook for\\ninvestors.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 92,\n \"day\": \"36\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth holds value after devastating hit\",\n \"description\": \"Sloth's plan to draw in more subscribers seems\\nto pay off, as the stock holds its value after\\na devastasting first quarter loss.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 93,\n \"day\": \"44\",\n \"ticker\": \"SLTH\",\n \"headline\": \"A pleasant suprise for Sloth investors\",\n \"description\": \"A new ad-based subscriber tier gives a positive\\noutlook for the company to defend its market\\nshare.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 94,\n \"day\": \"49\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Increased web services fees hits tech stocks\",\n \"description\": \"Amazon CEO, Jeff Bozo, increases web services fees for corporations. Sloth entertainment, a heavy user, takes a hit in the markets after the decision. \",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 95,\n \"day\": \"54\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Your friend insists that SLTH is a good buy\",\n \"description\": \"Your friend, a finance major at UC Boulder, \\ninsists once again that you must buy SLTH. The\\nstock is \\\"quickly recovering\\\", he says.\",\n \"source\": \"Friend\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 96,\n \"day\": \"63\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth to release steamy new series\",\n \"description\": \"Sloth enlists Megan Fox to star in provocative\\nnew series. OMG yes?\",\n \"source\": \"Social Media\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 97,\n \"day\": \"69\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Tweet from Taylor Swift boosts Sloth\",\n \"description\": \"A tweet from the singer-songwriter advocates\\nfor Sloth's \\\"The Barnyard\\\", and fans are quick\\nto watch.\",\n \"source\": \"News\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 98,\n \"day\": \"80\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth drops tremendously\",\n \"description\": \"Sloth stock drops significantly after reports of\\ncontinued subscriber downturn. The tech giant\\nis not expected to recover anytime soon.\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 99,\n \"day\": \"100\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Your friend insists that SLTH is a good buy\",\n \"description\": \"Your friend, a finance major at UC Boulder, says now is your last chance to get the best\\npossible buy in for SLTH - a \\\"no brainer\\\" he says.\",\n \"source\": \"Friend\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 100,\n \"day\": \"110\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth makes decent recovery\",\n \"description\": \"Sloth gains ground in the markets after a\\nhorrendous drop. Does this signify a comeback for the media giant?\",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 101,\n \"day\": \"133\",\n \"ticker\": \"SLTH\",\n \"headline\": \"Sloth schedules release of original series\",\n \"description\": \"Sloth enlists a stellar cast in brand new original\\nseries, titled \\\"A Long Way Home\\\". The show\\nfollows a group of low-country children on\\ntheir search for treasure. \",\n \"source\": \"\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 102,\n \"day\": \"0\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Studies show that overconfident investors trade more than rational investors and that doing so lowers their expected utilities. Greater overconfidence leads to greater trading and to lower expected utility.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 103,\n \"day\": \"7\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Your best bet to overcome the pitfalls of overconfidence is to slow down your thinking and simply become aware of it, and question whether you\\u2019re maybe being overly optimistic. Don\\u2019t act in haste.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 104,\n \"day\": \"14\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Be confident, yet intellectually humble. Consider the possibility that you could be wrong. Listen to evidence that could possible change your mind. Be ruthless with your investment thesis. Be open-minded.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 105,\n \"day\": \"21\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Consider the consequences of being wrong. Your job should be first and foremost not to lose money. Put your ego aside and keep that in mind.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 106,\n \"day\": \"28\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Don\\u2019t view each problem in isolation. The single best advice we have in framing is broad framing. See the decision as a member of a class of decisions that you\\u2019ll probably have to take.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 107,\n \"day\": \"35\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Don\\u2019t underplay regret. Regret is probably the greatest enemy of good decision making in personal finance. So if you are an asset manager or financial adviser, assess how prone clients are to it. The more potential for regret, the more likely they are to churn their account, sell at the wrong time, and buy when prices are high. High-net-worth individuals are especially risk averse, so try to gauge just how risk averse. Clients who have regrets will often fire their advisers.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 108,\n \"day\": \"42\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Seek out good advice. Part of getting a wide-ranging perspective is to cultivate curiosity and to seek out guidance. An ideal adviser is a person who likes you and doesn\\u2019t care about your feelings.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 109,\n \"day\": \"49\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Probably the most compelling evidence is that most investors, especially active investors, both professional and amateur, tend to have a very hard time beating market indices consistently, as demonstrated in the latest\\u00a0Morningstar Active-Passive Barometer.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 110,\n \"day\": \"56\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"How can you tackle overconfidence bias? You could look back at your trading records and ask yourself questions such as \\u201cwhy did I buy or sell that stock?\\u201d and try to give an objective answer. If you can spot behavioural patterns in your trading activity, it\\u2019s easier to correct these mistakes.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 111,\n \"day\": \"63\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"I have seen overconfidence in action many times over my practice. To counteract this behavior in my clients, I often recommend they establish a \\u201cmad money\\u201d account. This involves taking a small portion of one\\u2019s wealth for \\u201coverconfident\\u201d trading activities while leaving the remainder of their wealth to be managed in a disciplined way. This approach scratches the itch that many investors have to trade their account, while at the same time keeping the majority of the money intelligently managed.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 112,\n \"day\": \"70\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Effective investing doesn\\u2019t come naturally to most of us. Even when we know the fundamentals, we tend to make snap decisions and irrational--sometimes destructive--mistakes, based on what \\u201cfeels\\u201d right. The gamification built into platforms like Robinhood\\u2014free stock for signing up, frequently updating and colourful screens based on performance, even digital confetti upon completion of a successful transaction\\u2014may at times, just worsen these tendencies.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 113,\n \"day\": \"77\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"In a study we conducted on a nationally representative sample of the U.S population, we found evidence that although most Americans are overconfident (67 per cent of the sample), people currently in Generation Z are significantly more overconfident\\u2014even more than millennials and Gen Xers. We also know that Robinhood\\u2019s average user is 31 years old, and half of them are first-time investors. This premise of innate investing knowledge, combined with a platform that rewards hasty decisions with immediate gratification and self-flattery, makes for a breeding ground of biased decisions.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 114,\n \"day\": \"84\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"For instance, compared with people with low bias, people who showed high levels of overconfidence were twice as likely to be struggling with their financial lives: having the lowest savings, the highest debt, and the worst credit scores.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 115,\n \"day\": \"91\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"If you\\u2019re overconfident, you might overestimate your knowledge and abilities, which in turn can lead you to overestimate expected returns and underestimate investment risks. Overconfidence can also result in excessive trading. One phenomenon investors often fall prey to is the so-called Hot Hand Fallacy where they assume that a winning streak will continue, whether it is a top-performing fund manager, a stock that has soared, or their own investment choices.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 116,\n \"day\": \"98\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"Reviewing your trading records can be a good exercise to reduce overconfidence bias. While conducting your review, it\\u2019s important to remain objective. Ask yourself questions such as \\u201cwhy did I buy that security?\\u201d or \\u201cwhy did I sell?\\u201d. If you can identify behavioral patterns in your trading activity, it\\u2019s easier to correct for mistakes.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 117,\n \"day\": \"105\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"While it is very possible to outperform indices and people do all the time, it is not probable--and that is the point. Most investors, both professional and amateur, tend to have a very hard time beating market indices consistently.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n},\n{\n \"id\": 118,\n \"day\": \"112\",\n \"ticker\": \"Advisor\",\n \"headline\": \"Advisor Message\",\n \"description\": \"In recent years, investors have begun to realise that trading frequently hurts, higher fees and commissions hurt, and overconfidence hurts.\",\n \"source\": \"Advisor\",\n \"credibility\": \"N/A\",\n \"analyst_opinion\": \"-\"\n}\n]","import { render } from \"./TradingPage.vue?vue&type=template&id=7c9bafae&scoped=true\"\nimport script from \"./TradingPage.vue?vue&type=script&lang=js\"\nexport * from \"./TradingPage.vue?vue&type=script&lang=js\"\n\nimport \"./TradingPage.vue?vue&type=style&index=0&id=7c9bafae&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-7c9bafae\"]])\n\nexport default __exports__","\n\n\n\n","import { render } from \"./InputPage.vue?vue&type=template&id=24276024&scoped=true\"\nimport script from \"./InputPage.vue?vue&type=script&lang=js\"\nexport * from \"./InputPage.vue?vue&type=script&lang=js\"\n\nimport \"./InputPage.vue?vue&type=style&index=0&id=24276024&scoped=true&lang=scss\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__scopeId',\"data-v-24276024\"]])\n\nexport default __exports__","import { render } from \"./App.vue?vue&type=template&id=d153893c\"\nimport script from \"./App.vue?vue&type=script&lang=js\"\nexport * from \"./App.vue?vue&type=script&lang=js\"\n\nimport \"./App.vue?vue&type=style&index=0&id=d153893c&lang=css\"\n\nimport exportComponent from \"/Users/ashirod/Desktop/Morningstar_CaseStudy/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render]])\n\nexport default __exports__","import { createApp } from 'vue'\nimport App from './App.vue'\n\ncreateApp(App).mount('#app')\n","// The module cache\nvar __webpack_module_cache__ = {};\n\n// The require function\nfunction __webpack_require__(moduleId) {\n\t// Check if module is in cache\n\tvar cachedModule = __webpack_module_cache__[moduleId];\n\tif (cachedModule !== undefined) {\n\t\treturn cachedModule.exports;\n\t}\n\t// Create a new module (and put it into the cache)\n\tvar module = __webpack_module_cache__[moduleId] = {\n\t\tid: moduleId,\n\t\tloaded: false,\n\t\texports: {}\n\t};\n\n\t// Execute the module function\n\t__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n\t// Flag the module as loaded\n\tmodule.loaded = true;\n\n\t// Return the exports of the module\n\treturn module.exports;\n}\n\n// expose the modules object (__webpack_modules__)\n__webpack_require__.m = __webpack_modules__;\n\n","var deferred = [];\n__webpack_require__.O = function(result, chunkIds, fn, priority) {\n\tif(chunkIds) {\n\t\tpriority = priority || 0;\n\t\tfor(var i = deferred.length; i > 0 && deferred[i - 1][2] > priority; i--) deferred[i] = deferred[i - 1];\n\t\tdeferred[i] = [chunkIds, fn, priority];\n\t\treturn;\n\t}\n\tvar notFulfilled = Infinity;\n\tfor (var i = 0; i < deferred.length; i++) {\n\t\tvar chunkIds = deferred[i][0];\n\t\tvar fn = deferred[i][1];\n\t\tvar priority = deferred[i][2];\n\t\tvar fulfilled = true;\n\t\tfor (var j = 0; j < chunkIds.length; j++) {\n\t\t\tif ((priority & 1 === 0 || notFulfilled >= priority) && Object.keys(__webpack_require__.O).every(function(key) { return __webpack_require__.O[key](chunkIds[j]); })) {\n\t\t\t\tchunkIds.splice(j--, 1);\n\t\t\t} else {\n\t\t\t\tfulfilled = false;\n\t\t\t\tif(priority < notFulfilled) notFulfilled = priority;\n\t\t\t}\n\t\t}\n\t\tif(fulfilled) {\n\t\t\tdeferred.splice(i--, 1)\n\t\t\tvar r = fn();\n\t\t\tif (r !== undefined) result = r;\n\t\t}\n\t}\n\treturn result;\n};","// getDefaultExport function for compatibility with non-harmony modules\n__webpack_require__.n = function(module) {\n\tvar getter = module && module.__esModule ?\n\t\tfunction() { return module['default']; } :\n\t\tfunction() { return module; };\n\t__webpack_require__.d(getter, { a: getter });\n\treturn getter;\n};","// define getter functions for harmony exports\n__webpack_require__.d = function(exports, definition) {\n\tfor(var key in definition) {\n\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n\t\t}\n\t}\n};","__webpack_require__.g = (function() {\n\tif (typeof globalThis === 'object') return globalThis;\n\ttry {\n\t\treturn this || new Function('return this')();\n\t} catch (e) {\n\t\tif (typeof window === 'object') return window;\n\t}\n})();","__webpack_require__.o = function(obj, prop) { return Object.prototype.hasOwnProperty.call(obj, prop); }","// define __esModule on exports\n__webpack_require__.r = function(exports) {\n\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n\t}\n\tObject.defineProperty(exports, '__esModule', { value: true });\n};","__webpack_require__.nmd = function(module) {\n\tmodule.paths = [];\n\tif (!module.children) module.children = [];\n\treturn module;\n};","__webpack_require__.p = \"Morningstar_CaseStudy/\";","// no baseURI\n\n// object to store loaded and loading chunks\n// undefined = chunk not loaded, null = chunk preloaded/prefetched\n// [resolve, reject, Promise] = chunk loading, 0 = chunk loaded\nvar installedChunks = {\n\t143: 0\n};\n\n// no chunk on demand loading\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = function(chunkId) { return installedChunks[chunkId] === 0; };\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = function(parentChunkLoadingFunction, data) {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some(function(id) { return installedChunks[id] !== 0; })) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunkms_trading_ui\"] = self[\"webpackChunkms_trading_ui\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [998], function() { return __webpack_require__(4193); })\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["map","webpackContext","req","id","webpackContextResolve","__webpack_require__","o","e","Error","code","keys","Object","resolve","module","exports","class","_createElementBlock","_createVNode","_Transition","name","$data","_createBlock","_component_IntroPage","onClick","$options","_component_InputPage","switchToInfoPage","_component_InfoPage","switchToTradingPage","_component_TradingPage","switchToEndPage","_component_EndPage","key","_createElementVNode","_hoisted_42","_hoisted_47","_hoisted_2","_toDisplayString","overconfidenceScore","toFixed","_component_circle_progress","percent","size","transition","_hoisted_6","tradeCount","_hoisted_9","_hoisted_10","bigTrades","length","_hoisted_13","_hoisted_14","_hoisted_15","numBalancedPortfolioSnapshots","_hoisted_17","_hoisted_21","_component_PieChart","holdingsData","portfolioSnapshots","data","_hoisted_24","_hoisted_27","_hoisted_30","_hoisted_33","_hoisted_34","_hoisted_35","numArticlesRead","isAdvisorEnabled","_hoisted_37","_hoisted_38","_hoisted_39","_hoisted_40","_hoisted_44","_hoisted_45","_hoisted_49","_hoisted_50","_hoisted_51","_hoisted_52","hastyTrades","_hoisted_55","defineComponent","extends","Pie","props","type","Array","chartData","datasets","this","label","backgroundColor","borderColor","clip","labels","chartOptions","responsive","mounted","renderChart","__exports__","playerDataStore","reactive","accountBalance","timeSpentInPause","timeSpentInSimulation","numberOfTrades","articlesRead","tradeHistory","portfolioValue","playerName","annualSalary","annualSavings","portfolio","index","numberOfShares","totalValue","percentageValue","isInPortfolio","incrementOverconfidenceScore","value","incrementPauseTime","incrementSimulationTime","setIsAdvisorEnabled","console","log","markArticleAsRead","includes","push","updatePortfolio","currentPrices","currentDay","ticker","entries","sharePrice","stockCount","values","addStock","totalPrice","numShares","isTimeRunning","uninvestedMoney","percentageOfInvestedMoney","history","day","tradeType","tradeValue","sellStock","setPlayerData","salary","savings","setAccountBalance","addPortfolioSnapshot","holdingsDataCopy","balanced","wasBalanced","capOverconfidenceScore","filter","trade","balancedPortfolioSnapshots","snapshot","components","PieChart","CircleProgress","isShowingSubHeader","isShowingScore","showVerbage","showMetric_1","showMetric_2","showMetric_3","showMetric_4","showMetric_5","showChart1","showChart2","showChart3","showChart4","showChart5","setTimeout","methods","calculateOverConfidencePercentage","parseFloat","getOverconfidenceRating","getFillColor","rating","_hoisted_3","_hoisted_7","_hoisted_8","_hoisted_12","_hoisted_18","_hoisted_19","_hoisted_20","_hoisted_25","_hoisted_26","_hoisted_31","_hoisted_32","_hoisted_36","min","max","$event","onChange","required","_hoisted_48","$props","isShowingHeader","showSquareOne","showSquareTwo","showSquareThree","showSquareFour","showSquareFive","isShowingSliderMessage","isShowingSlider","isShowingLastMessage","isShowingAdvisorSubscription","showClickAnywhere","advisorSubscription","fee","Function","submitAccountBalance","valueError","document","getElementById","innerHTML","focus","triggerAdvisorOption","setFee","submitAdvisorSubscription","triggerLastMessage","clearErrorText","toggleAdvisorSubscription","_ctx","slice","_component_ClockIcon","timeRunning","src","_imports_0","_hoisted_11","_imports_1","_Fragment","_renderList","stock","_component_StockCard","price","updateCurrentStock","activeStock","_hoisted_16","_component_StockChart","simulationDuration","allTimeStockData","_hoisted_22","_hoisted_23","_component_TradingForm","startSimulation","stopSimulation","makeTrade","_component_StockCardPortfolio","percentageUpdate","peekN","article","_component_NewsCard","title","headline","description","imageNum","_article_id","is_advisor_message","ref","$setup","closePrice","activeTimeFilter","updateActiveTimeFilter","n","Number","setup","svgRef","rootData","activeData","getStockDataForPeriod","period","watchEffect","svg","select","d3","remove","yLabel","color","width","height","marginTop","marginBottom","marginLeft","marginRight","strokeLinecap","strokeLinejoin","strokeWidth","strokeOpacity","curve","X","el","Y","parseInt","I","xType","yType","xDomain","yDomain","xRange","yRange","undefined","xScale","scaleX","domain","range","yScale","xAxis","ticks","yAxis","line","x","i","y","attr","append","call","style","g","selectAll","clone","text","current","String","changeStock","s","isActiveStock","_hoisted_4","source","Boolean","showContent","was_read","content","formatCurrency","amount","selectedStock","orderType","validateForm","valueOfActiveStock","updateSelectedStock","updateOrderType","confirmOrder","msg","confirm","aapl_data","nflx_data","tsla_data","goog_data","msft_data","stocks","newsData","RingBuffer","require","StockChart","StockCard","NewsCard","StockCardPortfolio","ClockIcon","TradingForm","updateNewsFeed","stockData","currentNewsFeed","activeStockData","realDuration","simulationTimeElapsed","buyHistory","pieKey","computed","simulationDurationInSeconds","realDurationInSeconds","ratio","calculatePercentage","marketPrice","getCurrentPriceForStock","startPrice","percentage","getPortfolioValueForStock","res","action","shares","portfolioKey","formatter","Intl","NumberFormat","currency","format","getCurrentPrices","rtn","enq","updateTimeData","Math","floor","interval","setInterval","clearInterval","pauseSimulation","resumeSimulation","for","placeholder","maxlength","showInputFields","submitPlayerData","nameError","EndPage","IntroPage","InfoPage","TradingPage","InputPage","isShowingIntroPage","isShowingInputPage","isShowingInfoPage","isShowingTradingPage","isShowingEndPage","switchToInputPage","render","createApp","App","mount","__webpack_module_cache__","moduleId","cachedModule","loaded","__webpack_modules__","m","deferred","O","result","chunkIds","fn","priority","notFulfilled","Infinity","fulfilled","j","every","splice","r","getter","__esModule","d","a","definition","defineProperty","enumerable","get","globalThis","window","obj","prop","prototype","hasOwnProperty","Symbol","toStringTag","nmd","paths","children","p","installedChunks","chunkId","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","some","chunkLoadingGlobal","self","forEach","bind","__webpack_exports__"],"sourceRoot":""} \ No newline at end of file diff --git a/dist/js/chunk-vendors.f18a7062.js b/dist/js/chunk-vendors.f18a7062.js new file mode 100644 index 0000000..f044fe1 --- /dev/null +++ b/dist/js/chunk-vendors.f18a7062.js @@ -0,0 +1,145 @@ +(self["webpackChunkms_trading_ui"]=self["webpackChunkms_trading_ui"]||[]).push([[998],{9662:function(e,t,n){var r=n(614),a=n(6330),i=TypeError;e.exports=function(e){if(r(e))return e;throw i(a(e)+" is not a function")}},6077:function(e,t,n){var r=n(614),a=String,i=TypeError;e.exports=function(e){if("object"==typeof e||r(e))return e;throw i("Can't set "+a(e)+" as a prototype")}},1223:function(e,t,n){var r=n(5112),a=n(30),i=n(3070).f,o=r("unscopables"),s=Array.prototype;void 0==s[o]&&i(s,o,{configurable:!0,value:a(null)}),e.exports=function(e){s[o][e]=!0}},9670:function(e,t,n){var r=n(111),a=String,i=TypeError;e.exports=function(e){if(r(e))return e;throw i(a(e)+" is not an object")}},1318:function(e,t,n){var r=n(5656),a=n(1400),i=n(6244),o=function(e){return function(t,n,o){var s,u=r(t),l=i(u),d=a(o,l);if(e&&n!=n){while(l>d)if(s=u[d++],s!=s)return!0}else for(;l>d;d++)if((e||d in u)&&u[d]===n)return e||d||0;return!e&&-1}};e.exports={includes:o(!0),indexOf:o(!1)}},4326:function(e,t,n){var r=n(1702),a=r({}.toString),i=r("".slice);e.exports=function(e){return i(a(e),8,-1)}},648:function(e,t,n){var r=n(1694),a=n(614),i=n(4326),o=n(5112),s=o("toStringTag"),u=Object,l="Arguments"==i(function(){return arguments}()),d=function(e,t){try{return e[t]}catch(n){}};e.exports=r?i:function(e){var t,n,r;return void 0===e?"Undefined":null===e?"Null":"string"==typeof(n=d(t=u(e),s))?n:l?i(t):"Object"==(r=i(t))&&a(t.callee)?"Arguments":r}},7741:function(e,t,n){var r=n(1702),a=Error,i=r("".replace),o=function(e){return String(a(e).stack)}("zxcasd"),s=/\n\s*at [^:]*:[^\n]*/,u=s.test(o);e.exports=function(e,t){if(u&&"string"==typeof e&&!a.prepareStackTrace)while(t--)e=i(e,s,"");return e}},9920:function(e,t,n){var r=n(2597),a=n(3887),i=n(1236),o=n(3070);e.exports=function(e,t,n){for(var s=a(t),u=o.f,l=i.f,d=0;d0&&r[0]<4?1:+(r[0]+r[1])),!a&&o&&(r=o.match(/Edge\/(\d+)/),(!r||r[1]>=74)&&(r=o.match(/Chrome\/(\d+)/),r&&(a=+r[1]))),e.exports=a},748:function(e){e.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},2914:function(e,t,n){var r=n(7293),a=n(9114);e.exports=!r((function(){var e=Error("a");return!("stack"in e)||(Object.defineProperty(e,"stack",a(1,7)),7!==e.stack)}))},2109:function(e,t,n){var r=n(7854),a=n(1236).f,i=n(8880),o=n(8052),s=n(3072),u=n(9920),l=n(4705);e.exports=function(e,t){var n,d,c,f,h,_,m=e.target,p=e.global,g=e.stat;if(d=p?r:g?r[m]||s(m,{}):(r[m]||{}).prototype,d)for(c in t){if(h=t[c],e.dontCallGetSet?(_=a(d,c),f=_&&_.value):f=d[c],n=l(p?c:m+(g?".":"#")+c,e.forced),!n&&void 0!==f){if(typeof h==typeof f)continue;u(h,f)}(e.sham||f&&f.sham)&&i(h,"sham",!0),o(d,c,h,e)}}},7293:function(e){e.exports=function(e){try{return!!e()}catch(t){return!0}}},2104:function(e,t,n){var r=n(4374),a=Function.prototype,i=a.apply,o=a.call;e.exports="object"==typeof Reflect&&Reflect.apply||(r?o.bind(i):function(){return o.apply(i,arguments)})},4374:function(e,t,n){var r=n(7293);e.exports=!r((function(){var e=function(){}.bind();return"function"!=typeof e||e.hasOwnProperty("prototype")}))},6916:function(e,t,n){var r=n(4374),a=Function.prototype.call;e.exports=r?a.bind(a):function(){return a.apply(a,arguments)}},6530:function(e,t,n){var r=n(9781),a=n(2597),i=Function.prototype,o=r&&Object.getOwnPropertyDescriptor,s=a(i,"name"),u=s&&"something"===function(){}.name,l=s&&(!r||r&&o(i,"name").configurable);e.exports={EXISTS:s,PROPER:u,CONFIGURABLE:l}},1702:function(e,t,n){var r=n(4374),a=Function.prototype,i=a.bind,o=a.call,s=r&&i.bind(o,o);e.exports=r?function(e){return e&&s(e)}:function(e){return e&&function(){return o.apply(e,arguments)}}},5005:function(e,t,n){var r=n(7854),a=n(614),i=function(e){return a(e)?e:void 0};e.exports=function(e,t){return arguments.length<2?i(r[e]):r[e]&&r[e][t]}},8173:function(e,t,n){var r=n(9662);e.exports=function(e,t){var n=e[t];return null==n?void 0:r(n)}},7854:function(e,t,n){var r=function(e){return e&&e.Math==Math&&e};e.exports=r("object"==typeof globalThis&&globalThis)||r("object"==typeof window&&window)||r("object"==typeof self&&self)||r("object"==typeof n.g&&n.g)||function(){return this}()||Function("return this")()},2597:function(e,t,n){var r=n(1702),a=n(7908),i=r({}.hasOwnProperty);e.exports=Object.hasOwn||function(e,t){return i(a(e),t)}},3501:function(e){e.exports={}},490:function(e,t,n){var r=n(5005);e.exports=r("document","documentElement")},4664:function(e,t,n){var r=n(9781),a=n(7293),i=n(317);e.exports=!r&&!a((function(){return 7!=Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},8361:function(e,t,n){var r=n(1702),a=n(7293),i=n(4326),o=Object,s=r("".split);e.exports=a((function(){return!o("z").propertyIsEnumerable(0)}))?function(e){return"String"==i(e)?s(e,""):o(e)}:o},9587:function(e,t,n){var r=n(614),a=n(111),i=n(7674);e.exports=function(e,t,n){var o,s;return i&&r(o=t.constructor)&&o!==n&&a(s=o.prototype)&&s!==n.prototype&&i(e,s),e}},2788:function(e,t,n){var r=n(1702),a=n(614),i=n(5465),o=r(Function.toString);a(i.inspectSource)||(i.inspectSource=function(e){return o(e)}),e.exports=i.inspectSource},8340:function(e,t,n){var r=n(111),a=n(8880);e.exports=function(e,t){r(t)&&"cause"in t&&a(e,"cause",t.cause)}},9909:function(e,t,n){var r,a,i,o=n(8536),s=n(7854),u=n(1702),l=n(111),d=n(8880),c=n(2597),f=n(5465),h=n(6200),_=n(3501),m="Object already initialized",p=s.TypeError,g=s.WeakMap,y=function(e){return i(e)?a(e):r(e,{})},v=function(e){return function(t){var n;if(!l(t)||(n=a(t)).type!==e)throw p("Incompatible receiver, "+e+" required");return n}};if(o||f.state){var M=f.state||(f.state=new g),b=u(M.get),L=u(M.has),k=u(M.set);r=function(e,t){if(L(M,e))throw new p(m);return t.facade=e,k(M,e,t),t},a=function(e){return b(M,e)||{}},i=function(e){return L(M,e)}}else{var w=h("state");_[w]=!0,r=function(e,t){if(c(e,w))throw new p(m);return t.facade=e,d(e,w,t),t},a=function(e){return c(e,w)?e[w]:{}},i=function(e){return c(e,w)}}e.exports={set:r,get:a,has:i,enforce:y,getterFor:v}},614:function(e){e.exports=function(e){return"function"==typeof e}},4705:function(e,t,n){var r=n(7293),a=n(614),i=/#|\.prototype\./,o=function(e,t){var n=u[s(e)];return n==d||n!=l&&(a(t)?r(t):!!t)},s=o.normalize=function(e){return String(e).replace(i,".").toLowerCase()},u=o.data={},l=o.NATIVE="N",d=o.POLYFILL="P";e.exports=o},111:function(e,t,n){var r=n(614);e.exports=function(e){return"object"==typeof e?null!==e:r(e)}},1913:function(e){e.exports=!1},2190:function(e,t,n){var r=n(5005),a=n(614),i=n(7976),o=n(3307),s=Object;e.exports=o?function(e){return"symbol"==typeof e}:function(e){var t=r("Symbol");return a(t)&&i(t.prototype,s(e))}},6244:function(e,t,n){var r=n(7466);e.exports=function(e){return r(e.length)}},6339:function(e,t,n){var r=n(7293),a=n(614),i=n(2597),o=n(9781),s=n(6530).CONFIGURABLE,u=n(2788),l=n(9909),d=l.enforce,c=l.get,f=Object.defineProperty,h=o&&!r((function(){return 8!==f((function(){}),"length",{value:8}).length})),_=String(String).split("String"),m=e.exports=function(e,t,n){"Symbol("===String(t).slice(0,7)&&(t="["+String(t).replace(/^Symbol\(([^)]*)\)/,"$1")+"]"),n&&n.getter&&(t="get "+t),n&&n.setter&&(t="set "+t),(!i(e,"name")||s&&e.name!==t)&&(o?f(e,"name",{value:t,configurable:!0}):e.name=t),h&&n&&i(n,"arity")&&e.length!==n.arity&&f(e,"length",{value:n.arity});try{n&&i(n,"constructor")&&n.constructor?o&&f(e,"prototype",{writable:!1}):e.prototype&&(e.prototype=void 0)}catch(a){}var r=d(e);return i(r,"source")||(r.source=_.join("string"==typeof t?t:"")),e};Function.prototype.toString=m((function(){return a(this)&&c(this).source||u(this)}),"toString")},4758:function(e){var t=Math.ceil,n=Math.floor;e.exports=Math.trunc||function(e){var r=+e;return(r>0?n:t)(r)}},133:function(e,t,n){var r=n(7392),a=n(7293);e.exports=!!Object.getOwnPropertySymbols&&!a((function(){var e=Symbol();return!String(e)||!(Object(e)instanceof Symbol)||!Symbol.sham&&r&&r<41}))},8536:function(e,t,n){var r=n(7854),a=n(614),i=n(2788),o=r.WeakMap;e.exports=a(o)&&/native code/.test(i(o))},6277:function(e,t,n){var r=n(1340);e.exports=function(e,t){return void 0===e?arguments.length<2?"":t:r(e)}},30:function(e,t,n){var r,a=n(9670),i=n(6048),o=n(748),s=n(3501),u=n(490),l=n(317),d=n(6200),c=">",f="<",h="prototype",_="script",m=d("IE_PROTO"),p=function(){},g=function(e){return f+_+c+e+f+"/"+_+c},y=function(e){e.write(g("")),e.close();var t=e.parentWindow.Object;return e=null,t},v=function(){var e,t=l("iframe"),n="java"+_+":";return t.style.display="none",u.appendChild(t),t.src=String(n),e=t.contentWindow.document,e.open(),e.write(g("document.F=Object")),e.close(),e.F},M=function(){try{r=new ActiveXObject("htmlfile")}catch(t){}M="undefined"!=typeof document?document.domain&&r?y(r):v():y(r);var e=o.length;while(e--)delete M[h][o[e]];return M()};s[m]=!0,e.exports=Object.create||function(e,t){var n;return null!==e?(p[h]=a(e),n=new p,p[h]=null,n[m]=e):n=M(),void 0===t?n:i.f(n,t)}},6048:function(e,t,n){var r=n(9781),a=n(3353),i=n(3070),o=n(9670),s=n(5656),u=n(1956);t.f=r&&!a?Object.defineProperties:function(e,t){o(e);var n,r=s(t),a=u(t),l=a.length,d=0;while(l>d)i.f(e,n=a[d++],r[n]);return e}},3070:function(e,t,n){var r=n(9781),a=n(4664),i=n(3353),o=n(9670),s=n(4948),u=TypeError,l=Object.defineProperty,d=Object.getOwnPropertyDescriptor,c="enumerable",f="configurable",h="writable";t.f=r?i?function(e,t,n){if(o(e),t=s(t),o(n),"function"===typeof e&&"prototype"===t&&"value"in n&&h in n&&!n[h]){var r=d(e,t);r&&r[h]&&(e[t]=n.value,n={configurable:f in n?n[f]:r[f],enumerable:c in n?n[c]:r[c],writable:!1})}return l(e,t,n)}:l:function(e,t,n){if(o(e),t=s(t),o(n),a)try{return l(e,t,n)}catch(r){}if("get"in n||"set"in n)throw u("Accessors not supported");return"value"in n&&(e[t]=n.value),e}},1236:function(e,t,n){var r=n(9781),a=n(6916),i=n(5296),o=n(9114),s=n(5656),u=n(4948),l=n(2597),d=n(4664),c=Object.getOwnPropertyDescriptor;t.f=r?c:function(e,t){if(e=s(e),t=u(t),d)try{return c(e,t)}catch(n){}if(l(e,t))return o(!a(i.f,e,t),e[t])}},8006:function(e,t,n){var r=n(6324),a=n(748),i=a.concat("length","prototype");t.f=Object.getOwnPropertyNames||function(e){return r(e,i)}},5181:function(e,t){t.f=Object.getOwnPropertySymbols},7976:function(e,t,n){var r=n(1702);e.exports=r({}.isPrototypeOf)},6324:function(e,t,n){var r=n(1702),a=n(2597),i=n(5656),o=n(1318).indexOf,s=n(3501),u=r([].push);e.exports=function(e,t){var n,r=i(e),l=0,d=[];for(n in r)!a(s,n)&&a(r,n)&&u(d,n);while(t.length>l)a(r,n=t[l++])&&(~o(d,n)||u(d,n));return d}},1956:function(e,t,n){var r=n(6324),a=n(748);e.exports=Object.keys||function(e){return r(e,a)}},5296:function(e,t){"use strict";var n={}.propertyIsEnumerable,r=Object.getOwnPropertyDescriptor,a=r&&!n.call({1:2},1);t.f=a?function(e){var t=r(this,e);return!!t&&t.enumerable}:n},7674:function(e,t,n){var r=n(1702),a=n(9670),i=n(6077);e.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var e,t=!1,n={};try{e=r(Object.getOwnPropertyDescriptor(Object.prototype,"__proto__").set),e(n,[]),t=n instanceof Array}catch(o){}return function(n,r){return a(n),i(r),t?e(n,r):n.__proto__=r,n}}():void 0)},2140:function(e,t,n){var r=n(6916),a=n(614),i=n(111),o=TypeError;e.exports=function(e,t){var n,s;if("string"===t&&a(n=e.toString)&&!i(s=r(n,e)))return s;if(a(n=e.valueOf)&&!i(s=r(n,e)))return s;if("string"!==t&&a(n=e.toString)&&!i(s=r(n,e)))return s;throw o("Can't convert object to primitive value")}},3887:function(e,t,n){var r=n(5005),a=n(1702),i=n(8006),o=n(5181),s=n(9670),u=a([].concat);e.exports=r("Reflect","ownKeys")||function(e){var t=i.f(s(e)),n=o.f;return n?u(t,n(e)):t}},2626:function(e,t,n){var r=n(3070).f;e.exports=function(e,t,n){n in e||r(e,n,{configurable:!0,get:function(){return t[n]},set:function(e){t[n]=e}})}},7066:function(e,t,n){"use strict";var r=n(9670);e.exports=function(){var e=r(this),t="";return e.hasIndices&&(t+="d"),e.global&&(t+="g"),e.ignoreCase&&(t+="i"),e.multiline&&(t+="m"),e.dotAll&&(t+="s"),e.unicode&&(t+="u"),e.unicodeSets&&(t+="v"),e.sticky&&(t+="y"),t}},4488:function(e){var t=TypeError;e.exports=function(e){if(void 0==e)throw t("Can't call method on "+e);return e}},6200:function(e,t,n){var r=n(2309),a=n(9711),i=r("keys");e.exports=function(e){return i[e]||(i[e]=a(e))}},5465:function(e,t,n){var r=n(7854),a=n(3072),i="__core-js_shared__",o=r[i]||a(i,{});e.exports=o},2309:function(e,t,n){var r=n(1913),a=n(5465);(e.exports=function(e,t){return a[e]||(a[e]=void 0!==t?t:{})})("versions",[]).push({version:"3.23.3",mode:r?"pure":"global",copyright:"© 2014-2022 Denis Pushkarev (zloirock.ru)",license:"https://github.com/zloirock/core-js/blob/v3.23.3/LICENSE",source:"https://github.com/zloirock/core-js"})},1400:function(e,t,n){var r=n(9303),a=Math.max,i=Math.min;e.exports=function(e,t){var n=r(e);return n<0?a(n+t,0):i(n,t)}},5656:function(e,t,n){var r=n(8361),a=n(4488);e.exports=function(e){return r(a(e))}},9303:function(e,t,n){var r=n(4758);e.exports=function(e){var t=+e;return t!==t||0===t?0:r(t)}},7466:function(e,t,n){var r=n(9303),a=Math.min;e.exports=function(e){return e>0?a(r(e),9007199254740991):0}},7908:function(e,t,n){var r=n(4488),a=Object;e.exports=function(e){return a(r(e))}},7593:function(e,t,n){var r=n(6916),a=n(111),i=n(2190),o=n(8173),s=n(2140),u=n(5112),l=TypeError,d=u("toPrimitive");e.exports=function(e,t){if(!a(e)||i(e))return e;var n,u=o(e,d);if(u){if(void 0===t&&(t="default"),n=r(u,e,t),!a(n)||i(n))return n;throw l("Can't convert object to primitive value")}return void 0===t&&(t="number"),s(e,t)}},4948:function(e,t,n){var r=n(7593),a=n(2190);e.exports=function(e){var t=r(e,"string");return a(t)?t:t+""}},1694:function(e,t,n){var r=n(5112),a=r("toStringTag"),i={};i[a]="z",e.exports="[object z]"===String(i)},1340:function(e,t,n){var r=n(648),a=String;e.exports=function(e){if("Symbol"===r(e))throw TypeError("Cannot convert a Symbol value to a string");return a(e)}},6330:function(e){var t=String;e.exports=function(e){try{return t(e)}catch(n){return"Object"}}},9711:function(e,t,n){var r=n(1702),a=0,i=Math.random(),o=r(1..toString);e.exports=function(e){return"Symbol("+(void 0===e?"":e)+")_"+o(++a+i,36)}},3307:function(e,t,n){var r=n(133);e.exports=r&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},3353:function(e,t,n){var r=n(9781),a=n(7293);e.exports=r&&a((function(){return 42!=Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},5112:function(e,t,n){var r=n(7854),a=n(2309),i=n(2597),o=n(9711),s=n(133),u=n(3307),l=a("wks"),d=r.Symbol,c=d&&d["for"],f=u?d:d&&d.withoutSetter||o;e.exports=function(e){if(!i(l,e)||!s&&"string"!=typeof l[e]){var t="Symbol."+e;s&&i(d,e)?l[e]=d[e]:l[e]=u&&c?c(t):f(t)}return l[e]}},9191:function(e,t,n){"use strict";var r=n(5005),a=n(2597),i=n(8880),o=n(7976),s=n(7674),u=n(9920),l=n(2626),d=n(9587),c=n(6277),f=n(8340),h=n(7741),_=n(2914),m=n(9781),p=n(1913);e.exports=function(e,t,n,g){var y="stackTraceLimit",v=g?2:1,M=e.split("."),b=M[M.length-1],L=r.apply(null,M);if(L){var k=L.prototype;if(!p&&a(k,"cause")&&delete k.cause,!n)return L;var w=r("Error"),Y=t((function(e,t){var n=c(g?t:e,void 0),r=g?new L(e):new L;return void 0!==n&&i(r,"message",n),_&&i(r,"stack",h(r.stack,2)),this&&o(k,this)&&d(r,this,Y),arguments.length>v&&f(r,arguments[v]),r}));if(Y.prototype=k,"Error"!==b?s?s(Y,w):u(Y,w,{name:!0}):m&&y in L&&(l(Y,L,y),l(Y,L,"prepareStackTrace")),u(Y,L),!p)try{k.name!==b&&i(k,"name",b),k.constructor=Y}catch(x){}return Y}}},6699:function(e,t,n){"use strict";var r=n(2109),a=n(1318).includes,i=n(7293),o=n(1223),s=i((function(){return!Array(1).includes()}));r({target:"Array",proto:!0,forced:s},{includes:function(e){return a(this,e,arguments.length>1?arguments[1]:void 0)}}),o("includes")},1703:function(e,t,n){var r=n(2109),a=n(7854),i=n(2104),o=n(9191),s="WebAssembly",u=a[s],l=7!==Error("e",{cause:7}).cause,d=function(e,t){var n={};n[e]=o(e,t,l),r({global:!0,constructor:!0,arity:1,forced:l},n)},c=function(e,t){if(u&&u[e]){var n={};n[e]=o(s+"."+e,t,l),r({target:s,stat:!0,constructor:!0,arity:1,forced:l},n)}};d("Error",(function(e){return function(t){return i(e,this,arguments)}})),d("EvalError",(function(e){return function(t){return i(e,this,arguments)}})),d("RangeError",(function(e){return function(t){return i(e,this,arguments)}})),d("ReferenceError",(function(e){return function(t){return i(e,this,arguments)}})),d("SyntaxError",(function(e){return function(t){return i(e,this,arguments)}})),d("TypeError",(function(e){return function(t){return i(e,this,arguments)}})),d("URIError",(function(e){return function(t){return i(e,this,arguments)}})),c("CompileError",(function(e){return function(t){return i(e,this,arguments)}})),c("LinkError",(function(e){return function(t){return i(e,this,arguments)}})),c("RuntimeError",(function(e){return function(t){return i(e,this,arguments)}}))},6314:function(e,t,n){var r=n(2109),a=n(2597);r({target:"Object",stat:!0},{hasOwn:a})},2087:function(e,t,n){var r=n(7854),a=n(9781),i=n(7045),o=n(7066),s=n(7293),u=r.RegExp,l=u.prototype,d=a&&s((function(){var e=!0;try{u(".","d")}catch(d){e=!1}var t={},n="",r=e?"dgimsy":"gimsy",a=function(e,r){Object.defineProperty(t,e,{get:function(){return n+=r,!0}})},i={dotAll:"s",global:"g",ignoreCase:"i",multiline:"m",sticky:"y"};for(var o in e&&(i.hasIndices="d"),i)a(o,i[o]);var s=Object.getOwnPropertyDescriptor(l,"flags").get.call(t);return s!==r||n!==r}));d&&i(l,"flags",{configurable:!0,get:o})},4870:function(e,t,n){"use strict";n.d(t,{$y:function(){return Ae},B:function(){return o},BK:function(){return et},Bj:function(){return i},EB:function(){return l},Fl:function(){return at},IU:function(){return Fe},Jd:function(){return T},OT:function(){return He},PG:function(){return Pe},SU:function(){return $e},Um:function(){return Se},Vh:function(){return nt},WL:function(){return Ze},X$:function(){return O},X3:function(){return Ee},XI:function(){return Ue},Xl:function(){return We},YS:function(){return je},ZM:function(){return Qe},cE:function(){return w},dq:function(){return Be},iH:function(){return Ve},j:function(){return H},lk:function(){return S},nZ:function(){return u},oR:function(){return Ge},qj:function(){return Te},qq:function(){return L},sT:function(){return Y},yT:function(){return Ce}});var r=n(7139);let a;class i{constructor(e=!1){this.active=!0,this.effects=[],this.cleanups=[],!e&&a&&(this.parent=a,this.index=(a.scopes||(a.scopes=[])).push(this)-1)}run(e){if(this.active){const t=a;try{return a=this,e()}finally{a=t}}else 0}on(){a=this}off(){a=this.parent}stop(e){if(this.active){let t,n;for(t=0,n=this.effects.length;t{const t=new Set(e);return t.w=0,t.n=0,t},c=e=>(e.w&g)>0,f=e=>(e.n&g)>0,h=({deps:e})=>{if(e.length)for(let t=0;t{const{deps:t}=e;if(t.length){let n=0;for(let r=0;r{("length"===t||t>=a)&&u.push(e)}));else switch(void 0!==n&&u.push(s.get(n)),t){case"add":(0,r.kJ)(e)?(0,r.S0)(n)&&u.push(s.get("length")):(u.push(s.get(M)),(0,r._N)(e)&&u.push(s.get(b)));break;case"delete":(0,r.kJ)(e)||(u.push(s.get(M)),(0,r._N)(e)&&u.push(s.get(b)));break;case"set":(0,r._N)(e)&&u.push(s.get(M));break}if(1===u.length)u[0]&&P(u[0]);else{const e=[];for(const t of u)t&&e.push(...t);P(d(e))}}function P(e,t){const n=(0,r.kJ)(e)?e:[...e];for(const r of n)r.computed&&A(r,t);for(const r of n)r.computed||A(r,t)}function A(e,t){(e!==v||e.allowRecurse)&&(e.scheduler?e.scheduler():e.run())}const C=(0,r.fY)("__proto__,__v_isRef,__isVue"),E=new Set(Object.getOwnPropertyNames(Symbol).filter((e=>"arguments"!==e&&"caller"!==e)).map((e=>Symbol[e])).filter(r.yk)),F=B(),W=B(!1,!0),N=B(!0),I=B(!0,!0),R=z();function z(){const e={};return["includes","indexOf","lastIndexOf"].forEach((t=>{e[t]=function(...e){const n=Fe(this);for(let t=0,a=this.length;t{e[t]=function(...e){T();const n=Fe(this)[t].apply(this,e);return S(),n}})),e}function B(e=!1,t=!1){return function(n,a,i){if("__v_isReactive"===a)return!e;if("__v_isReadonly"===a)return e;if("__v_isShallow"===a)return t;if("__v_raw"===a&&i===(e?t?Ye:we:t?ke:Le).get(n))return n;const o=(0,r.kJ)(n);if(!e&&o&&(0,r.RI)(R,a))return Reflect.get(R,a,i);const s=Reflect.get(n,a,i);return((0,r.yk)(a)?E.has(a):C(a))?s:(e||H(n,"get",a),t?s:Be(s)?o&&(0,r.S0)(a)?s:s.value:(0,r.Kn)(s)?e?He(s):Te(s):s)}}const V=J(),U=J(!0);function J(e=!1){return function(t,n,a,i){let o=t[n];if(Ae(o)&&Be(o)&&!Be(a))return!1;if(!e&&!Ae(a)&&(Ce(a)||(a=Fe(a),o=Fe(o)),!(0,r.kJ)(t)&&Be(o)&&!Be(a)))return o.value=a,!0;const s=(0,r.kJ)(t)&&(0,r.S0)(n)?Number(n)e,te=e=>Reflect.getPrototypeOf(e);function ne(e,t,n=!1,r=!1){e=e["__v_raw"];const a=Fe(e),i=Fe(t);n||(t!==i&&H(a,"get",t),H(a,"get",i));const{has:o}=te(a),s=r?ee:n?Ie:Ne;return o.call(a,t)?s(e.get(t)):o.call(a,i)?s(e.get(i)):void(e!==a&&e.get(t))}function re(e,t=!1){const n=this["__v_raw"],r=Fe(n),a=Fe(e);return t||(e!==a&&H(r,"has",e),H(r,"has",a)),e===a?n.has(e):n.has(e)||n.has(a)}function ae(e,t=!1){return e=e["__v_raw"],!t&&H(Fe(e),"iterate",M),Reflect.get(e,"size",e)}function ie(e){e=Fe(e);const t=Fe(this),n=te(t),r=n.has.call(t,e);return r||(t.add(e),O(t,"add",e,e)),this}function oe(e,t){t=Fe(t);const n=Fe(this),{has:a,get:i}=te(n);let o=a.call(n,e);o||(e=Fe(e),o=a.call(n,e));const s=i.call(n,e);return n.set(e,t),o?(0,r.aU)(t,s)&&O(n,"set",e,t,s):O(n,"add",e,t),this}function se(e){const t=Fe(this),{has:n,get:r}=te(t);let a=n.call(t,e);a||(e=Fe(e),a=n.call(t,e));const i=r?r.call(t,e):void 0,o=t.delete(e);return a&&O(t,"delete",e,void 0,i),o}function ue(){const e=Fe(this),t=0!==e.size,n=void 0,r=e.clear();return t&&O(e,"clear",void 0,void 0,n),r}function le(e,t){return function(n,r){const a=this,i=a["__v_raw"],o=Fe(i),s=t?ee:e?Ie:Ne;return!e&&H(o,"iterate",M),i.forEach(((e,t)=>n.call(r,s(e),s(t),a)))}}function de(e,t,n){return function(...a){const i=this["__v_raw"],o=Fe(i),s=(0,r._N)(o),u="entries"===e||e===Symbol.iterator&&s,l="keys"===e&&s,d=i[e](...a),c=n?ee:t?Ie:Ne;return!t&&H(o,"iterate",l?b:M),{next(){const{value:e,done:t}=d.next();return t?{value:e,done:t}:{value:u?[c(e[0]),c(e[1])]:c(e),done:t}},[Symbol.iterator](){return this}}}}function ce(e){return function(...t){return"delete"!==e&&this}}function fe(){const e={get(e){return ne(this,e)},get size(){return ae(this)},has:re,add:ie,set:oe,delete:se,clear:ue,forEach:le(!1,!1)},t={get(e){return ne(this,e,!1,!0)},get size(){return ae(this)},has:re,add:ie,set:oe,delete:se,clear:ue,forEach:le(!1,!0)},n={get(e){return ne(this,e,!0)},get size(){return ae(this,!0)},has(e){return re.call(this,e,!0)},add:ce("add"),set:ce("set"),delete:ce("delete"),clear:ce("clear"),forEach:le(!0,!1)},r={get(e){return ne(this,e,!0,!0)},get size(){return ae(this,!0)},has(e){return re.call(this,e,!0)},add:ce("add"),set:ce("set"),delete:ce("delete"),clear:ce("clear"),forEach:le(!0,!0)},a=["keys","values","entries",Symbol.iterator];return a.forEach((a=>{e[a]=de(a,!1,!1),n[a]=de(a,!0,!1),t[a]=de(a,!1,!0),r[a]=de(a,!0,!0)})),[e,n,t,r]}const[he,_e,me,pe]=fe();function ge(e,t){const n=t?e?pe:me:e?_e:he;return(t,a,i)=>"__v_isReactive"===a?!e:"__v_isReadonly"===a?e:"__v_raw"===a?t:Reflect.get((0,r.RI)(n,a)&&a in t?n:t,a,i)}const ye={get:ge(!1,!1)},ve={get:ge(!1,!0)},Me={get:ge(!0,!1)},be={get:ge(!0,!0)};const Le=new WeakMap,ke=new WeakMap,we=new WeakMap,Ye=new WeakMap;function xe(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function De(e){return e["__v_skip"]||!Object.isExtensible(e)?0:xe((0,r.W7)(e))}function Te(e){return Ae(e)?e:Oe(e,!1,K,ye,Le)}function Se(e){return Oe(e,!1,X,ve,ke)}function He(e){return Oe(e,!0,Z,Me,we)}function je(e){return Oe(e,!0,Q,be,Ye)}function Oe(e,t,n,a,i){if(!(0,r.Kn)(e))return e;if(e["__v_raw"]&&(!t||!e["__v_isReactive"]))return e;const o=i.get(e);if(o)return o;const s=De(e);if(0===s)return e;const u=new Proxy(e,2===s?a:n);return i.set(e,u),u}function Pe(e){return Ae(e)?Pe(e["__v_raw"]):!(!e||!e["__v_isReactive"])}function Ae(e){return!(!e||!e["__v_isReadonly"])}function Ce(e){return!(!e||!e["__v_isShallow"])}function Ee(e){return Pe(e)||Ae(e)}function Fe(e){const t=e&&e["__v_raw"];return t?Fe(t):e}function We(e){return(0,r.Nj)(e,"__v_skip",!0),e}const Ne=e=>(0,r.Kn)(e)?Te(e):e,Ie=e=>(0,r.Kn)(e)?He(e):e;function Re(e){x&&v&&(e=Fe(e),j(e.dep||(e.dep=d())))}function ze(e,t){e=Fe(e),e.dep&&P(e.dep)}function Be(e){return!(!e||!0!==e.__v_isRef)}function Ve(e){return Je(e,!1)}function Ue(e){return Je(e,!0)}function Je(e,t){return Be(e)?e:new qe(e,t)}class qe{constructor(e,t){this.__v_isShallow=t,this.dep=void 0,this.__v_isRef=!0,this._rawValue=t?e:Fe(e),this._value=t?e:Ne(e)}get value(){return Re(this),this._value}set value(e){e=this.__v_isShallow?e:Fe(e),(0,r.aU)(e,this._rawValue)&&(this._rawValue=e,this._value=this.__v_isShallow?e:Ne(e),ze(this,e))}}function Ge(e){ze(e,void 0)}function $e(e){return Be(e)?e.value:e}const Ke={get:(e,t,n)=>$e(Reflect.get(e,t,n)),set:(e,t,n,r)=>{const a=e[t];return Be(a)&&!Be(n)?(a.value=n,!0):Reflect.set(e,t,n,r)}};function Ze(e){return Pe(e)?e:new Proxy(e,Ke)}class Xe{constructor(e){this.dep=void 0,this.__v_isRef=!0;const{get:t,set:n}=e((()=>Re(this)),(()=>ze(this)));this._get=t,this._set=n}get value(){return this._get()}set value(e){this._set(e)}}function Qe(e){return new Xe(e)}function et(e){const t=(0,r.kJ)(e)?new Array(e.length):{};for(const n in e)t[n]=nt(e,n);return t}class tt{constructor(e,t,n){this._object=e,this._key=t,this._defaultValue=n,this.__v_isRef=!0}get value(){const e=this._object[this._key];return void 0===e?this._defaultValue:e}set value(e){this._object[this._key]=e}}function nt(e,t,n){const r=e[t];return Be(r)?r:new tt(e,t,n)}class rt{constructor(e,t,n,r){this._setter=t,this.dep=void 0,this.__v_isRef=!0,this._dirty=!0,this.effect=new L(e,(()=>{this._dirty||(this._dirty=!0,ze(this))})),this.effect.computed=this,this.effect.active=this._cacheable=!r,this["__v_isReadonly"]=n}get value(){const e=Fe(this);return Re(e),!e._dirty&&e._cacheable||(e._dirty=!1,e._value=e.effect.run()),e._value}set value(e){this._setter(e)}}function at(e,t,n=!1){let a,i;const o=(0,r.mf)(e);o?(a=e,i=r.dG):(a=e.get,i=e.set);const s=new rt(a,i,o||!i,n);return s}},3396:function(e,t,n){"use strict";n.d(t,{$d:function(){return h},$y:function(){return r.$y},Ah:function(){return ut},B:function(){return r.B},BK:function(){return r.BK},Bj:function(){return r.Bj},Bz:function(){return Nr},C3:function(){return $n},C_:function(){return a.C_},Cn:function(){return X},EB:function(){return r.EB},Eo:function(){return Mn},F4:function(){return nr},FN:function(){return pr},Fl:function(){return Fr},G:function(){return na},HX:function(){return Q},HY:function(){return Pn},Ho:function(){return rr},IU:function(){return r.IU},JJ:function(){return Me},Jd:function(){return st},KU:function(){return f},Ko:function(){return kt},LL:function(){return vt},MW:function(){return Wr},MX:function(){return Xr},Mr:function(){return Zr},Nv:function(){return wt},OT:function(){return r.OT},Ob:function(){return qe},P$:function(){return Ae},PG:function(){return r.PG},Q2:function(){return Mt},Q6:function(){return Ie},RC:function(){return Be},Rh:function(){return ke},Rr:function(){return zr},S3:function(){return _},SU:function(){return r.SU},U2:function(){return Ee},Uc:function(){return $r},Uk:function(){return ar},Um:function(){return r.Um},Us:function(){return vn},Vh:function(){return r.Vh},WI:function(){return Yt},WL:function(){return r.WL},WY:function(){return Ir},Wm:function(){return er},X3:function(){return r.X3},XI:function(){return r.XI},Xl:function(){return r.Xl},Xn:function(){return it},Y1:function(){return xr},Y3:function(){return S},Y8:function(){return je},YP:function(){return xe},YS:function(){return r.YS},Yq:function(){return dt},ZK:function(){return o},ZM:function(){return r.ZM},Zq:function(){return Kr},_:function(){return Qn},_A:function(){return a._A},aZ:function(){return Re},b9:function(){return Rr},bT:function(){return ct},bv:function(){return at},cE:function(){return r.cE},d1:function(){return ft},dD:function(){return Z},dG:function(){return dr},dl:function(){return $e},dq:function(){return r.dq},ec:function(){return V},eq:function(){return ra},f3:function(){return be},h:function(){return Gr},hR:function(){return a.hR},i8:function(){return ea},iD:function(){return Un},iH:function(){return r.iH},ic:function(){return ot},j4:function(){return Jn},j5:function(){return a.j5},kC:function(){return a.kC},kq:function(){return or},l1:function(){return Br},lA:function(){return qn},lR:function(){return On},m0:function(){return Le},mW:function(){return R},mv:function(){return qr},mx:function(){return Dt},n4:function(){return de},nK:function(){return Ne},nQ:function(){return Qr},nZ:function(){return r.nZ},oR:function(){return r.oR},of:function(){return Dr},p1:function(){return Jr},qG:function(){return En},qZ:function(){return Bn},qb:function(){return E},qj:function(){return r.qj},qq:function(){return r.qq},ry:function(){return aa},sT:function(){return r.sT},se:function(){return Ke},sv:function(){return Cn},uE:function(){return ir},u_:function(){return Ur},up:function(){return gt},vl:function(){return lt},vs:function(){return a.vs},w5:function(){return ee},wF:function(){return rt},wg:function(){return Nn},wy:function(){return ht},xv:function(){return An},yT:function(){return r.yT},yX:function(){return we},zw:function(){return a.zw}});n(6699),n(1703);var r=n(4870),a=n(7139);const i=[];function o(e,...t){(0,r.Jd)();const n=i.length?i[i.length-1].component:null,a=n&&n.appContext.config.warnHandler,o=s();if(a)f(a,n,11,[e+t.join(""),n&&n.proxy,o.map((({vnode:e})=>`at <${Cr(n,e.type)}>`)).join("\n"),o]);else{const n=[`[Vue warn]: ${e}`,...t];o.length&&n.push("\n",...u(o)),console.warn(...n)}(0,r.lk)()}function s(){let e=i[i.length-1];if(!e)return[];const t=[];while(e){const n=t[0];n&&n.vnode===e?n.recurseCount++:t.push({vnode:e,recurseCount:0});const r=e.component&&e.component.parent;e=r&&r.vnode}return t}function u(e){const t=[];return e.forEach(((e,n)=>{t.push(...0===n?[]:["\n"],...l(e))})),t}function l({vnode:e,recurseCount:t}){const n=t>0?`... (${t} recursive calls)`:"",r=!!e.component&&null==e.component.parent,a=` at <${Cr(e.component,e.type,r)}`,i=">"+n;return e.props?[a,...d(e.props),i]:[a+i]}function d(e){const t=[],n=Object.keys(e);return n.slice(0,3).forEach((n=>{t.push(...c(n,e[n]))})),n.length>3&&t.push(" ..."),t}function c(e,t,n){return(0,a.HD)(t)?(t=JSON.stringify(t),n?t:[`${e}=${t}`]):"number"===typeof t||"boolean"===typeof t||null==t?n?t:[`${e}=${t}`]:(0,r.dq)(t)?(t=c(e,(0,r.IU)(t.value),!0),n?t:[`${e}=Ref<`,t,">"]):(0,a.mf)(t)?[`${e}=fn${t.name?`<${t.name}>`:""}`]:(t=(0,r.IU)(t),n?t:[`${e}=`,t])}function f(e,t,n,r){let a;try{a=r?e(...r):e()}catch(i){_(i,t,n)}return a}function h(e,t,n,r){if((0,a.mf)(e)){const i=f(e,t,n,r);return i&&(0,a.tI)(i)&&i.catch((e=>{_(e,t,n)})),i}const i=[];for(let a=0;a>>1,a=N(y[r]);av&&y.splice(t,1)}function A(e,t,n,r){(0,a.kJ)(e)?n.push(...e):t&&t.includes(e,e.allowRecurse?r+1:r)||n.push(e),O()}function C(e){A(e,b,M,L)}function E(e){A(e,w,k,Y)}function F(e,t=null){if(M.length){for(T=t,b=[...new Set(M)],M.length=0,L=0;LN(e)-N(t))),Y=0;Ynull==e.id?1/0:e.id;function I(e){g=!1,p=!0,F(e),y.sort(((e,t)=>N(e)-N(t)));a.dG;try{for(v=0;vR.emit(e,...t))),z=[];else if("undefined"!==typeof window&&window.HTMLElement&&!(null===(r=null===(n=window.navigator)||void 0===n?void 0:n.userAgent)||void 0===r?void 0:r.includes("jsdom"))){const e=t.__VUE_DEVTOOLS_HOOK_REPLAY__=t.__VUE_DEVTOOLS_HOOK_REPLAY__||[];e.push((e=>{V(e,t)})),setTimeout((()=>{R||(t.__VUE_DEVTOOLS_HOOK_REPLAY__=null,B=!0,z=[])}),3e3)}else B=!0,z=[]}function U(e,t,...n){if(e.isUnmounted)return;const r=e.vnode.props||a.kT;let i=n;const o=t.startsWith("update:"),s=o&&t.slice(7);if(s&&s in r){const e=`${"modelValue"===s?"model":s}Modifiers`,{number:t,trim:o}=r[e]||a.kT;o&&(i=n.map((e=>e.trim()))),t&&(i=n.map(a.He))}let u;let l=r[u=(0,a.hR)(t)]||r[u=(0,a.hR)((0,a._A)(t))];!l&&o&&(l=r[u=(0,a.hR)((0,a.rs)(t))]),l&&h(l,e,6,i);const d=r[u+"Once"];if(d){if(e.emitted){if(e.emitted[u])return}else e.emitted={};e.emitted[u]=!0,h(d,e,6,i)}}function J(e,t,n=!1){const r=t.emitsCache,i=r.get(e);if(void 0!==i)return i;const o=e.emits;let s={},u=!1;if(!(0,a.mf)(e)){const r=e=>{const n=J(e,t,!0);n&&(u=!0,(0,a.l7)(s,n))};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}return o||u?((0,a.kJ)(o)?o.forEach((e=>s[e]=null)):(0,a.l7)(s,o),r.set(e,s),s):(r.set(e,null),null)}function q(e,t){return!(!e||!(0,a.F7)(t))&&(t=t.slice(2).replace(/Once$/,""),(0,a.RI)(e,t[0].toLowerCase()+t.slice(1))||(0,a.RI)(e,(0,a.rs)(t))||(0,a.RI)(e,t))}let G=null,$=null;function K(e){const t=G;return G=e,$=e&&e.type.__scopeId||null,t}function Z(e){$=e}function X(){$=null}const Q=e=>ee;function ee(e,t=G,n){if(!t)return e;if(e._n)return e;const r=(...n)=>{r._d&&Bn(-1);const a=K(t),i=e(...n);return K(a),r._d&&Bn(1),i};return r._n=!0,r._c=!0,r._d=!0,r}function te(e){const{type:t,vnode:n,proxy:r,withProxy:i,props:o,propsOptions:[s],slots:u,attrs:l,emit:d,render:c,renderCache:f,data:h,setupState:m,ctx:p,inheritAttrs:g}=e;let y,v;const M=K(e);try{if(4&n.shapeFlag){const e=i||r;y=sr(c.call(e,e,f,o,m,h,p)),v=l}else{const e=t;0,y=sr(e.length>1?e(o,{attrs:l,slots:u,emit:d}):e(o,null)),v=t.props?l:re(l)}}catch(L){Fn.length=0,_(L,e,1),y=er(Cn)}let b=y;if(v&&!1!==g){const e=Object.keys(v),{shapeFlag:t}=b;e.length&&7&t&&(s&&e.some(a.tR)&&(v=ae(v,s)),b=rr(b,v))}return n.dirs&&(b=rr(b),b.dirs=b.dirs?b.dirs.concat(n.dirs):n.dirs),n.transition&&(b.transition=n.transition),y=b,K(M),y}function ne(e){let t;for(let n=0;n{let t;for(const n in e)("class"===n||"style"===n||(0,a.F7)(n))&&((t||(t={}))[n]=e[n]);return t},ae=(e,t)=>{const n={};for(const r in e)(0,a.tR)(r)&&r.slice(9)in t||(n[r]=e[r]);return n};function ie(e,t,n){const{props:r,children:a,component:i}=e,{props:o,children:s,patchFlag:u}=t,l=i.emitsOptions;if(t.dirs||t.transition)return!0;if(!(n&&u>=0))return!(!a&&!s||s&&s.$stable)||r!==o&&(r?!o||oe(r,o,l):!!o);if(1024&u)return!0;if(16&u)return r?oe(r,o,l):!!o;if(8&u){const e=t.dynamicProps;for(let t=0;te.__isSuspense,le={name:"Suspense",__isSuspense:!0,process(e,t,n,r,a,i,o,s,u,l){null==e?fe(t,n,r,a,i,o,s,u,l):he(e,t,n,r,a,o,s,u,l)},hydrate:me,create:_e,normalize:pe},de=le;function ce(e,t){const n=e.props&&e.props[t];(0,a.mf)(n)&&n()}function fe(e,t,n,r,a,i,o,s,u){const{p:l,o:{createElement:d}}=u,c=d("div"),f=e.suspense=_e(e,a,r,t,c,n,i,o,s,u);l(null,f.pendingBranch=e.ssContent,c,null,r,f,i,o),f.deps>0?(ce(e,"onPending"),ce(e,"onFallback"),l(null,e.ssFallback,t,n,r,null,i,o),ve(f,e.ssFallback)):f.resolve()}function he(e,t,n,r,a,i,o,s,{p:u,um:l,o:{createElement:d}}){const c=t.suspense=e.suspense;c.vnode=t,t.el=e.el;const f=t.ssContent,h=t.ssFallback,{activeBranch:_,pendingBranch:m,isInFallback:p,isHydrating:g}=c;if(m)c.pendingBranch=f,Gn(f,m)?(u(m,f,c.hiddenContainer,null,a,c,i,o,s),c.deps<=0?c.resolve():p&&(u(_,h,n,r,a,null,i,o,s),ve(c,h))):(c.pendingId++,g?(c.isHydrating=!1,c.activeBranch=m):l(m,a,c),c.deps=0,c.effects.length=0,c.hiddenContainer=d("div"),p?(u(null,f,c.hiddenContainer,null,a,c,i,o,s),c.deps<=0?c.resolve():(u(_,h,n,r,a,null,i,o,s),ve(c,h))):_&&Gn(f,_)?(u(_,f,n,r,a,c,i,o,s),c.resolve(!0)):(u(null,f,c.hiddenContainer,null,a,c,i,o,s),c.deps<=0&&c.resolve()));else if(_&&Gn(f,_))u(_,f,n,r,a,c,i,o,s),ve(c,f);else if(ce(t,"onPending"),c.pendingBranch=f,c.pendingId++,u(null,f,c.hiddenContainer,null,a,c,i,o,s),c.deps<=0)c.resolve();else{const{timeout:e,pendingId:t}=c;e>0?setTimeout((()=>{c.pendingId===t&&c.fallback(h)}),e):0===e&&c.fallback(h)}}function _e(e,t,n,r,i,o,s,u,l,d,c=!1){const{p:f,m:h,um:m,n:p,o:{parentNode:g,remove:y}}=d,v=(0,a.He)(e.props&&e.props.timeout),M={vnode:e,parent:t,parentComponent:n,isSVG:s,container:r,hiddenContainer:i,anchor:o,deps:0,pendingId:0,timeout:"number"===typeof v?v:-1,activeBranch:null,pendingBranch:null,isInFallback:!0,isHydrating:c,isUnmounted:!1,effects:[],resolve(e=!1){const{vnode:t,activeBranch:n,pendingBranch:r,pendingId:a,effects:i,parentComponent:o,container:s}=M;if(M.isHydrating)M.isHydrating=!1;else if(!e){const e=n&&r.transition&&"out-in"===r.transition.mode;e&&(n.transition.afterLeave=()=>{a===M.pendingId&&h(r,s,t,0)});let{anchor:t}=M;n&&(t=p(n),m(n,o,M,!0)),e||h(r,s,t,0)}ve(M,r),M.pendingBranch=null,M.isInFallback=!1;let u=M.parent,l=!1;while(u){if(u.pendingBranch){u.effects.push(...i),l=!0;break}u=u.parent}l||E(i),M.effects=[],ce(t,"onResolve")},fallback(e){if(!M.pendingBranch)return;const{vnode:t,activeBranch:n,parentComponent:r,container:a,isSVG:i}=M;ce(t,"onFallback");const o=p(n),s=()=>{M.isInFallback&&(f(null,e,a,o,r,null,i,u,l),ve(M,e))},d=e.transition&&"out-in"===e.transition.mode;d&&(n.transition.afterLeave=s),M.isInFallback=!0,m(n,r,null,!0),d||s()},move(e,t,n){M.activeBranch&&h(M.activeBranch,e,t,n),M.container=e},next(){return M.activeBranch&&p(M.activeBranch)},registerDep(e,t){const n=!!M.pendingBranch;n&&M.deps++;const r=e.vnode.el;e.asyncDep.catch((t=>{_(t,e,0)})).then((a=>{if(e.isUnmounted||M.isUnmounted||M.pendingId!==e.suspenseId)return;e.asyncResolved=!0;const{vnode:i}=e;Yr(e,a,!1),r&&(i.el=r);const o=!r&&e.subTree.el;t(e,i,g(r||e.subTree.el),r?null:p(e.subTree),M,s,l),o&&y(o),se(e,i.el),n&&0===--M.deps&&M.resolve()}))},unmount(e,t){M.isUnmounted=!0,M.activeBranch&&m(M.activeBranch,n,e,t),M.pendingBranch&&m(M.pendingBranch,n,e,t)}};return M}function me(e,t,n,r,a,i,o,s,u){const l=t.suspense=_e(t,r,n,e.parentNode,document.createElement("div"),null,a,i,o,s,!0),d=u(e,l.pendingBranch=t.ssContent,n,l,i,o);return 0===l.deps&&l.resolve(),d}function pe(e){const{shapeFlag:t,children:n}=e,r=32&t;e.ssContent=ge(r?n.default:n),e.ssFallback=r?ge(n.fallback):er(Cn)}function ge(e){let t;if((0,a.mf)(e)){const n=zn&&e._c;n&&(e._d=!1,Nn()),e=e(),n&&(e._d=!0,t=Wn,In())}if((0,a.kJ)(e)){const t=ne(e);0,e=t}return e=sr(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter((t=>t!==e))),e}function ye(e,t){t&&t.pendingBranch?(0,a.kJ)(e)?t.effects.push(...e):t.effects.push(e):E(e)}function ve(e,t){e.activeBranch=t;const{vnode:n,parentComponent:r}=e,a=n.el=t.el;r&&r.subTree===n&&(r.vnode.el=a,se(r,a))}function Me(e,t){if(mr){let n=mr.provides;const r=mr.parent&&mr.parent.provides;r===n&&(n=mr.provides=Object.create(r)),n[e]=t}else 0}function be(e,t,n=!1){const r=mr||G;if(r){const i=null==r.parent?r.vnode.appContext&&r.vnode.appContext.provides:r.parent.provides;if(i&&e in i)return i[e];if(arguments.length>1)return n&&(0,a.mf)(t)?t.call(r.proxy):t}else 0}function Le(e,t){return De(e,null,t)}function ke(e,t){return De(e,null,{flush:"post"})}function we(e,t){return De(e,null,{flush:"sync"})}const Ye={};function xe(e,t,n){return De(e,t,n)}function De(e,t,{immediate:n,deep:i,flush:o,onTrack:s,onTrigger:u}=a.kT){const l=mr;let d,c,_=!1,m=!1;if((0,r.dq)(e)?(d=()=>e.value,_=(0,r.yT)(e)):(0,r.PG)(e)?(d=()=>e,i=!0):(0,a.kJ)(e)?(m=!0,_=e.some((e=>(0,r.PG)(e)||(0,r.yT)(e))),d=()=>e.map((e=>(0,r.dq)(e)?e.value:(0,r.PG)(e)?He(e):(0,a.mf)(e)?f(e,l,2):void 0))):d=(0,a.mf)(e)?t?()=>f(e,l,2):()=>{if(!l||!l.isUnmounted)return c&&c(),h(e,l,3,[p])}:a.dG,t&&i){const e=d;d=()=>He(e())}let p=e=>{c=M.onStop=()=>{f(e,l,4)}};if(Lr)return p=a.dG,t?n&&h(t,l,3,[d(),m?[]:void 0,p]):d(),a.dG;let g=m?[]:Ye;const y=()=>{if(M.active)if(t){const e=M.run();(i||_||(m?e.some(((e,t)=>(0,a.aU)(e,g[t]))):(0,a.aU)(e,g)))&&(c&&c(),h(t,l,3,[e,g===Ye?void 0:g,p]),g=e)}else M.run()};let v;y.allowRecurse=!!t,v="sync"===o?y:"post"===o?()=>yn(y,l&&l.suspense):()=>C(y);const M=new r.qq(d,v);return t?n?y():g=M.run():"post"===o?yn(M.run.bind(M),l&&l.suspense):M.run(),()=>{M.stop(),l&&l.scope&&(0,a.Od)(l.scope.effects,M)}}function Te(e,t,n){const r=this.proxy,i=(0,a.HD)(e)?e.includes(".")?Se(r,e):()=>r[e]:e.bind(r,r);let o;(0,a.mf)(t)?o=t:(o=t.handler,n=t);const s=mr;gr(this);const u=De(i,o.bind(r),n);return s?gr(s):yr(),u}function Se(e,t){const n=t.split(".");return()=>{let t=e;for(let e=0;e{He(e,t)}));else if((0,a.PO)(e))for(const n in e)He(e[n],t);return e}function je(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return at((()=>{e.isMounted=!0})),st((()=>{e.isUnmounting=!0})),e}const Oe=[Function,Array],Pe={name:"BaseTransition",props:{mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:Oe,onEnter:Oe,onAfterEnter:Oe,onEnterCancelled:Oe,onBeforeLeave:Oe,onLeave:Oe,onAfterLeave:Oe,onLeaveCancelled:Oe,onBeforeAppear:Oe,onAppear:Oe,onAfterAppear:Oe,onAppearCancelled:Oe},setup(e,{slots:t}){const n=pr(),a=je();let i;return()=>{const o=t.default&&Ie(t.default(),!0);if(!o||!o.length)return;let s=o[0];if(o.length>1){let e=!1;for(const t of o)if(t.type!==Cn){0,s=t,e=!0;break}}const u=(0,r.IU)(e),{mode:l}=u;if(a.isLeaving)return Fe(s);const d=We(s);if(!d)return Fe(s);const c=Ee(d,u,a,n);Ne(d,c);const f=n.subTree,h=f&&We(f);let _=!1;const{getTransitionKey:m}=d.type;if(m){const e=m();void 0===i?i=e:e!==i&&(i=e,_=!0)}if(h&&h.type!==Cn&&(!Gn(d,h)||_)){const e=Ee(h,u,a,n);if(Ne(h,e),"out-in"===l)return a.isLeaving=!0,e.afterLeave=()=>{a.isLeaving=!1,n.update()},Fe(s);"in-out"===l&&d.type!==Cn&&(e.delayLeave=(e,t,n)=>{const r=Ce(a,h);r[String(h.key)]=h,e._leaveCb=()=>{t(),e._leaveCb=void 0,delete c.delayedLeave},c.delayedLeave=n})}return s}}},Ae=Pe;function Ce(e,t){const{leavingVNodes:n}=e;let r=n.get(t.type);return r||(r=Object.create(null),n.set(t.type,r)),r}function Ee(e,t,n,r){const{appear:i,mode:o,persisted:s=!1,onBeforeEnter:u,onEnter:l,onAfterEnter:d,onEnterCancelled:c,onBeforeLeave:f,onLeave:_,onAfterLeave:m,onLeaveCancelled:p,onBeforeAppear:g,onAppear:y,onAfterAppear:v,onAppearCancelled:M}=t,b=String(e.key),L=Ce(n,e),k=(e,t)=>{e&&h(e,r,9,t)},w=(e,t)=>{const n=t[1];k(e,t),(0,a.kJ)(e)?e.every((e=>e.length<=1))&&n():e.length<=1&&n()},Y={mode:o,persisted:s,beforeEnter(t){let r=u;if(!n.isMounted){if(!i)return;r=g||u}t._leaveCb&&t._leaveCb(!0);const a=L[b];a&&Gn(e,a)&&a.el._leaveCb&&a.el._leaveCb(),k(r,[t])},enter(e){let t=l,r=d,a=c;if(!n.isMounted){if(!i)return;t=y||l,r=v||d,a=M||c}let o=!1;const s=e._enterCb=t=>{o||(o=!0,k(t?a:r,[e]),Y.delayedLeave&&Y.delayedLeave(),e._enterCb=void 0)};t?w(t,[e,s]):s()},leave(t,r){const a=String(e.key);if(t._enterCb&&t._enterCb(!0),n.isUnmounting)return r();k(f,[t]);let i=!1;const o=t._leaveCb=n=>{i||(i=!0,r(),k(n?p:m,[t]),t._leaveCb=void 0,L[a]===e&&delete L[a])};L[a]=e,_?w(_,[t,o]):o()},clone(e){return Ee(e,t,n,r)}};return Y}function Fe(e){if(Ue(e))return e=rr(e),e.children=null,e}function We(e){return Ue(e)?e.children?e.children[0]:void 0:e}function Ne(e,t){6&e.shapeFlag&&e.component?Ne(e.component.subTree,t):128&e.shapeFlag?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function Ie(e,t=!1,n){let r=[],a=0;for(let i=0;i1)for(let i=0;i!!e.type.__asyncLoader;function Be(e){(0,a.mf)(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:i,delay:o=200,timeout:s,suspensible:u=!0,onError:l}=e;let d,c=null,f=0;const h=()=>(f++,c=null,m()),m=()=>{let e;return c||(e=c=t().catch((e=>{if(e=e instanceof Error?e:new Error(String(e)),l)return new Promise(((t,n)=>{const r=()=>t(h()),a=()=>n(e);l(e,r,a,f+1)}));throw e})).then((t=>e!==c&&c?c:(t&&(t.__esModule||"Module"===t[Symbol.toStringTag])&&(t=t.default),d=t,t))))};return Re({name:"AsyncComponentWrapper",__asyncLoader:m,get __asyncResolved(){return d},setup(){const e=mr;if(d)return()=>Ve(d,e);const t=t=>{c=null,_(t,e,13,!i)};if(u&&e.suspense||Lr)return m().then((t=>()=>Ve(t,e))).catch((e=>(t(e),()=>i?er(i,{error:e}):null)));const a=(0,r.iH)(!1),l=(0,r.iH)(),f=(0,r.iH)(!!o);return o&&setTimeout((()=>{f.value=!1}),o),null!=s&&setTimeout((()=>{if(!a.value&&!l.value){const e=new Error(`Async component timed out after ${s}ms.`);t(e),l.value=e}}),s),m().then((()=>{a.value=!0,e.parent&&Ue(e.parent.vnode)&&j(e.parent.update)})).catch((e=>{t(e),l.value=e})),()=>a.value&&d?Ve(d,e):l.value&&i?er(i,{error:l.value}):n&&!f.value?er(n):void 0}})}function Ve(e,{vnode:{ref:t,props:n,children:r,shapeFlag:a},parent:i}){const o=er(e,n,r);return o.ref=t,o}const Ue=e=>e.type.__isKeepAlive,Je={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=pr(),r=n.ctx;if(!r.renderer)return()=>{const e=t.default&&t.default();return e&&1===e.length?e[0]:e};const i=new Map,o=new Set;let s=null;const u=n.suspense,{renderer:{p:l,m:d,um:c,o:{createElement:f}}}=r,h=f("div");function _(e){Qe(e),c(e,n,u,!0)}function m(e){i.forEach(((t,n)=>{const r=Ar(t.type);!r||e&&e(r)||p(n)}))}function p(e){const t=i.get(e);s&&t.type===s.type?s&&Qe(s):_(t),i.delete(e),o.delete(e)}r.activate=(e,t,n,r,i)=>{const o=e.component;d(e,t,n,0,u),l(o.vnode,e,t,n,o,u,r,e.slotScopeIds,i),yn((()=>{o.isDeactivated=!1,o.a&&(0,a.ir)(o.a);const t=e.props&&e.props.onVnodeMounted;t&&cr(t,o.parent,e)}),u)},r.deactivate=e=>{const t=e.component;d(e,h,null,1,u),yn((()=>{t.da&&(0,a.ir)(t.da);const n=e.props&&e.props.onVnodeUnmounted;n&&cr(n,t.parent,e),t.isDeactivated=!0}),u)},xe((()=>[e.include,e.exclude]),(([e,t])=>{e&&m((t=>Ge(e,t))),t&&m((e=>!Ge(t,e)))}),{flush:"post",deep:!0});let g=null;const y=()=>{null!=g&&i.set(g,et(n.subTree))};return at(y),ot(y),st((()=>{i.forEach((e=>{const{subTree:t,suspense:r}=n,a=et(t);if(e.type!==a.type)_(e);else{Qe(a);const e=a.component.da;e&&yn(e,r)}}))})),()=>{if(g=null,!t.default)return null;const n=t.default(),r=n[0];if(n.length>1)return s=null,n;if(!qn(r)||!(4&r.shapeFlag)&&!(128&r.shapeFlag))return s=null,r;let a=et(r);const u=a.type,l=Ar(ze(a)?a.type.__asyncResolved||{}:u),{include:d,exclude:c,max:f}=e;if(d&&(!l||!Ge(d,l))||c&&l&&Ge(c,l))return s=a,r;const h=null==a.key?u:a.key,_=i.get(h);return a.el&&(a=rr(a),128&r.shapeFlag&&(r.ssContent=a)),g=h,_?(a.el=_.el,a.component=_.component,a.transition&&Ne(a,a.transition),a.shapeFlag|=512,o.delete(h),o.add(h)):(o.add(h),f&&o.size>parseInt(f,10)&&p(o.values().next().value)),a.shapeFlag|=256,s=a,ue(r.type)?r:a}}},qe=Je;function Ge(e,t){return(0,a.kJ)(e)?e.some((e=>Ge(e,t))):(0,a.HD)(e)?e.split(",").includes(t):!!e.test&&e.test(t)}function $e(e,t){Ze(e,"a",t)}function Ke(e,t){Ze(e,"da",t)}function Ze(e,t,n=mr){const r=e.__wdc||(e.__wdc=()=>{let t=n;while(t){if(t.isDeactivated)return;t=t.parent}return e()});if(tt(t,r,n),n){let e=n.parent;while(e&&e.parent)Ue(e.parent.vnode)&&Xe(r,t,n,e),e=e.parent}}function Xe(e,t,n,r){const i=tt(t,e,r,!0);ut((()=>{(0,a.Od)(r[t],i)}),n)}function Qe(e){let t=e.shapeFlag;256&t&&(t-=256),512&t&&(t-=512),e.shapeFlag=t}function et(e){return 128&e.shapeFlag?e.ssContent:e}function tt(e,t,n=mr,a=!1){if(n){const i=n[e]||(n[e]=[]),o=t.__weh||(t.__weh=(...a)=>{if(n.isUnmounted)return;(0,r.Jd)(),gr(n);const i=h(t,n,e,a);return yr(),(0,r.lk)(),i});return a?i.unshift(o):i.push(o),o}}const nt=e=>(t,n=mr)=>(!Lr||"sp"===e)&&tt(e,t,n),rt=nt("bm"),at=nt("m"),it=nt("bu"),ot=nt("u"),st=nt("bum"),ut=nt("um"),lt=nt("sp"),dt=nt("rtg"),ct=nt("rtc");function ft(e,t=mr){tt("ec",e,t)}function ht(e,t){const n=G;if(null===n)return e;const r=jr(n)||n.proxy,i=e.dirs||(e.dirs=[]);for(let o=0;ot(e,n,void 0,o&&o[n])));else{const n=Object.keys(e);i=new Array(n.length);for(let r=0,a=n.length;r!qn(e)||e.type!==Cn&&!(e.type===Pn&&!xt(e.children))))?e:null}function Dt(e){const t={};for(const n in e)t[(0,a.hR)(n)]=e[n];return t}const Tt=e=>e?vr(e)?jr(e)||e.proxy:Tt(e.parent):null,St=(0,a.l7)(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>Tt(e.parent),$root:e=>Tt(e.root),$emit:e=>e.emit,$options:e=>Ft(e),$forceUpdate:e=>e.f||(e.f=()=>j(e.update)),$nextTick:e=>e.n||(e.n=S.bind(e.proxy)),$watch:e=>Te.bind(e)}),Ht={get({_:e},t){const{ctx:n,setupState:i,data:o,props:s,accessCache:u,type:l,appContext:d}=e;let c;if("$"!==t[0]){const r=u[t];if(void 0!==r)switch(r){case 1:return i[t];case 2:return o[t];case 4:return n[t];case 3:return s[t]}else{if(i!==a.kT&&(0,a.RI)(i,t))return u[t]=1,i[t];if(o!==a.kT&&(0,a.RI)(o,t))return u[t]=2,o[t];if((c=e.propsOptions[0])&&(0,a.RI)(c,t))return u[t]=3,s[t];if(n!==a.kT&&(0,a.RI)(n,t))return u[t]=4,n[t];Ot&&(u[t]=0)}}const f=St[t];let h,_;return f?("$attrs"===t&&(0,r.j)(e,"get",t),f(e)):(h=l.__cssModules)&&(h=h[t])?h:n!==a.kT&&(0,a.RI)(n,t)?(u[t]=4,n[t]):(_=d.config.globalProperties,(0,a.RI)(_,t)?_[t]:void 0)},set({_:e},t,n){const{data:r,setupState:i,ctx:o}=e;return i!==a.kT&&(0,a.RI)(i,t)?(i[t]=n,!0):r!==a.kT&&(0,a.RI)(r,t)?(r[t]=n,!0):!(0,a.RI)(e.props,t)&&(("$"!==t[0]||!(t.slice(1)in e))&&(o[t]=n,!0))},has({_:{data:e,setupState:t,accessCache:n,ctx:r,appContext:i,propsOptions:o}},s){let u;return!!n[s]||e!==a.kT&&(0,a.RI)(e,s)||t!==a.kT&&(0,a.RI)(t,s)||(u=o[0])&&(0,a.RI)(u,s)||(0,a.RI)(r,s)||(0,a.RI)(St,s)||(0,a.RI)(i.config.globalProperties,s)},defineProperty(e,t,n){return null!=n.get?e._.accessCache[t]=0:(0,a.RI)(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}};const jt=(0,a.l7)({},Ht,{get(e,t){if(t!==Symbol.unscopables)return Ht.get(e,t,e)},has(e,t){const n="_"!==t[0]&&!(0,a.e1)(t);return n}});let Ot=!0;function Pt(e){const t=Ft(e),n=e.proxy,i=e.ctx;Ot=!1,t.beforeCreate&&Ct(t.beforeCreate,e,"bc");const{data:o,computed:s,methods:u,watch:l,provide:d,inject:c,created:f,beforeMount:h,mounted:_,beforeUpdate:m,updated:p,activated:g,deactivated:y,beforeDestroy:v,beforeUnmount:M,destroyed:b,unmounted:L,render:k,renderTracked:w,renderTriggered:Y,errorCaptured:x,serverPrefetch:D,expose:T,inheritAttrs:S,components:H,directives:j,filters:O}=t,P=null;if(c&&At(c,i,P,e.appContext.config.unwrapInjectedRef),u)for(const r in u){const e=u[r];(0,a.mf)(e)&&(i[r]=e.bind(n))}if(o){0;const t=o.call(n,n);0,(0,a.Kn)(t)&&(e.data=(0,r.qj)(t))}if(Ot=!0,s)for(const r in s){const e=s[r],t=(0,a.mf)(e)?e.bind(n,n):(0,a.mf)(e.get)?e.get.bind(n,n):a.dG;0;const o=!(0,a.mf)(e)&&(0,a.mf)(e.set)?e.set.bind(n):a.dG,u=Fr({get:t,set:o});Object.defineProperty(i,r,{enumerable:!0,configurable:!0,get:()=>u.value,set:e=>u.value=e})}if(l)for(const r in l)Et(l[r],i,n,r);if(d){const e=(0,a.mf)(d)?d.call(n):d;Reflect.ownKeys(e).forEach((t=>{Me(t,e[t])}))}function A(e,t){(0,a.kJ)(t)?t.forEach((t=>e(t.bind(n)))):t&&e(t.bind(n))}if(f&&Ct(f,e,"c"),A(rt,h),A(at,_),A(it,m),A(ot,p),A($e,g),A(Ke,y),A(ft,x),A(ct,w),A(dt,Y),A(st,M),A(ut,L),A(lt,D),(0,a.kJ)(T))if(T.length){const t=e.exposed||(e.exposed={});T.forEach((e=>{Object.defineProperty(t,e,{get:()=>n[e],set:t=>n[e]=t})}))}else e.exposed||(e.exposed={});k&&e.render===a.dG&&(e.render=k),null!=S&&(e.inheritAttrs=S),H&&(e.components=H),j&&(e.directives=j)}function At(e,t,n=a.dG,i=!1){(0,a.kJ)(e)&&(e=zt(e));for(const o in e){const n=e[o];let s;s=(0,a.Kn)(n)?"default"in n?be(n.from||o,n.default,!0):be(n.from||o):be(n),(0,r.dq)(s)&&i?Object.defineProperty(t,o,{enumerable:!0,configurable:!0,get:()=>s.value,set:e=>s.value=e}):t[o]=s}}function Ct(e,t,n){h((0,a.kJ)(e)?e.map((e=>e.bind(t.proxy))):e.bind(t.proxy),t,n)}function Et(e,t,n,r){const i=r.includes(".")?Se(n,r):()=>n[r];if((0,a.HD)(e)){const n=t[e];(0,a.mf)(n)&&xe(i,n)}else if((0,a.mf)(e))xe(i,e.bind(n));else if((0,a.Kn)(e))if((0,a.kJ)(e))e.forEach((e=>Et(e,t,n,r)));else{const r=(0,a.mf)(e.handler)?e.handler.bind(n):t[e.handler];(0,a.mf)(r)&&xe(i,r,e)}else 0}function Ft(e){const t=e.type,{mixins:n,extends:r}=t,{mixins:a,optionsCache:i,config:{optionMergeStrategies:o}}=e.appContext,s=i.get(t);let u;return s?u=s:a.length||n||r?(u={},a.length&&a.forEach((e=>Wt(u,e,o,!0))),Wt(u,t,o)):u=t,i.set(t,u),u}function Wt(e,t,n,r=!1){const{mixins:a,extends:i}=t;i&&Wt(e,i,n,!0),a&&a.forEach((t=>Wt(e,t,n,!0)));for(const o in t)if(r&&"expose"===o);else{const r=Nt[o]||n&&n[o];e[o]=r?r(e[o],t[o]):t[o]}return e}const Nt={data:It,props:Vt,emits:Vt,methods:Vt,computed:Vt,beforeCreate:Bt,created:Bt,beforeMount:Bt,mounted:Bt,beforeUpdate:Bt,updated:Bt,beforeDestroy:Bt,beforeUnmount:Bt,destroyed:Bt,unmounted:Bt,activated:Bt,deactivated:Bt,errorCaptured:Bt,serverPrefetch:Bt,components:Vt,directives:Vt,watch:Ut,provide:It,inject:Rt};function It(e,t){return t?e?function(){return(0,a.l7)((0,a.mf)(e)?e.call(this,this):e,(0,a.mf)(t)?t.call(this,this):t)}:t:e}function Rt(e,t){return Vt(zt(e),zt(t))}function zt(e){if((0,a.kJ)(e)){const t={};for(let n=0;n0)||16&u){let r;Gt(e,t,o,s)&&(c=!0);for(const i in l)t&&((0,a.RI)(t,i)||(r=(0,a.rs)(i))!==i&&(0,a.RI)(t,r))||(d?!n||void 0===n[i]&&void 0===n[r]||(o[i]=$t(d,l,i,void 0,e,!0)):delete o[i]);if(s!==l)for(const e in s)t&&(0,a.RI)(t,e)||(delete s[e],c=!0)}else if(8&u){const n=e.vnode.dynamicProps;for(let r=0;r{l=!0;const[n,r]=Kt(e,t,!0);(0,a.l7)(s,n),r&&u.push(...r)};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}if(!o&&!l)return r.set(e,a.Z6),a.Z6;if((0,a.kJ)(o))for(let c=0;c-1,r[1]=n<0||e-1||(0,a.RI)(r,"default"))&&u.push(t)}}}}const d=[s,u];return r.set(e,d),d}function Zt(e){return"$"!==e[0]}function Xt(e){const t=e&&e.toString().match(/^\s*function (\w+)/);return t?t[1]:null===e?"null":""}function Qt(e,t){return Xt(e)===Xt(t)}function en(e,t){return(0,a.kJ)(t)?t.findIndex((t=>Qt(t,e))):(0,a.mf)(t)&&Qt(t,e)?0:-1}const tn=e=>"_"===e[0]||"$stable"===e,nn=e=>(0,a.kJ)(e)?e.map(sr):[sr(e)],rn=(e,t,n)=>{if(t._n)return t;const r=ee(((...e)=>nn(t(...e))),n);return r._c=!1,r},an=(e,t,n)=>{const r=e._ctx;for(const i in e){if(tn(i))continue;const n=e[i];if((0,a.mf)(n))t[i]=rn(i,n,r);else if(null!=n){0;const e=nn(n);t[i]=()=>e}}},on=(e,t)=>{const n=nn(t);e.slots.default=()=>n},sn=(e,t)=>{if(32&e.vnode.shapeFlag){const n=t._;n?(e.slots=(0,r.IU)(t),(0,a.Nj)(t,"_",n)):an(t,e.slots={})}else e.slots={},t&&on(e,t);(0,a.Nj)(e.slots,Kn,1)},un=(e,t,n)=>{const{vnode:r,slots:i}=e;let o=!0,s=a.kT;if(32&r.shapeFlag){const e=t._;e?n&&1===e?o=!1:((0,a.l7)(i,t),n||1!==e||delete i._):(o=!t.$stable,an(t,i)),s=t}else t&&(on(e,t),s={default:1});if(o)for(const a in i)tn(a)||a in s||delete i[a]};function ln(){return{app:null,config:{isNativeTag:a.NO,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let dn=0;function cn(e,t){return function(n,r=null){(0,a.mf)(n)||(n=Object.assign({},n)),null==r||(0,a.Kn)(r)||(r=null);const i=ln(),o=new Set;let s=!1;const u=i.app={_uid:dn++,_component:n,_props:r,_container:null,_context:i,_instance:null,version:ea,get config(){return i.config},set config(e){0},use(e,...t){return o.has(e)||(e&&(0,a.mf)(e.install)?(o.add(e),e.install(u,...t)):(0,a.mf)(e)&&(o.add(e),e(u,...t))),u},mixin(e){return i.mixins.includes(e)||i.mixins.push(e),u},component(e,t){return t?(i.components[e]=t,u):i.components[e]},directive(e,t){return t?(i.directives[e]=t,u):i.directives[e]},mount(a,o,l){if(!s){0;const d=er(n,r);return d.appContext=i,o&&t?t(d,a):e(d,a,l),s=!0,u._container=a,a.__vue_app__=u,jr(d.component)||d.component.proxy}},unmount(){s&&(e(null,u._container),delete u._container.__vue_app__)},provide(e,t){return i.provides[e]=t,u}};return u}}function fn(e,t,n,i,o=!1){if((0,a.kJ)(e))return void e.forEach(((e,r)=>fn(e,t&&((0,a.kJ)(t)?t[r]:t),n,i,o)));if(ze(i)&&!o)return;const s=4&i.shapeFlag?jr(i.component)||i.component.proxy:i.el,u=o?null:s,{i:l,r:d}=e;const c=t&&t.r,h=l.refs===a.kT?l.refs={}:l.refs,_=l.setupState;if(null!=c&&c!==d&&((0,a.HD)(c)?(h[c]=null,(0,a.RI)(_,c)&&(_[c]=null)):(0,r.dq)(c)&&(c.value=null)),(0,a.mf)(d))f(d,l,12,[u,h]);else{const t=(0,a.HD)(d),i=(0,r.dq)(d);if(t||i){const r=()=>{if(e.f){const n=t?h[d]:d.value;o?(0,a.kJ)(n)&&(0,a.Od)(n,s):(0,a.kJ)(n)?n.includes(s)||n.push(s):t?(h[d]=[s],(0,a.RI)(_,d)&&(_[d]=h[d])):(d.value=[s],e.k&&(h[e.k]=d.value))}else t?(h[d]=u,(0,a.RI)(_,d)&&(_[d]=u)):i&&(d.value=u,e.k&&(h[e.k]=u))};u?(r.id=-1,yn(r,n)):r()}else 0}}let hn=!1;const _n=e=>/svg/.test(e.namespaceURI)&&"foreignObject"!==e.tagName,mn=e=>8===e.nodeType;function pn(e){const{mt:t,p:n,o:{patchProp:r,createText:i,nextSibling:o,parentNode:s,remove:u,insert:l,createComment:d}}=e,c=(e,t)=>{if(!t.hasChildNodes())return n(null,e,t),W(),void(t._vnode=e);hn=!1,f(t.firstChild,e,null,null,null),W(),t._vnode=e,hn&&console.error("Hydration completed but contains mismatches.")},f=(n,r,a,u,d,c=!1)=>{const y=mn(n)&&"["===n.data,v=()=>p(n,r,a,u,d,y),{type:M,ref:b,shapeFlag:L,patchFlag:k}=r,w=n.nodeType;r.el=n,-2===k&&(c=!1,r.dynamicChildren=null);let Y=null;switch(M){case An:3!==w?""===r.children?(l(r.el=i(""),s(n),n),Y=n):Y=v():(n.data!==r.children&&(hn=!0,n.data=r.children),Y=o(n));break;case Cn:Y=8!==w||y?v():o(n);break;case En:if(1===w||3===w){Y=n;const e=!r.children.length;for(let t=0;t{s=s||!!t.dynamicChildren;const{type:l,props:d,patchFlag:c,shapeFlag:f,dirs:h}=t,m="input"===l&&h||"option"===l;if(m||-1!==c){if(h&&_t(t,null,n,"created"),d)if(m||!s||48&c)for(const t in d)(m&&t.endsWith("value")||(0,a.F7)(t)&&!(0,a.Gg)(t))&&r(e,t,null,d[t],!1,void 0,n);else d.onClick&&r(e,"onClick",null,d.onClick,!1,void 0,n);let l;if((l=d&&d.onVnodeBeforeMount)&&cr(l,n,t),h&&_t(t,null,n,"beforeMount"),((l=d&&d.onVnodeMounted)||h)&&ye((()=>{l&&cr(l,n,t),h&&_t(t,null,n,"mounted")}),i),16&f&&(!d||!d.innerHTML&&!d.textContent)){let r=_(e.firstChild,t,e,n,i,o,s);while(r){hn=!0;const e=r;r=r.nextSibling,u(e)}}else 8&f&&e.textContent!==t.children&&(hn=!0,e.textContent=t.children)}return e.nextSibling},_=(e,t,r,a,i,o,s)=>{s=s||!!t.dynamicChildren;const u=t.children,l=u.length;for(let d=0;d{const{slotScopeIds:u}=t;u&&(a=a?a.concat(u):u);const c=s(e),f=_(o(e),t,c,n,r,a,i);return f&&mn(f)&&"]"===f.data?o(t.anchor=f):(hn=!0,l(t.anchor=d("]"),c,f),f)},p=(e,t,r,a,i,l)=>{if(hn=!0,t.el=null,l){const t=g(e);while(1){const n=o(e);if(!n||n===t)break;u(n)}}const d=o(e),c=s(e);return u(e),n(null,t,c,d,r,a,_n(c),i),d},g=e=>{let t=0;while(e)if(e=o(e),e&&mn(e)&&("["===e.data&&t++,"]"===e.data)){if(0===t)return o(e);t--}return e};return[c,f]}function gn(){}const yn=ye;function vn(e){return bn(e)}function Mn(e){return bn(e,pn)}function bn(e,t){gn();const n=(0,a.E9)();n.__VUE__=!0;const{insert:i,remove:o,patchProp:s,createElement:u,createText:l,createComment:d,setText:c,setElementText:f,parentNode:h,nextSibling:_,setScopeId:m=a.dG,cloneNode:p,insertStaticContent:g}=e,y=(e,t,n,r=null,a=null,i=null,o=!1,s=null,u=!!t.dynamicChildren)=>{if(e===t)return;e&&!Gn(e,t)&&(r=K(e),U(e,a,i,!0),e=null),-2===t.patchFlag&&(u=!1,t.dynamicChildren=null);const{type:l,ref:d,shapeFlag:c}=t;switch(l){case An:v(e,t,n,r);break;case Cn:M(e,t,n,r);break;case En:null==e&&b(t,n,r,o);break;case Pn:O(e,t,n,r,a,i,o,s,u);break;default:1&c?w(e,t,n,r,a,i,o,s,u):6&c?A(e,t,n,r,a,i,o,s,u):(64&c||128&c)&&l.process(e,t,n,r,a,i,o,s,u,X)}null!=d&&a&&fn(d,e&&e.ref,i,t||e,!t)},v=(e,t,n,r)=>{if(null==e)i(t.el=l(t.children),n,r);else{const n=t.el=e.el;t.children!==e.children&&c(n,t.children)}},M=(e,t,n,r)=>{null==e?i(t.el=d(t.children||""),n,r):t.el=e.el},b=(e,t,n,r)=>{[e.el,e.anchor]=g(e.children,t,n,r,e.el,e.anchor)},L=({el:e,anchor:t},n,r)=>{let a;while(e&&e!==t)a=_(e),i(e,n,r),e=a;i(t,n,r)},k=({el:e,anchor:t})=>{let n;while(e&&e!==t)n=_(e),o(e),e=n;o(t)},w=(e,t,n,r,a,i,o,s,u)=>{o=o||"svg"===t.type,null==e?Y(t,n,r,a,i,o,s,u):T(e,t,a,i,o,s,u)},Y=(e,t,n,r,o,l,d,c)=>{let h,_;const{type:m,props:g,shapeFlag:y,transition:v,patchFlag:M,dirs:b}=e;if(e.el&&void 0!==p&&-1===M)h=e.el=p(e.el);else{if(h=e.el=u(e.type,l,g&&g.is,g),8&y?f(h,e.children):16&y&&D(e.children,h,null,r,o,l&&"foreignObject"!==m,d,c),b&&_t(e,null,r,"created"),g){for(const t in g)"value"===t||(0,a.Gg)(t)||s(h,t,null,g[t],l,e.children,r,o,$);"value"in g&&s(h,"value",null,g.value),(_=g.onVnodeBeforeMount)&&cr(_,r,e)}x(h,e,e.scopeId,d,r)}b&&_t(e,null,r,"beforeMount");const L=(!o||o&&!o.pendingBranch)&&v&&!v.persisted;L&&v.beforeEnter(h),i(h,t,n),((_=g&&g.onVnodeMounted)||L||b)&&yn((()=>{_&&cr(_,r,e),L&&v.enter(h),b&&_t(e,null,r,"mounted")}),o)},x=(e,t,n,r,a)=>{if(n&&m(e,n),r)for(let i=0;i{for(let l=u;l{const l=t.el=e.el;let{patchFlag:d,dynamicChildren:c,dirs:h}=t;d|=16&e.patchFlag;const _=e.props||a.kT,m=t.props||a.kT;let p;n&&Ln(n,!1),(p=m.onVnodeBeforeUpdate)&&cr(p,n,t,e),h&&_t(t,e,n,"beforeUpdate"),n&&Ln(n,!0);const g=i&&"foreignObject"!==t.type;if(c?S(e.dynamicChildren,c,l,n,r,g,o):u||R(e,t,l,null,n,r,g,o,!1),d>0){if(16&d)H(l,t,_,m,n,r,i);else if(2&d&&_.class!==m.class&&s(l,"class",null,m.class,i),4&d&&s(l,"style",_.style,m.style,i),8&d){const a=t.dynamicProps;for(let t=0;t{p&&cr(p,n,t,e),h&&_t(t,e,n,"updated")}),r)},S=(e,t,n,r,a,i,o)=>{for(let s=0;s{if(n!==r){for(const l in r){if((0,a.Gg)(l))continue;const d=r[l],c=n[l];d!==c&&"value"!==l&&s(e,l,c,d,u,t.children,i,o,$)}if(n!==a.kT)for(const l in n)(0,a.Gg)(l)||l in r||s(e,l,n[l],null,u,t.children,i,o,$);"value"in r&&s(e,"value",n.value,r.value)}},O=(e,t,n,r,a,o,s,u,d)=>{const c=t.el=e?e.el:l(""),f=t.anchor=e?e.anchor:l("");let{patchFlag:h,dynamicChildren:_,slotScopeIds:m}=t;m&&(u=u?u.concat(m):m),null==e?(i(c,n,r),i(f,n,r),D(t.children,n,f,a,o,s,u,d)):h>0&&64&h&&_&&e.dynamicChildren?(S(e.dynamicChildren,_,n,a,o,s,u),(null!=t.key||a&&t===a.subTree)&&kn(e,t,!0)):R(e,t,n,f,a,o,s,u,d)},A=(e,t,n,r,a,i,o,s,u)=>{t.slotScopeIds=s,null==e?512&t.shapeFlag?a.ctx.activate(t,n,r,o,u):C(t,n,r,a,i,o,u):E(e,t,u)},C=(e,t,n,r,a,i,o)=>{const s=e.component=_r(e,r,a);if(Ue(e)&&(s.ctx.renderer=X),kr(s),s.asyncDep){if(a&&a.registerDep(s,N),!e.el){const e=s.subTree=er(Cn);M(null,e,t,n)}}else N(s,e,t,n,a,i,o)},E=(e,t,n)=>{const r=t.component=e.component;if(ie(e,t,n)){if(r.asyncDep&&!r.asyncResolved)return void I(r,t,n);r.next=t,P(r.update),r.update()}else t.el=e.el,r.vnode=t},N=(e,t,n,i,o,s,u)=>{const l=()=>{if(e.isMounted){let t,{next:n,bu:r,u:i,parent:l,vnode:d}=e,c=n;0,Ln(e,!1),n?(n.el=d.el,I(e,n,u)):n=d,r&&(0,a.ir)(r),(t=n.props&&n.props.onVnodeBeforeUpdate)&&cr(t,l,n,d),Ln(e,!0);const f=te(e);0;const _=e.subTree;e.subTree=f,y(_,f,h(_.el),K(_),e,o,s),n.el=f.el,null===c&&se(e,f.el),i&&yn(i,o),(t=n.props&&n.props.onVnodeUpdated)&&yn((()=>cr(t,l,n,d)),o)}else{let r;const{el:u,props:l}=t,{bm:d,m:c,parent:f}=e,h=ze(t);if(Ln(e,!1),d&&(0,a.ir)(d),!h&&(r=l&&l.onVnodeBeforeMount)&&cr(r,f,t),Ln(e,!0),u&&ee){const n=()=>{e.subTree=te(e),ee(u,e.subTree,e,o,null)};h?t.type.__asyncLoader().then((()=>!e.isUnmounted&&n())):n()}else{0;const r=e.subTree=te(e);0,y(null,r,n,i,e,o,s),t.el=r.el}if(c&&yn(c,o),!h&&(r=l&&l.onVnodeMounted)){const e=t;yn((()=>cr(r,f,e)),o)}(256&t.shapeFlag||f&&ze(f.vnode)&&256&f.vnode.shapeFlag)&&e.a&&yn(e.a,o),e.isMounted=!0,t=n=i=null}},d=e.effect=new r.qq(l,(()=>j(c)),e.scope),c=e.update=()=>d.run();c.id=e.uid,Ln(e,!0),c()},I=(e,t,n)=>{t.component=e;const a=e.vnode.props;e.vnode=t,e.next=null,qt(e,t.props,a,n),un(e,t.children,n),(0,r.Jd)(),F(void 0,e.update),(0,r.lk)()},R=(e,t,n,r,a,i,o,s,u=!1)=>{const l=e&&e.children,d=e?e.shapeFlag:0,c=t.children,{patchFlag:h,shapeFlag:_}=t;if(h>0){if(128&h)return void B(l,c,n,r,a,i,o,s,u);if(256&h)return void z(l,c,n,r,a,i,o,s,u)}8&_?(16&d&&$(l,a,i),c!==l&&f(n,c)):16&d?16&_?B(l,c,n,r,a,i,o,s,u):$(l,a,i,!0):(8&d&&f(n,""),16&_&&D(c,n,r,a,i,o,s,u))},z=(e,t,n,r,i,o,s,u,l)=>{e=e||a.Z6,t=t||a.Z6;const d=e.length,c=t.length,f=Math.min(d,c);let h;for(h=0;hc?$(e,i,o,!0,!1,f):D(t,n,r,i,o,s,u,l,f)},B=(e,t,n,r,i,o,s,u,l)=>{let d=0;const c=t.length;let f=e.length-1,h=c-1;while(d<=f&&d<=h){const r=e[d],a=t[d]=l?ur(t[d]):sr(t[d]);if(!Gn(r,a))break;y(r,a,n,null,i,o,s,u,l),d++}while(d<=f&&d<=h){const r=e[f],a=t[h]=l?ur(t[h]):sr(t[h]);if(!Gn(r,a))break;y(r,a,n,null,i,o,s,u,l),f--,h--}if(d>f){if(d<=h){const e=h+1,a=eh)while(d<=f)U(e[d],i,o,!0),d++;else{const _=d,m=d,p=new Map;for(d=m;d<=h;d++){const e=t[d]=l?ur(t[d]):sr(t[d]);null!=e.key&&p.set(e.key,d)}let g,v=0;const M=h-m+1;let b=!1,L=0;const k=new Array(M);for(d=0;d=M){U(r,i,o,!0);continue}let a;if(null!=r.key)a=p.get(r.key);else for(g=m;g<=h;g++)if(0===k[g-m]&&Gn(r,t[g])){a=g;break}void 0===a?U(r,i,o,!0):(k[a-m]=d+1,a>=L?L=a:b=!0,y(r,t[a],n,null,i,o,s,u,l),v++)}const w=b?wn(k):a.Z6;for(g=w.length-1,d=M-1;d>=0;d--){const e=m+d,a=t[e],f=e+1{const{el:o,type:s,transition:u,children:l,shapeFlag:d}=e;if(6&d)return void V(e.component.subTree,t,n,r);if(128&d)return void e.suspense.move(t,n,r);if(64&d)return void s.move(e,t,n,X);if(s===Pn){i(o,t,n);for(let e=0;eu.enter(o)),a);else{const{leave:e,delayLeave:r,afterLeave:a}=u,s=()=>i(o,t,n),l=()=>{e(o,(()=>{s(),a&&a()}))};r?r(o,s,l):l()}else i(o,t,n)},U=(e,t,n,r=!1,a=!1)=>{const{type:i,props:o,ref:s,children:u,dynamicChildren:l,shapeFlag:d,patchFlag:c,dirs:f}=e;if(null!=s&&fn(s,null,n,e,!0),256&d)return void t.ctx.deactivate(e);const h=1&d&&f,_=!ze(e);let m;if(_&&(m=o&&o.onVnodeBeforeUnmount)&&cr(m,t,e),6&d)G(e.component,n,r);else{if(128&d)return void e.suspense.unmount(n,r);h&&_t(e,null,t,"beforeUnmount"),64&d?e.type.remove(e,t,n,a,X,r):l&&(i!==Pn||c>0&&64&c)?$(l,t,n,!1,!0):(i===Pn&&384&c||!a&&16&d)&&$(u,t,n),r&&J(e)}(_&&(m=o&&o.onVnodeUnmounted)||h)&&yn((()=>{m&&cr(m,t,e),h&&_t(e,null,t,"unmounted")}),n)},J=e=>{const{type:t,el:n,anchor:r,transition:a}=e;if(t===Pn)return void q(n,r);if(t===En)return void k(e);const i=()=>{o(n),a&&!a.persisted&&a.afterLeave&&a.afterLeave()};if(1&e.shapeFlag&&a&&!a.persisted){const{leave:t,delayLeave:r}=a,o=()=>t(n,i);r?r(e.el,i,o):o()}else i()},q=(e,t)=>{let n;while(e!==t)n=_(e),o(e),e=n;o(t)},G=(e,t,n)=>{const{bum:r,scope:i,update:o,subTree:s,um:u}=e;r&&(0,a.ir)(r),i.stop(),o&&(o.active=!1,U(s,e,t,n)),u&&yn(u,t),yn((()=>{e.isUnmounted=!0}),t),t&&t.pendingBranch&&!t.isUnmounted&&e.asyncDep&&!e.asyncResolved&&e.suspenseId===t.pendingId&&(t.deps--,0===t.deps&&t.resolve())},$=(e,t,n,r=!1,a=!1,i=0)=>{for(let o=i;o6&e.shapeFlag?K(e.component.subTree):128&e.shapeFlag?e.suspense.next():_(e.anchor||e.el),Z=(e,t,n)=>{null==e?t._vnode&&U(t._vnode,null,null,!0):y(t._vnode||null,e,t,null,null,null,n),W(),t._vnode=e},X={p:y,um:U,m:V,r:J,mt:C,mc:D,pc:R,pbc:S,n:K,o:e};let Q,ee;return t&&([Q,ee]=t(X)),{render:Z,hydrate:Q,createApp:cn(Z,Q)}}function Ln({effect:e,update:t},n){e.allowRecurse=t.allowRecurse=n}function kn(e,t,n=!1){const r=e.children,i=t.children;if((0,a.kJ)(r)&&(0,a.kJ)(i))for(let a=0;a>1,e[n[s]]0&&(t[r]=n[i-1]),n[i]=r)}}i=n.length,o=n[i-1];while(i-- >0)n[i]=o,o=t[o];return n}const Yn=e=>e.__isTeleport,xn=e=>e&&(e.disabled||""===e.disabled),Dn=e=>"undefined"!==typeof SVGElement&&e instanceof SVGElement,Tn=(e,t)=>{const n=e&&e.to;if((0,a.HD)(n)){if(t){const e=t(n);return e}return null}return n},Sn={__isTeleport:!0,process(e,t,n,r,a,i,o,s,u,l){const{mc:d,pc:c,pbc:f,o:{insert:h,querySelector:_,createText:m,createComment:p}}=l,g=xn(t.props);let{shapeFlag:y,children:v,dynamicChildren:M}=t;if(null==e){const e=t.el=m(""),l=t.anchor=m("");h(e,n,r),h(l,n,r);const c=t.target=Tn(t.props,_),f=t.targetAnchor=m("");c&&(h(f,c),o=o||Dn(c));const p=(e,t)=>{16&y&&d(v,e,t,a,i,o,s,u)};g?p(n,l):c&&p(c,f)}else{t.el=e.el;const r=t.anchor=e.anchor,d=t.target=e.target,h=t.targetAnchor=e.targetAnchor,m=xn(e.props),p=m?n:d,y=m?r:h;if(o=o||Dn(d),M?(f(e.dynamicChildren,M,p,a,i,o,s),kn(e,t,!0)):u||c(e,t,p,y,a,i,o,s,!1),g)m||Hn(t,n,r,l,1);else if((t.props&&t.props.to)!==(e.props&&e.props.to)){const e=t.target=Tn(t.props,_);e&&Hn(t,e,null,l,0)}else m&&Hn(t,d,h,l,1)}},remove(e,t,n,r,{um:a,o:{remove:i}},o){const{shapeFlag:s,children:u,anchor:l,targetAnchor:d,target:c,props:f}=e;if(c&&i(d),(o||!xn(f))&&(i(l),16&s))for(let h=0;h0?Wn||a.Z6:null,In(),zn>0&&Wn&&Wn.push(e),e}function Un(e,t,n,r,a,i){return Vn(Qn(e,t,n,r,a,i,!0))}function Jn(e,t,n,r,a){return Vn(er(e,t,n,r,a,!0))}function qn(e){return!!e&&!0===e.__v_isVNode}function Gn(e,t){return e.type===t.type&&e.key===t.key}function $n(e){Rn=e}const Kn="__vInternal",Zn=({key:e})=>null!=e?e:null,Xn=({ref:e,ref_key:t,ref_for:n})=>null!=e?(0,a.HD)(e)||(0,r.dq)(e)||(0,a.mf)(e)?{i:G,r:e,k:t,f:!!n}:e:null;function Qn(e,t=null,n=null,r=0,i=null,o=(e===Pn?0:1),s=!1,u=!1){const l={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&Zn(t),ref:t&&Xn(t),scopeId:$,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetAnchor:null,staticCount:0,shapeFlag:o,patchFlag:r,dynamicProps:i,dynamicChildren:null,appContext:null};return u?(lr(l,n),128&o&&e.normalize(l)):n&&(l.shapeFlag|=(0,a.HD)(n)?8:16),zn>0&&!s&&Wn&&(l.patchFlag>0||6&o)&&32!==l.patchFlag&&Wn.push(l),l}const er=tr;function tr(e,t=null,n=null,i=0,o=null,s=!1){if(e&&e!==yt||(e=Cn),qn(e)){const r=rr(e,t,!0);return n&&lr(r,n),zn>0&&!s&&Wn&&(6&r.shapeFlag?Wn[Wn.indexOf(e)]=r:Wn.push(r)),r.patchFlag|=-2,r}if(Er(e)&&(e=e.__vccOpts),t){t=nr(t);let{class:e,style:n}=t;e&&!(0,a.HD)(e)&&(t.class=(0,a.C_)(e)),(0,a.Kn)(n)&&((0,r.X3)(n)&&!(0,a.kJ)(n)&&(n=(0,a.l7)({},n)),t.style=(0,a.j5)(n))}const u=(0,a.HD)(e)?1:ue(e)?128:Yn(e)?64:(0,a.Kn)(e)?4:(0,a.mf)(e)?2:0;return Qn(e,t,n,i,o,u,s,!0)}function nr(e){return e?(0,r.X3)(e)||Kn in e?(0,a.l7)({},e):e:null}function rr(e,t,n=!1){const{props:r,ref:i,patchFlag:o,children:s}=e,u=t?dr(r||{},t):r,l={__v_isVNode:!0,__v_skip:!0,type:e.type,props:u,key:u&&Zn(u),ref:t&&t.ref?n&&i?(0,a.kJ)(i)?i.concat(Xn(t)):[i,Xn(t)]:Xn(t):i,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:s,target:e.target,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==Pn?-1===o?16:16|o:o,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:e.transition,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&rr(e.ssContent),ssFallback:e.ssFallback&&rr(e.ssFallback),el:e.el,anchor:e.anchor};return l}function ar(e=" ",t=0){return er(An,null,e,t)}function ir(e,t){const n=er(En,null,e);return n.staticCount=t,n}function or(e="",t=!1){return t?(Nn(),Jn(Cn,null,e)):er(Cn,null,e)}function sr(e){return null==e||"boolean"===typeof e?er(Cn):(0,a.kJ)(e)?er(Pn,null,e.slice()):"object"===typeof e?ur(e):er(An,null,String(e))}function ur(e){return null===e.el||e.memo?e:rr(e)}function lr(e,t){let n=0;const{shapeFlag:r}=e;if(null==t)t=null;else if((0,a.kJ)(t))n=16;else if("object"===typeof t){if(65&r){const n=t.default;return void(n&&(n._c&&(n._d=!1),lr(e,n()),n._c&&(n._d=!0)))}{n=32;const r=t._;r||Kn in t?3===r&&G&&(1===G.slots._?t._=1:(t._=2,e.patchFlag|=1024)):t._ctx=G}}else(0,a.mf)(t)?(t={default:t,_ctx:G},n=32):(t=String(t),64&r?(n=16,t=[ar(t)]):n=8);e.children=t,e.shapeFlag|=n}function dr(...e){const t={};for(let n=0;nmr||G,gr=e=>{mr=e,e.scope.on()},yr=()=>{mr&&mr.scope.off(),mr=null};function vr(e){return 4&e.vnode.shapeFlag}let Mr,br,Lr=!1;function kr(e,t=!1){Lr=t;const{props:n,children:r}=e.vnode,a=vr(e);Jt(e,n,a,t),sn(e,r);const i=a?wr(e,t):void 0;return Lr=!1,i}function wr(e,t){const n=e.type;e.accessCache=Object.create(null),e.proxy=(0,r.Xl)(new Proxy(e.ctx,Ht));const{setup:i}=n;if(i){const n=e.setupContext=i.length>1?Hr(e):null;gr(e),(0,r.Jd)();const o=f(i,e,0,[e.props,n]);if((0,r.lk)(),yr(),(0,a.tI)(o)){if(o.then(yr,yr),t)return o.then((n=>{Yr(e,n,t)})).catch((t=>{_(t,e,0)}));e.asyncDep=o}else Yr(e,o,t)}else Tr(e,t)}function Yr(e,t,n){(0,a.mf)(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:(0,a.Kn)(t)&&(e.setupState=(0,r.WL)(t)),Tr(e,n)}function xr(e){Mr=e,br=e=>{e.render._rc&&(e.withProxy=new Proxy(e.ctx,jt))}}const Dr=()=>!Mr;function Tr(e,t,n){const i=e.type;if(!e.render){if(!t&&Mr&&!i.render){const t=i.template;if(t){0;const{isCustomElement:n,compilerOptions:r}=e.appContext.config,{delimiters:o,compilerOptions:s}=i,u=(0,a.l7)((0,a.l7)({isCustomElement:n,delimiters:o},r),s);i.render=Mr(t,u)}}e.render=i.render||a.dG,br&&br(e)}gr(e),(0,r.Jd)(),Pt(e),(0,r.lk)(),yr()}function Sr(e){return new Proxy(e.attrs,{get(t,n){return(0,r.j)(e,"get","$attrs"),t[n]}})}function Hr(e){const t=t=>{e.exposed=t||{}};let n;return{get attrs(){return n||(n=Sr(e))},slots:e.slots,emit:e.emit,expose:t}}function jr(e){if(e.exposed)return e.exposeProxy||(e.exposeProxy=new Proxy((0,r.WL)((0,r.Xl)(e.exposed)),{get(t,n){return n in t?t[n]:n in St?St[n](e):void 0}}))}const Or=/(?:^|[-_])(\w)/g,Pr=e=>e.replace(Or,(e=>e.toUpperCase())).replace(/[-_]/g,"");function Ar(e,t=!0){return(0,a.mf)(e)?e.displayName||e.name:e.name||t&&e.__name}function Cr(e,t,n=!1){let r=Ar(t);if(!r&&t.__file){const e=t.__file.match(/([^/\\]+)\.\w+$/);e&&(r=e[1])}if(!r&&e&&e.parent){const n=e=>{for(const n in e)if(e[n]===t)return n};r=n(e.components||e.parent.type.components)||n(e.appContext.components)}return r?Pr(r):n?"App":"Anonymous"}function Er(e){return(0,a.mf)(e)&&"__vccOpts"in e}const Fr=(e,t)=>(0,r.Fl)(e,t,Lr);function Wr(){return null}function Nr(){return null}function Ir(e){0}function Rr(e,t){return null}function zr(){return Vr().slots}function Br(){return Vr().attrs}function Vr(){const e=pr();return e.setupContext||(e.setupContext=Hr(e))}function Ur(e,t){const n=(0,a.kJ)(e)?e.reduce(((e,t)=>(e[t]={},e)),{}):e;for(const r in t){const e=n[r];e?(0,a.kJ)(e)||(0,a.mf)(e)?n[r]={type:e,default:t[r]}:e.default=t[r]:null===e&&(n[r]={default:t[r]})}return n}function Jr(e,t){const n={};for(const r in e)t.includes(r)||Object.defineProperty(n,r,{enumerable:!0,get:()=>e[r]});return n}function qr(e){const t=pr();let n=e();return yr(),(0,a.tI)(n)&&(n=n.catch((e=>{throw gr(t),e}))),[n,()=>gr(t)]}function Gr(e,t,n){const r=arguments.length;return 2===r?(0,a.Kn)(t)&&!(0,a.kJ)(t)?qn(t)?er(e,null,[t]):er(e,t):er(e,null,t):(r>3?n=Array.prototype.slice.call(arguments,2):3===r&&qn(n)&&(n=[n]),er(e,t,n))}const $r=Symbol(""),Kr=()=>{{const e=be($r);return e||o("Server rendering context not provided. Make sure to only call useSSRContext() conditionally in the server build."),e}};function Zr(){return void 0}function Xr(e,t,n,r){const a=n[r];if(a&&Qr(a,e))return a;const i=t();return i.memo=e.slice(),n[r]=i}function Qr(e,t){const n=e.memo;if(n.length!=t.length)return!1;for(let r=0;r0&&Wn&&Wn.push(e),!0}const ea="3.2.37",ta={createComponentInstance:_r,setupComponent:kr,renderComponentRoot:te,setCurrentRenderingInstance:K,isVNode:qn,normalizeVNode:sr},na=ta,ra=null,aa=null},9242:function(e,t,n){"use strict";n.d(t,{$d:function(){return a.$d},$y:function(){return a.$y},Ah:function(){return F},B:function(){return a.B},BK:function(){return a.BK},Bj:function(){return a.Bj},Bz:function(){return a.Bz},C3:function(){return a.C3},C_:function(){return a.C_},Cn:function(){return a.Cn},D2:function(){return Ee},EB:function(){return a.EB},Eo:function(){return a.Eo},F4:function(){return a.F4},F8:function(){return Fe},FN:function(){return a.FN},Fl:function(){return a.Fl},G:function(){return a.G},G2:function(){return ke},HX:function(){return a.HX},HY:function(){return a.HY},Ho:function(){return a.Ho},IU:function(){return a.IU},JJ:function(){return a.JJ},Jd:function(){return a.Jd},KU:function(){return a.KU},Ko:function(){return a.Ko},LL:function(){return a.LL},MW:function(){return E},MX:function(){return a.MX},Mr:function(){return a.Mr},Nd:function(){return Ze},Nv:function(){return a.Nv},OT:function(){return a.OT},Ob:function(){return a.Ob},P$:function(){return a.P$},PG:function(){return a.PG},Q2:function(){return a.Q2},Q6:function(){return a.Q6},RC:function(){return a.RC},Rh:function(){return a.Rh},Rr:function(){return a.Rr},S3:function(){return a.S3},SK:function(){return a.Ah},SU:function(){return a.SU},U2:function(){return a.U2},Uc:function(){return a.Uc},Uk:function(){return a.Uk},Um:function(){return a.Um},Us:function(){return a.Us},Vh:function(){return a.Vh},W3:function(){return fe},WI:function(){return a.WI},WL:function(){return a.WL},WY:function(){return a.WY},Wm:function(){return a.Wm},X3:function(){return a.X3},XI:function(){return a.XI},Xl:function(){return a.Xl},Xn:function(){return a.Xn},Y1:function(){return a.Y1},Y3:function(){return a.Y3},Y8:function(){return a.Y8},YP:function(){return a.YP},YS:function(){return a.YS},YZ:function(){return Te},Yq:function(){return a.Yq},ZB:function(){return Je},ZK:function(){return a.ZK},ZM:function(){return a.ZM},Zq:function(){return a.Zq},_:function(){return a._},_A:function(){return a._A},a2:function(){return N},aZ:function(){return a.aZ},b9:function(){return a.b9},bM:function(){return we},bT:function(){return a.bT},bv:function(){return a.bv},cE:function(){return a.cE},d1:function(){return a.d1},dD:function(){return a.dD},dG:function(){return a.dG},dl:function(){return a.dl},dq:function(){return a.dq},e8:function(){return be},ec:function(){return a.ec},eq:function(){return a.eq},f3:function(){return a.f3},fb:function(){return I},h:function(){return a.h},hR:function(){return a.hR},i8:function(){return a.i8},iD:function(){return a.iD},iH:function(){return a.iH},iM:function(){return Ae},ic:function(){return a.ic},j4:function(){return a.j4},j5:function(){return a.j5},kC:function(){return a.kC},kq:function(){return a.kq},l1:function(){return a.l1},lA:function(){return a.lA},lR:function(){return a.lR},m0:function(){return a.m0},mW:function(){return a.mW},mv:function(){return a.mv},mx:function(){return a.mx},n4:function(){return a.n4},nK:function(){return a.nK},nQ:function(){return a.nQ},nZ:function(){return a.nZ},nr:function(){return Me},oR:function(){return a.oR},of:function(){return a.of},p1:function(){return a.p1},qG:function(){return a.qG},qZ:function(){return a.qZ},qb:function(){return a.qb},qj:function(){return a.qj},qq:function(){return a.qq},ri:function(){return qe},ry:function(){return a.ry},sT:function(){return a.sT},sY:function(){return Ue},se:function(){return a.se},sj:function(){return R},sv:function(){return a.sv},uE:function(){return a.uE},uT:function(){return J},u_:function(){return a.u_},up:function(){return a.up},vl:function(){return a.vl},vr:function(){return Ge},vs:function(){return a.vs},w5:function(){return a.w5},wF:function(){return a.wF},wg:function(){return a.wg},wy:function(){return a.wy},xv:function(){return a.xv},yT:function(){return a.yT},yX:function(){return a.yX},yb:function(){return a.MW},zw:function(){return a.zw}});n(6699);var r=n(7139),a=n(3396),i=n(4870);const o="http://www.w3.org/2000/svg",s="undefined"!==typeof document?document:null,u=s&&s.createElement("template"),l={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,r)=>{const a=t?s.createElementNS(o,e):s.createElement(e,n?{is:n}:void 0);return"select"===e&&r&&null!=r.multiple&&a.setAttribute("multiple",r.multiple),a},createText:e=>s.createTextNode(e),createComment:e=>s.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>s.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},cloneNode(e){const t=e.cloneNode(!0);return"_value"in e&&(t._value=e._value),t},insertStaticContent(e,t,n,r,a,i){const o=n?n.previousSibling:t.lastChild;if(a&&(a===i||a.nextSibling)){while(1)if(t.insertBefore(a.cloneNode(!0),n),a===i||!(a=a.nextSibling))break}else{u.innerHTML=r?`${e}`:e;const a=u.content;if(r){const e=a.firstChild;while(e.firstChild)a.appendChild(e.firstChild);a.removeChild(e)}t.insertBefore(a,n)}return[o?o.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}};function d(e,t,n){const r=e._vtc;r&&(t=(t?[t,...r]:[...r]).join(" ")),null==t?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}function c(e,t,n){const a=e.style,i=(0,r.HD)(n);if(n&&!i){for(const e in n)h(a,e,n[e]);if(t&&!(0,r.HD)(t))for(const e in t)null==n[e]&&h(a,e,"")}else{const r=a.display;i?t!==n&&(a.cssText=n):t&&e.removeAttribute("style"),"_vod"in e&&(a.display=r)}}const f=/\s*!important$/;function h(e,t,n){if((0,r.kJ)(n))n.forEach((n=>h(e,t,n)));else if(null==n&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const a=p(e,t);f.test(n)?e.setProperty((0,r.rs)(a),n.replace(f,""),"important"):e[a]=n}}const _=["Webkit","Moz","ms"],m={};function p(e,t){const n=m[t];if(n)return n;let a=(0,r._A)(t);if("filter"!==a&&a in e)return m[t]=a;a=(0,r.kC)(a);for(let r=0;r<_.length;r++){const n=_[r]+a;if(n in e)return m[t]=n}return t}const g="http://www.w3.org/1999/xlink";function y(e,t,n,a,i){if(a&&t.startsWith("xlink:"))null==n?e.removeAttributeNS(g,t.slice(6,t.length)):e.setAttributeNS(g,t,n);else{const a=(0,r.Pq)(t);null==n||a&&!(0,r.yA)(n)?e.removeAttribute(t):e.setAttribute(t,a?"":n)}}function v(e,t,n,a,i,o,s){if("innerHTML"===t||"textContent"===t)return a&&s(a,i,o),void(e[t]=null==n?"":n);if("value"===t&&"PROGRESS"!==e.tagName&&!e.tagName.includes("-")){e._value=n;const r=null==n?"":n;return e.value===r&&"OPTION"!==e.tagName||(e.value=r),void(null==n&&e.removeAttribute(t))}let u=!1;if(""===n||null==n){const a=typeof e[t];"boolean"===a?n=(0,r.yA)(n):null==n&&"string"===a?(n="",u=!0):"number"===a&&(n=0,u=!0)}try{e[t]=n}catch(l){0}u&&e.removeAttribute(t)}const[M,b]=(()=>{let e=Date.now,t=!1;if("undefined"!==typeof window){Date.now()>document.createEvent("Event").timeStamp&&(e=performance.now.bind(performance));const n=navigator.userAgent.match(/firefox\/(\d+)/i);t=!!(n&&Number(n[1])<=53)}return[e,t]})();let L=0;const k=Promise.resolve(),w=()=>{L=0},Y=()=>L||(k.then(w),L=M());function x(e,t,n,r){e.addEventListener(t,n,r)}function D(e,t,n,r){e.removeEventListener(t,n,r)}function T(e,t,n,r,a=null){const i=e._vei||(e._vei={}),o=i[t];if(r&&o)o.value=r;else{const[n,s]=H(t);if(r){const o=i[t]=j(r,a);x(e,n,o,s)}else o&&(D(e,n,o,s),i[t]=void 0)}}const S=/(?:Once|Passive|Capture)$/;function H(e){let t;if(S.test(e)){let n;t={};while(n=e.match(S))e=e.slice(0,e.length-n[0].length),t[n[0].toLowerCase()]=!0}return[(0,r.rs)(e.slice(2)),t]}function j(e,t){const n=e=>{const r=e.timeStamp||M();(b||r>=n.attached-1)&&(0,a.$d)(O(e,n.value),t,5,[e])};return n.value=e,n.attached=Y(),n}function O(e,t){if((0,r.kJ)(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map((e=>t=>!t._stopped&&e&&e(t)))}return t}const P=/^on[a-z]/,A=(e,t,n,a,i=!1,o,s,u,l)=>{"class"===t?d(e,a,i):"style"===t?c(e,n,a):(0,r.F7)(t)?(0,r.tR)(t)||T(e,t,n,a,s):("."===t[0]?(t=t.slice(1),1):"^"===t[0]?(t=t.slice(1),0):C(e,t,a,i))?v(e,t,a,o,s,u,l):("true-value"===t?e._trueValue=a:"false-value"===t&&(e._falseValue=a),y(e,t,a,i))};function C(e,t,n,a){return a?"innerHTML"===t||"textContent"===t||!!(t in e&&P.test(t)&&(0,r.mf)(n)):"spellcheck"!==t&&"draggable"!==t&&"translate"!==t&&("form"!==t&&(("list"!==t||"INPUT"!==e.tagName)&&(("type"!==t||"TEXTAREA"!==e.tagName)&&((!P.test(t)||!(0,r.HD)(n))&&t in e))))}function E(e,t){const n=(0,a.aZ)(e);class r extends N{constructor(e){super(n,e,t)}}return r.def=n,r}const F=e=>E(e,Je),W="undefined"!==typeof HTMLElement?HTMLElement:class{};class N extends W{constructor(e,t={},n){super(),this._def=e,this._props=t,this._instance=null,this._connected=!1,this._resolved=!1,this._numberProps=null,this.shadowRoot&&n?n(this._createVNode(),this.shadowRoot):this.attachShadow({mode:"open"})}connectedCallback(){this._connected=!0,this._instance||this._resolveDef()}disconnectedCallback(){this._connected=!1,(0,a.Y3)((()=>{this._connected||(Ue(null,this.shadowRoot),this._instance=null)}))}_resolveDef(){if(this._resolved)return;this._resolved=!0;for(let n=0;n{for(const t of e)this._setAttr(t.attributeName)})).observe(this,{attributes:!0});const e=e=>{const{props:t,styles:n}=e,a=!(0,r.kJ)(t),i=t?a?Object.keys(t):t:[];let o;if(a)for(const s in this._props){const e=t[s];(e===Number||e&&e.type===Number)&&(this._props[s]=(0,r.He)(this._props[s]),(o||(o=Object.create(null)))[s]=!0)}this._numberProps=o;for(const r of Object.keys(this))"_"!==r[0]&&this._setProp(r,this[r],!0,!1);for(const s of i.map(r._A))Object.defineProperty(this,s,{get(){return this._getProp(s)},set(e){this._setProp(s,e)}});this._applyStyles(n),this._update()},t=this._def.__asyncLoader;t?t().then(e):e(this._def)}_setAttr(e){let t=this.getAttribute(e);this._numberProps&&this._numberProps[e]&&(t=(0,r.He)(t)),this._setProp((0,r._A)(e),t,!1)}_getProp(e){return this._props[e]}_setProp(e,t,n=!0,a=!0){t!==this._props[e]&&(this._props[e]=t,a&&this._instance&&this._update(),n&&(!0===t?this.setAttribute((0,r.rs)(e),""):"string"===typeof t||"number"===typeof t?this.setAttribute((0,r.rs)(e),t+""):t||this.removeAttribute((0,r.rs)(e))))}_update(){Ue(this._createVNode(),this.shadowRoot)}_createVNode(){const e=(0,a.Wm)(this._def,(0,r.l7)({},this._props));return this._instance||(e.ce=e=>{this._instance=e,e.isCE=!0,e.emit=(e,...t)=>{this.dispatchEvent(new CustomEvent(e,{detail:t}))};let t=this;while(t=t&&(t.parentNode||t.host))if(t instanceof N){e.parent=t._instance;break}}),e}_applyStyles(e){e&&e.forEach((e=>{const t=document.createElement("style");t.textContent=e,this.shadowRoot.appendChild(t)}))}}function I(e="$style"){{const t=(0,a.FN)();if(!t)return r.kT;const n=t.type.__cssModules;if(!n)return r.kT;const i=n[e];return i||r.kT}}function R(e){const t=(0,a.FN)();if(!t)return;const n=()=>z(t.subTree,e(t.proxy));(0,a.Rh)(n),(0,a.bv)((()=>{const e=new MutationObserver(n);e.observe(t.subTree.el.parentNode,{childList:!0}),(0,a.Ah)((()=>e.disconnect()))}))}function z(e,t){if(128&e.shapeFlag){const n=e.suspense;e=n.activeBranch,n.pendingBranch&&!n.isHydrating&&n.effects.push((()=>{z(n.activeBranch,t)}))}while(e.component)e=e.component.subTree;if(1&e.shapeFlag&&e.el)B(e.el,t);else if(e.type===a.HY)e.children.forEach((e=>z(e,t)));else if(e.type===a.qG){let{el:n,anchor:r}=e;while(n){if(B(n,t),n===r)break;n=n.nextSibling}}}function B(e,t){if(1===e.nodeType){const n=e.style;for(const e in t)n.setProperty(`--${e}`,t[e])}}const V="transition",U="animation",J=(e,{slots:t})=>(0,a.h)(a.P$,Z(e),t);J.displayName="Transition";const q={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},G=J.props=(0,r.l7)({},a.P$.props,q),$=(e,t=[])=>{(0,r.kJ)(e)?e.forEach((e=>e(...t))):e&&e(...t)},K=e=>!!e&&((0,r.kJ)(e)?e.some((e=>e.length>1)):e.length>1);function Z(e){const t={};for(const r in e)r in q||(t[r]=e[r]);if(!1===e.css)return t;const{name:n="v",type:a,duration:i,enterFromClass:o=`${n}-enter-from`,enterActiveClass:s=`${n}-enter-active`,enterToClass:u=`${n}-enter-to`,appearFromClass:l=o,appearActiveClass:d=s,appearToClass:c=u,leaveFromClass:f=`${n}-leave-from`,leaveActiveClass:h=`${n}-leave-active`,leaveToClass:_=`${n}-leave-to`}=e,m=X(i),p=m&&m[0],g=m&&m[1],{onBeforeEnter:y,onEnter:v,onEnterCancelled:M,onLeave:b,onLeaveCancelled:L,onBeforeAppear:k=y,onAppear:w=v,onAppearCancelled:Y=M}=t,x=(e,t,n)=>{te(e,t?c:u),te(e,t?d:s),n&&n()},D=(e,t)=>{e._isLeaving=!1,te(e,f),te(e,_),te(e,h),t&&t()},T=e=>(t,n)=>{const r=e?w:v,i=()=>x(t,e,n);$(r,[t,i]),ne((()=>{te(t,e?l:o),ee(t,e?c:u),K(r)||ae(t,a,p,i)}))};return(0,r.l7)(t,{onBeforeEnter(e){$(y,[e]),ee(e,o),ee(e,s)},onBeforeAppear(e){$(k,[e]),ee(e,l),ee(e,d)},onEnter:T(!1),onAppear:T(!0),onLeave(e,t){e._isLeaving=!0;const n=()=>D(e,t);ee(e,f),ue(),ee(e,h),ne((()=>{e._isLeaving&&(te(e,f),ee(e,_),K(b)||ae(e,a,g,n))})),$(b,[e,n])},onEnterCancelled(e){x(e,!1),$(M,[e])},onAppearCancelled(e){x(e,!0),$(Y,[e])},onLeaveCancelled(e){D(e),$(L,[e])}})}function X(e){if(null==e)return null;if((0,r.Kn)(e))return[Q(e.enter),Q(e.leave)];{const t=Q(e);return[t,t]}}function Q(e){const t=(0,r.He)(e);return t}function ee(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.add(t))),(e._vtc||(e._vtc=new Set)).add(t)}function te(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.remove(t)));const{_vtc:n}=e;n&&(n.delete(t),n.size||(e._vtc=void 0))}function ne(e){requestAnimationFrame((()=>{requestAnimationFrame(e)}))}let re=0;function ae(e,t,n,r){const a=e._endId=++re,i=()=>{a===e._endId&&r()};if(n)return setTimeout(i,n);const{type:o,timeout:s,propCount:u}=ie(e,t);if(!o)return r();const l=o+"end";let d=0;const c=()=>{e.removeEventListener(l,f),i()},f=t=>{t.target===e&&++d>=u&&c()};setTimeout((()=>{d(n[e]||"").split(", "),a=r(V+"Delay"),i=r(V+"Duration"),o=oe(a,i),s=r(U+"Delay"),u=r(U+"Duration"),l=oe(s,u);let d=null,c=0,f=0;t===V?o>0&&(d=V,c=o,f=i.length):t===U?l>0&&(d=U,c=l,f=u.length):(c=Math.max(o,l),d=c>0?o>l?V:U:null,f=d?d===V?i.length:u.length:0);const h=d===V&&/\b(transform|all)(,|$)/.test(n[V+"Property"]);return{type:d,timeout:c,propCount:f,hasTransform:h}}function oe(e,t){while(e.lengthse(t)+se(e[n]))))}function se(e){return 1e3*Number(e.slice(0,-1).replace(",","."))}function ue(){return document.body.offsetHeight}const le=new WeakMap,de=new WeakMap,ce={name:"TransitionGroup",props:(0,r.l7)({},G,{tag:String,moveClass:String}),setup(e,{slots:t}){const n=(0,a.FN)(),r=(0,a.Y8)();let o,s;return(0,a.ic)((()=>{if(!o.length)return;const t=e.moveClass||`${e.name||"v"}-move`;if(!pe(o[0].el,n.vnode.el,t))return;o.forEach(he),o.forEach(_e);const r=o.filter(me);ue(),r.forEach((e=>{const n=e.el,r=n.style;ee(n,t),r.transform=r.webkitTransform=r.transitionDuration="";const a=n._moveCb=e=>{e&&e.target!==n||e&&!/transform$/.test(e.propertyName)||(n.removeEventListener("transitionend",a),n._moveCb=null,te(n,t))};n.addEventListener("transitionend",a)}))})),()=>{const u=(0,i.IU)(e),l=Z(u);let d=u.tag||a.HY;o=s,s=t.default?(0,a.Q6)(t.default()):[];for(let e=0;e{e.split(/\s+/).forEach((e=>e&&r.classList.remove(e)))})),n.split(/\s+/).forEach((e=>e&&r.classList.add(e))),r.style.display="none";const a=1===t.nodeType?t:t.parentNode;a.appendChild(r);const{hasTransform:i}=ie(r);return a.removeChild(r),i}const ge=e=>{const t=e.props["onUpdate:modelValue"]||!1;return(0,r.kJ)(t)?e=>(0,r.ir)(t,e):t};function ye(e){e.target.composing=!0}function ve(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const Me={created(e,{modifiers:{lazy:t,trim:n,number:a}},i){e._assign=ge(i);const o=a||i.props&&"number"===i.props.type;x(e,t?"change":"input",(t=>{if(t.target.composing)return;let a=e.value;n&&(a=a.trim()),o&&(a=(0,r.He)(a)),e._assign(a)})),n&&x(e,"change",(()=>{e.value=e.value.trim()})),t||(x(e,"compositionstart",ye),x(e,"compositionend",ve),x(e,"change",ve))},mounted(e,{value:t}){e.value=null==t?"":t},beforeUpdate(e,{value:t,modifiers:{lazy:n,trim:a,number:i}},o){if(e._assign=ge(o),e.composing)return;if(document.activeElement===e&&"range"!==e.type){if(n)return;if(a&&e.value.trim()===t)return;if((i||"number"===e.type)&&(0,r.He)(e.value)===t)return}const s=null==t?"":t;e.value!==s&&(e.value=s)}},be={deep:!0,created(e,t,n){e._assign=ge(n),x(e,"change",(()=>{const t=e._modelValue,n=xe(e),a=e.checked,i=e._assign;if((0,r.kJ)(t)){const e=(0,r.hq)(t,n),o=-1!==e;if(a&&!o)i(t.concat(n));else if(!a&&o){const n=[...t];n.splice(e,1),i(n)}}else if((0,r.DM)(t)){const e=new Set(t);a?e.add(n):e.delete(n),i(e)}else i(De(e,a))}))},mounted:Le,beforeUpdate(e,t,n){e._assign=ge(n),Le(e,t,n)}};function Le(e,{value:t,oldValue:n},a){e._modelValue=t,(0,r.kJ)(t)?e.checked=(0,r.hq)(t,a.props.value)>-1:(0,r.DM)(t)?e.checked=t.has(a.props.value):t!==n&&(e.checked=(0,r.WV)(t,De(e,!0)))}const ke={created(e,{value:t},n){e.checked=(0,r.WV)(t,n.props.value),e._assign=ge(n),x(e,"change",(()=>{e._assign(xe(e))}))},beforeUpdate(e,{value:t,oldValue:n},a){e._assign=ge(a),t!==n&&(e.checked=(0,r.WV)(t,a.props.value))}},we={deep:!0,created(e,{value:t,modifiers:{number:n}},a){const i=(0,r.DM)(t);x(e,"change",(()=>{const t=Array.prototype.filter.call(e.options,(e=>e.selected)).map((e=>n?(0,r.He)(xe(e)):xe(e)));e._assign(e.multiple?i?new Set(t):t:t[0])})),e._assign=ge(a)},mounted(e,{value:t}){Ye(e,t)},beforeUpdate(e,t,n){e._assign=ge(n)},updated(e,{value:t}){Ye(e,t)}};function Ye(e,t){const n=e.multiple;if(!n||(0,r.kJ)(t)||(0,r.DM)(t)){for(let a=0,i=e.options.length;a-1:i.selected=t.has(o);else if((0,r.WV)(xe(i),t))return void(e.selectedIndex!==a&&(e.selectedIndex=a))}n||-1===e.selectedIndex||(e.selectedIndex=-1)}}function xe(e){return"_value"in e?e._value:e.value}function De(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const Te={created(e,t,n){He(e,t,n,null,"created")},mounted(e,t,n){He(e,t,n,null,"mounted")},beforeUpdate(e,t,n,r){He(e,t,n,r,"beforeUpdate")},updated(e,t,n,r){He(e,t,n,r,"updated")}};function Se(e,t){switch(e){case"SELECT":return we;case"TEXTAREA":return Me;default:switch(t){case"checkbox":return be;case"radio":return ke;default:return Me}}}function He(e,t,n,r,a){const i=Se(e.tagName,n.props&&n.props.type),o=i[a];o&&o(e,t,n,r)}function je(){Me.getSSRProps=({value:e})=>({value:e}),ke.getSSRProps=({value:e},t)=>{if(t.props&&(0,r.WV)(t.props.value,e))return{checked:!0}},be.getSSRProps=({value:e},t)=>{if((0,r.kJ)(e)){if(t.props&&(0,r.hq)(e,t.props.value)>-1)return{checked:!0}}else if((0,r.DM)(e)){if(t.props&&e.has(t.props.value))return{checked:!0}}else if(e)return{checked:!0}},Te.getSSRProps=(e,t)=>{if("string"!==typeof t.type)return;const n=Se(t.type.toUpperCase(),t.props&&t.props.type);return n.getSSRProps?n.getSSRProps(e,t):void 0}}const Oe=["ctrl","shift","alt","meta"],Pe={stop:e=>e.stopPropagation(),prevent:e=>e.preventDefault(),self:e=>e.target!==e.currentTarget,ctrl:e=>!e.ctrlKey,shift:e=>!e.shiftKey,alt:e=>!e.altKey,meta:e=>!e.metaKey,left:e=>"button"in e&&0!==e.button,middle:e=>"button"in e&&1!==e.button,right:e=>"button"in e&&2!==e.button,exact:(e,t)=>Oe.some((n=>e[`${n}Key`]&&!t.includes(n)))},Ae=(e,t)=>(n,...r)=>{for(let e=0;en=>{if(!("key"in n))return;const a=(0,r.rs)(n.key);return t.some((e=>e===a||Ce[e]===a))?e(n):void 0},Fe={beforeMount(e,{value:t},{transition:n}){e._vod="none"===e.style.display?"":e.style.display,n&&t?n.beforeEnter(e):We(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:r}){!t!==!n&&(r?t?(r.beforeEnter(e),We(e,!0),r.enter(e)):r.leave(e,(()=>{We(e,!1)})):We(e,t))},beforeUnmount(e,{value:t}){We(e,t)}};function We(e,t){e.style.display=t?e._vod:"none"}function Ne(){Fe.getSSRProps=({value:e})=>{if(!e)return{style:{display:"none"}}}}const Ie=(0,r.l7)({patchProp:A},l);let Re,ze=!1;function Be(){return Re||(Re=(0,a.Us)(Ie))}function Ve(){return Re=ze?Re:(0,a.Eo)(Ie),ze=!0,Re}const Ue=(...e)=>{Be().render(...e)},Je=(...e)=>{Ve().hydrate(...e)},qe=(...e)=>{const t=Be().createApp(...e);const{mount:n}=t;return t.mount=e=>{const a=$e(e);if(!a)return;const i=t._component;(0,r.mf)(i)||i.render||i.template||(i.template=a.innerHTML),a.innerHTML="";const o=n(a,!1,a instanceof SVGElement);return a instanceof Element&&(a.removeAttribute("v-cloak"),a.setAttribute("data-v-app","")),o},t},Ge=(...e)=>{const t=Ve().createApp(...e);const{mount:n}=t;return t.mount=e=>{const t=$e(e);if(t)return n(t,!0,t instanceof SVGElement)},t};function $e(e){if((0,r.HD)(e)){const t=document.querySelector(e);return t}return e}let Ke=!1;const Ze=()=>{Ke||(Ke=!0,je(),Ne())}},7139:function(e,t,n){"use strict";function r(e,t){const n=Object.create(null),r=e.split(",");for(let a=0;a!!n[e.toLowerCase()]:e=>!!n[e]}n.d(t,{C_:function(){return h},DM:function(){return P},E9:function(){return ae},F7:function(){return Y},Gg:function(){return U},HD:function(){return E},He:function(){return ne},Kn:function(){return W},NO:function(){return k},Nj:function(){return te},Od:function(){return T},PO:function(){return B},Pq:function(){return s},RI:function(){return H},S0:function(){return V},W7:function(){return z},WV:function(){return p},Z6:function(){return b},_A:function(){return G},_N:function(){return O},aU:function(){return Q},dG:function(){return L},e1:function(){return i},fY:function(){return r},hR:function(){return X},hq:function(){return g},ir:function(){return ee},j5:function(){return l},kC:function(){return Z},kJ:function(){return j},kT:function(){return M},l7:function(){return D},mf:function(){return C},rs:function(){return K},tI:function(){return N},tR:function(){return x},vs:function(){return _},yA:function(){return u},yk:function(){return F},zw:function(){return y}});const a="Infinity,undefined,NaN,isFinite,isNaN,parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt",i=r(a);const o="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",s=r(o);function u(e){return!!e||""===e}function l(e){if(j(e)){const t={};for(let n=0;n{if(e){const n=e.split(c);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}function h(e){let t="";if(E(e))t=e;else if(j(e))for(let n=0;np(e,t)))}const y=e=>E(e)?e:null==e?"":j(e)||W(e)&&(e.toString===I||!C(e.toString))?JSON.stringify(e,v,2):String(e),v=(e,t)=>t&&t.__v_isRef?v(e,t.value):O(t)?{[`Map(${t.size})`]:[...t.entries()].reduce(((e,[t,n])=>(e[`${t} =>`]=n,e)),{})}:P(t)?{[`Set(${t.size})`]:[...t.values()]}:!W(t)||j(t)||B(t)?t:String(t),M={},b=[],L=()=>{},k=()=>!1,w=/^on[^a-z]/,Y=e=>w.test(e),x=e=>e.startsWith("onUpdate:"),D=Object.assign,T=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},S=Object.prototype.hasOwnProperty,H=(e,t)=>S.call(e,t),j=Array.isArray,O=e=>"[object Map]"===R(e),P=e=>"[object Set]"===R(e),A=e=>"[object Date]"===R(e),C=e=>"function"===typeof e,E=e=>"string"===typeof e,F=e=>"symbol"===typeof e,W=e=>null!==e&&"object"===typeof e,N=e=>W(e)&&C(e.then)&&C(e.catch),I=Object.prototype.toString,R=e=>I.call(e),z=e=>R(e).slice(8,-1),B=e=>"[object Object]"===R(e),V=e=>E(e)&&"NaN"!==e&&"-"!==e[0]&&""+parseInt(e,10)===e,U=r(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),J=e=>{const t=Object.create(null);return n=>{const r=t[n];return r||(t[n]=e(n))}},q=/-(\w)/g,G=J((e=>e.replace(q,((e,t)=>t?t.toUpperCase():"")))),$=/\B([A-Z])/g,K=J((e=>e.replace($,"-$1").toLowerCase())),Z=J((e=>e.charAt(0).toUpperCase()+e.slice(1))),X=J((e=>e?`on${Z(e)}`:"")),Q=(e,t)=>!Object.is(e,t),ee=(e,t)=>{for(let n=0;n{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,value:n})},ne=e=>{const t=parseFloat(e);return isNaN(t)?e:t};let re;const ae=()=>re||(re="undefined"!==typeof globalThis?globalThis:"undefined"!==typeof self?self:"undefined"!==typeof window?window:"undefined"!==typeof n.g?n.g:{})},3906:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("af",{months:"Januarie_Februarie_Maart_April_Mei_Junie_Julie_Augustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mrt_Apr_Mei_Jun_Jul_Aug_Sep_Okt_Nov_Des".split("_"),weekdays:"Sondag_Maandag_Dinsdag_Woensdag_Donderdag_Vrydag_Saterdag".split("_"),weekdaysShort:"Son_Maa_Din_Woe_Don_Vry_Sat".split("_"),weekdaysMin:"So_Ma_Di_Wo_Do_Vr_Sa".split("_"),meridiemParse:/vm|nm/i,isPM:function(e){return/^nm$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"vm":"VM":n?"nm":"NM"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Vandag om] LT",nextDay:"[Môre om] LT",nextWeek:"dddd [om] LT",lastDay:"[Gister om] LT",lastWeek:"[Laas] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oor %s",past:"%s gelede",s:"'n paar sekondes",ss:"%d sekondes",m:"'n minuut",mm:"%d minute",h:"'n uur",hh:"%d ure",d:"'n dag",dd:"%d dae",M:"'n maand",MM:"%d maande",y:"'n jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}});return t}))},3853:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},n={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},r=function(e){return function(r,a,i,o){var s=t(r),u=n[e][t(r)];return 2===s&&(u=u[a?0:1]),u.replace(/%d/i,r)}},a=["جانفي","فيفري","مارس","أفريل","ماي","جوان","جويلية","أوت","سبتمبر","أكتوبر","نوفمبر","ديسمبر"],i=e.defineLocale("ar-dz",{months:a,monthsShort:a,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:r("s"),ss:r("s"),m:r("m"),mm:r("m"),h:r("h"),hh:r("h"),d:r("d"),dd:r("d"),M:r("M"),MM:r("M"),y:r("y"),yy:r("y")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:0,doy:4}});return i}))},299:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ar-kw",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإتنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اتنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:0,doy:12}});return t}))},6825:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"1",2:"2",3:"3",4:"4",5:"5",6:"6",7:"7",8:"8",9:"9",0:"0"},n=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},r={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},a=function(e){return function(t,a,i,o){var s=n(t),u=r[e][n(t)];return 2===s&&(u=u[a?0:1]),u.replace(/%d/i,t)}},i=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"],o=e.defineLocale("ar-ly",{months:i,monthsShort:i,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:a("s"),ss:a("s"),m:a("m"),mm:a("m"),h:a("h"),hh:a("h"),d:a("d"),dd:a("d"),M:a("M"),MM:a("M"),y:a("y"),yy:a("y")},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}});return o}))},6379:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ar-ma",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اثنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}});return t}))},7700:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=e.defineLocale("ar-sa",{months:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:0,doy:6}});return r}))},2059:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ar-tn",{months:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}});return t}))},902:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},a={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},i=function(e){return function(t,n,i,o){var s=r(t),u=a[e][r(t)];return 2===s&&(u=u[n?0:1]),u.replace(/%d/i,t)}},o=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"],s=e.defineLocale("ar",{months:o,monthsShort:o,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:i("s"),ss:i("s"),m:i("m"),mm:i("m"),h:i("h"),hh:i("h"),d:i("d"),dd:i("d"),M:i("M"),MM:i("M"),y:i("y"),yy:i("y")},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}});return s}))},6043:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"-inci",5:"-inci",8:"-inci",70:"-inci",80:"-inci",2:"-nci",7:"-nci",20:"-nci",50:"-nci",3:"-üncü",4:"-üncü",100:"-üncü",6:"-ncı",9:"-uncu",10:"-uncu",30:"-uncu",60:"-ıncı",90:"-ıncı"},n=e.defineLocale("az",{months:"yanvar_fevral_mart_aprel_may_iyun_iyul_avqust_sentyabr_oktyabr_noyabr_dekabr".split("_"),monthsShort:"yan_fev_mar_apr_may_iyn_iyl_avq_sen_okt_noy_dek".split("_"),weekdays:"Bazar_Bazar ertəsi_Çərşənbə axşamı_Çərşənbə_Cümə axşamı_Cümə_Şənbə".split("_"),weekdaysShort:"Baz_BzE_ÇAx_Çər_CAx_Cüm_Şən".split("_"),weekdaysMin:"Bz_BE_ÇA_Çə_CA_Cü_Şə".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[sabah saat] LT",nextWeek:"[gələn həftə] dddd [saat] LT",lastDay:"[dünən] LT",lastWeek:"[keçən həftə] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s əvvəl",s:"bir neçə saniyə",ss:"%d saniyə",m:"bir dəqiqə",mm:"%d dəqiqə",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",M:"bir ay",MM:"%d ay",y:"bir il",yy:"%d il"},meridiemParse:/gecə|səhər|gündüz|axşam/,isPM:function(e){return/^(gündüz|axşam)$/.test(e)},meridiem:function(e,t,n){return e<4?"gecə":e<12?"səhər":e<17?"gündüz":"axşam"},dayOfMonthOrdinalParse:/\d{1,2}-(ıncı|inci|nci|üncü|ncı|uncu)/,ordinal:function(e){if(0===e)return e+"-ıncı";var n=e%10,r=e%100-n,a=e>=100?100:null;return e+(t[n]||t[r]||t[a])},week:{dow:1,doy:7}});return n}))},7936:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t){var n=e.split("_");return t%10===1&&t%100!==11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){var a={ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"хвіліна_хвіліны_хвілін":"хвіліну_хвіліны_хвілін",hh:n?"гадзіна_гадзіны_гадзін":"гадзіну_гадзіны_гадзін",dd:"дзень_дні_дзён",MM:"месяц_месяцы_месяцаў",yy:"год_гады_гадоў"};return"m"===r?n?"хвіліна":"хвіліну":"h"===r?n?"гадзіна":"гадзіну":e+" "+t(a[r],+e)}var r=e.defineLocale("be",{months:{format:"студзеня_лютага_сакавіка_красавіка_траўня_чэрвеня_ліпеня_жніўня_верасня_кастрычніка_лістапада_снежня".split("_"),standalone:"студзень_люты_сакавік_красавік_травень_чэрвень_ліпень_жнівень_верасень_кастрычнік_лістапад_снежань".split("_")},monthsShort:"студ_лют_сак_крас_трав_чэрв_ліп_жнів_вер_каст_ліст_снеж".split("_"),weekdays:{format:"нядзелю_панядзелак_аўторак_сераду_чацвер_пятніцу_суботу".split("_"),standalone:"нядзеля_панядзелак_аўторак_серада_чацвер_пятніца_субота".split("_"),isFormat:/\[ ?[Ууў] ?(?:мінулую|наступную)? ?\] ?dddd/},weekdaysShort:"нд_пн_ат_ср_чц_пт_сб".split("_"),weekdaysMin:"нд_пн_ат_ср_чц_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., HH:mm",LLLL:"dddd, D MMMM YYYY г., HH:mm"},calendar:{sameDay:"[Сёння ў] LT",nextDay:"[Заўтра ў] LT",lastDay:"[Учора ў] LT",nextWeek:function(){return"[У] dddd [ў] LT"},lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return"[У мінулую] dddd [ў] LT";case 1:case 2:case 4:return"[У мінулы] dddd [ў] LT"}},sameElse:"L"},relativeTime:{future:"праз %s",past:"%s таму",s:"некалькі секунд",m:n,mm:n,h:n,hh:n,d:"дзень",dd:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночы|раніцы|дня|вечара/,isPM:function(e){return/^(дня|вечара)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночы":e<12?"раніцы":e<17?"дня":"вечара"},dayOfMonthOrdinalParse:/\d{1,2}-(і|ы|га)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e%10!==2&&e%10!==3||e%100===12||e%100===13?e+"-ы":e+"-і";case"D":return e+"-га";default:return e}},week:{dow:1,doy:7}});return r}))},4078:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("bg",{months:"януари_февруари_март_април_май_юни_юли_август_септември_октомври_ноември_декември".split("_"),monthsShort:"яну_фев_мар_апр_май_юни_юли_авг_сеп_окт_ное_дек".split("_"),weekdays:"неделя_понеделник_вторник_сряда_четвъртък_петък_събота".split("_"),weekdaysShort:"нед_пон_вто_сря_чет_пет_съб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Днес в] LT",nextDay:"[Утре в] LT",nextWeek:"dddd [в] LT",lastDay:"[Вчера в] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Миналата] dddd [в] LT";case 1:case 2:case 4:case 5:return"[Миналия] dddd [в] LT"}},sameElse:"L"},relativeTime:{future:"след %s",past:"преди %s",s:"няколко секунди",ss:"%d секунди",m:"минута",mm:"%d минути",h:"час",hh:"%d часа",d:"ден",dd:"%d дена",w:"седмица",ww:"%d седмици",M:"месец",MM:"%d месеца",y:"година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}});return t}))},4014:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("bm",{months:"Zanwuyekalo_Fewuruyekalo_Marisikalo_Awirilikalo_Mɛkalo_Zuwɛnkalo_Zuluyekalo_Utikalo_Sɛtanburukalo_ɔkutɔburukalo_Nowanburukalo_Desanburukalo".split("_"),monthsShort:"Zan_Few_Mar_Awi_Mɛ_Zuw_Zul_Uti_Sɛt_ɔku_Now_Des".split("_"),weekdays:"Kari_Ntɛnɛn_Tarata_Araba_Alamisa_Juma_Sibiri".split("_"),weekdaysShort:"Kar_Ntɛ_Tar_Ara_Ala_Jum_Sib".split("_"),weekdaysMin:"Ka_Nt_Ta_Ar_Al_Ju_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"MMMM [tile] D [san] YYYY",LLL:"MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm",LLLL:"dddd MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm"},calendar:{sameDay:"[Bi lɛrɛ] LT",nextDay:"[Sini lɛrɛ] LT",nextWeek:"dddd [don lɛrɛ] LT",lastDay:"[Kunu lɛrɛ] LT",lastWeek:"dddd [tɛmɛnen lɛrɛ] LT",sameElse:"L"},relativeTime:{future:"%s kɔnɔ",past:"a bɛ %s bɔ",s:"sanga dama dama",ss:"sekondi %d",m:"miniti kelen",mm:"miniti %d",h:"lɛrɛ kelen",hh:"lɛrɛ %d",d:"tile kelen",dd:"tile %d",M:"kalo kelen",MM:"kalo %d",y:"san kelen",yy:"san %d"},week:{dow:1,doy:4}});return t}))},7114:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"},r=e.defineLocale("bn-bd",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|ভোর|সকাল|দুপুর|বিকাল|সন্ধ্যা|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t?e<4?e:e+12:"ভোর"===t||"সকাল"===t?e:"দুপুর"===t?e>=3?e:e+12:"বিকাল"===t||"সন্ধ্যা"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"রাত":e<6?"ভোর":e<12?"সকাল":e<15?"দুপুর":e<18?"বিকাল":e<20?"সন্ধ্যা":"রাত"},week:{dow:0,doy:6}});return r}))},9554:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"},r=e.defineLocale("bn",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|সকাল|দুপুর|বিকাল|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t&&e>=4||"দুপুর"===t&&e<5||"বিকাল"===t?e+12:e},meridiem:function(e,t,n){return e<4?"রাত":e<10?"সকাল":e<17?"দুপুর":e<20?"বিকাল":"রাত"},week:{dow:0,doy:6}});return r}))},6529:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"༡",2:"༢",3:"༣",4:"༤",5:"༥",6:"༦",7:"༧",8:"༨",9:"༩",0:"༠"},n={"༡":"1","༢":"2","༣":"3","༤":"4","༥":"5","༦":"6","༧":"7","༨":"8","༩":"9","༠":"0"},r=e.defineLocale("bo",{months:"ཟླ་བ་དང་པོ_ཟླ་བ་གཉིས་པ_ཟླ་བ་གསུམ་པ_ཟླ་བ་བཞི་པ_ཟླ་བ་ལྔ་པ_ཟླ་བ་དྲུག་པ_ཟླ་བ་བདུན་པ_ཟླ་བ་བརྒྱད་པ_ཟླ་བ་དགུ་པ_ཟླ་བ་བཅུ་པ_ཟླ་བ་བཅུ་གཅིག་པ_ཟླ་བ་བཅུ་གཉིས་པ".split("_"),monthsShort:"ཟླ་1_ཟླ་2_ཟླ་3_ཟླ་4_ཟླ་5_ཟླ་6_ཟླ་7_ཟླ་8_ཟླ་9_ཟླ་10_ཟླ་11_ཟླ་12".split("_"),monthsShortRegex:/^(ཟླ་\d{1,2})/,monthsParseExact:!0,weekdays:"གཟའ་ཉི་མ་_གཟའ་ཟླ་བ་_གཟའ་མིག་དམར་_གཟའ་ལྷག་པ་_གཟའ་ཕུར་བུ_གཟའ་པ་སངས་_གཟའ་སྤེན་པ་".split("_"),weekdaysShort:"ཉི་མ་_ཟླ་བ་_མིག་དམར་_ལྷག་པ་_ཕུར་བུ_པ་སངས་_སྤེན་པ་".split("_"),weekdaysMin:"ཉི_ཟླ_མིག_ལྷག_ཕུར_སངས_སྤེན".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[དི་རིང] LT",nextDay:"[སང་ཉིན] LT",nextWeek:"[བདུན་ཕྲག་རྗེས་མ], LT",lastDay:"[ཁ་སང] LT",lastWeek:"[བདུན་ཕྲག་མཐའ་མ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ལ་",past:"%s སྔན་ལ",s:"ལམ་སང",ss:"%d སྐར་ཆ།",m:"སྐར་མ་གཅིག",mm:"%d སྐར་མ",h:"ཆུ་ཚོད་གཅིག",hh:"%d ཆུ་ཚོད",d:"ཉིན་གཅིག",dd:"%d ཉིན་",M:"ཟླ་བ་གཅིག",MM:"%d ཟླ་བ",y:"ལོ་གཅིག",yy:"%d ལོ"},preparse:function(e){return e.replace(/[༡༢༣༤༥༦༧༨༩༠]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/མཚན་མོ|ཞོགས་ཀས|ཉིན་གུང|དགོང་དག|མཚན་མོ/,meridiemHour:function(e,t){return 12===e&&(e=0),"མཚན་མོ"===t&&e>=4||"ཉིན་གུང"===t&&e<5||"དགོང་དག"===t?e+12:e},meridiem:function(e,t,n){return e<4?"མཚན་མོ":e<10?"ཞོགས་ཀས":e<17?"ཉིན་གུང":e<20?"དགོང་དག":"མཚན་མོ"},week:{dow:0,doy:6}});return r}))},5437:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n){var r={mm:"munutenn",MM:"miz",dd:"devezh"};return e+" "+a(r[n],e)}function n(e){switch(r(e)){case 1:case 3:case 4:case 5:case 9:return e+" bloaz";default:return e+" vloaz"}}function r(e){return e>9?r(e%10):e}function a(e,t){return 2===t?i(e):e}function i(e){var t={m:"v",b:"v",d:"z"};return void 0===t[e.charAt(0)]?e:t[e.charAt(0)]+e.substring(1)}var o=[/^gen/i,/^c[ʼ\']hwe/i,/^meu/i,/^ebr/i,/^mae/i,/^(mez|eve)/i,/^gou/i,/^eos/i,/^gwe/i,/^her/i,/^du/i,/^ker/i],s=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu|gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,u=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu)/i,l=/^(gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,d=[/^sul/i,/^lun/i,/^meurzh/i,/^merc[ʼ\']her/i,/^yaou/i,/^gwener/i,/^sadorn/i],c=[/^Sul/i,/^Lun/i,/^Meu/i,/^Mer/i,/^Yao/i,/^Gwe/i,/^Sad/i],f=[/^Su/i,/^Lu/i,/^Me([^r]|$)/i,/^Mer/i,/^Ya/i,/^Gw/i,/^Sa/i],h=e.defineLocale("br",{months:"Genver_Cʼhwevrer_Meurzh_Ebrel_Mae_Mezheven_Gouere_Eost_Gwengolo_Here_Du_Kerzu".split("_"),monthsShort:"Gen_Cʼhwe_Meu_Ebr_Mae_Eve_Gou_Eos_Gwe_Her_Du_Ker".split("_"),weekdays:"Sul_Lun_Meurzh_Mercʼher_Yaou_Gwener_Sadorn".split("_"),weekdaysShort:"Sul_Lun_Meu_Mer_Yao_Gwe_Sad".split("_"),weekdaysMin:"Su_Lu_Me_Mer_Ya_Gw_Sa".split("_"),weekdaysParse:f,fullWeekdaysParse:d,shortWeekdaysParse:c,minWeekdaysParse:f,monthsRegex:s,monthsShortRegex:s,monthsStrictRegex:u,monthsShortStrictRegex:l,monthsParse:o,longMonthsParse:o,shortMonthsParse:o,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [a viz] MMMM YYYY",LLL:"D [a viz] MMMM YYYY HH:mm",LLLL:"dddd, D [a viz] MMMM YYYY HH:mm"},calendar:{sameDay:"[Hiziv da] LT",nextDay:"[Warcʼhoazh da] LT",nextWeek:"dddd [da] LT",lastDay:"[Decʼh da] LT",lastWeek:"dddd [paset da] LT",sameElse:"L"},relativeTime:{future:"a-benn %s",past:"%s ʼzo",s:"un nebeud segondennoù",ss:"%d eilenn",m:"ur vunutenn",mm:t,h:"un eur",hh:"%d eur",d:"un devezh",dd:t,M:"ur miz",MM:t,y:"ur bloaz",yy:n},dayOfMonthOrdinalParse:/\d{1,2}(añ|vet)/,ordinal:function(e){var t=1===e?"añ":"vet";return e+t},week:{dow:1,doy:4},meridiemParse:/a.m.|g.m./,isPM:function(e){return"g.m."===e},meridiem:function(e,t,n){return e<12?"a.m.":"g.m."}});return h}))},9647:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi",r;case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta",r;case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati",r;case"dd":return r+=1===e?"dan":"dana",r;case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci",r;case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina",r}}var n=e.defineLocale("bs",{months:"januar_februar_mart_april_maj_juni_juli_august_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._aug._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:case 3:return"[prošlu] dddd [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},9951:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ca",{months:{standalone:"gener_febrer_març_abril_maig_juny_juliol_agost_setembre_octubre_novembre_desembre".split("_"),format:"de gener_de febrer_de març_d'abril_de maig_de juny_de juliol_d'agost_de setembre_d'octubre_de novembre_de desembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._maig_juny_jul._ag._set._oct._nov._des.".split("_"),monthsParseExact:!0,weekdays:"diumenge_dilluns_dimarts_dimecres_dijous_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dt._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dt_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a les] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a les] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:function(){return"[avui a "+(1!==this.hours()?"les":"la")+"] LT"},nextDay:function(){return"[demà a "+(1!==this.hours()?"les":"la")+"] LT"},nextWeek:function(){return"dddd [a "+(1!==this.hours()?"les":"la")+"] LT"},lastDay:function(){return"[ahir a "+(1!==this.hours()?"les":"la")+"] LT"},lastWeek:function(){return"[el] dddd [passat a "+(1!==this.hours()?"les":"la")+"] LT"},sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"uns segons",ss:"%d segons",m:"un minut",mm:"%d minuts",h:"una hora",hh:"%d hores",d:"un dia",dd:"%d dies",M:"un mes",MM:"%d mesos",y:"un any",yy:"%d anys"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}});return t}))},6113:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={format:"leden_únor_březen_duben_květen_červen_červenec_srpen_září_říjen_listopad_prosinec".split("_"),standalone:"ledna_února_března_dubna_května_června_července_srpna_září_října_listopadu_prosince".split("_")},n="led_úno_bře_dub_kvě_čvn_čvc_srp_zář_říj_lis_pro".split("_"),r=[/^led/i,/^úno/i,/^bře/i,/^dub/i,/^kvě/i,/^(čvn|červen$|června)/i,/^(čvc|červenec|července)/i,/^srp/i,/^zář/i,/^říj/i,/^lis/i,/^pro/i],a=/^(leden|únor|březen|duben|květen|červenec|července|červen|června|srpen|září|říjen|listopad|prosinec|led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i;function i(e){return e>1&&e<5&&1!==~~(e/10)}function o(e,t,n,r){var a=e+" ";switch(n){case"s":return t||r?"pár sekund":"pár sekundami";case"ss":return t||r?a+(i(e)?"sekundy":"sekund"):a+"sekundami";case"m":return t?"minuta":r?"minutu":"minutou";case"mm":return t||r?a+(i(e)?"minuty":"minut"):a+"minutami";case"h":return t?"hodina":r?"hodinu":"hodinou";case"hh":return t||r?a+(i(e)?"hodiny":"hodin"):a+"hodinami";case"d":return t||r?"den":"dnem";case"dd":return t||r?a+(i(e)?"dny":"dní"):a+"dny";case"M":return t||r?"měsíc":"měsícem";case"MM":return t||r?a+(i(e)?"měsíce":"měsíců"):a+"měsíci";case"y":return t||r?"rok":"rokem";case"yy":return t||r?a+(i(e)?"roky":"let"):a+"lety"}}var s=e.defineLocale("cs",{months:t,monthsShort:n,monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(leden|ledna|února|únor|březen|března|duben|dubna|květen|května|červenec|července|červen|června|srpen|srpna|září|říjen|října|listopadu|listopad|prosinec|prosince)/i,monthsShortStrictRegex:/^(led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"neděle_pondělí_úterý_středa_čtvrtek_pátek_sobota".split("_"),weekdaysShort:"ne_po_út_st_čt_pá_so".split("_"),weekdaysMin:"ne_po_út_st_čt_pá_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm",l:"D. M. YYYY"},calendar:{sameDay:"[dnes v] LT",nextDay:"[zítra v] LT",nextWeek:function(){switch(this.day()){case 0:return"[v neděli v] LT";case 1:case 2:return"[v] dddd [v] LT";case 3:return"[ve středu v] LT";case 4:return"[ve čtvrtek v] LT";case 5:return"[v pátek v] LT";case 6:return"[v sobotu v] LT"}},lastDay:"[včera v] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulou neděli v] LT";case 1:case 2:return"[minulé] dddd [v] LT";case 3:return"[minulou středu v] LT";case 4:case 5:return"[minulý] dddd [v] LT";case 6:return"[minulou sobotu v] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"před %s",s:o,ss:o,m:o,mm:o,h:o,hh:o,d:o,dd:o,M:o,MM:o,y:o,yy:o},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return s}))},7965:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("cv",{months:"кӑрлач_нарӑс_пуш_ака_май_ҫӗртме_утӑ_ҫурла_авӑн_юпа_чӳк_раштав".split("_"),monthsShort:"кӑр_нар_пуш_ака_май_ҫӗр_утӑ_ҫур_авн_юпа_чӳк_раш".split("_"),weekdays:"вырсарникун_тунтикун_ытларикун_юнкун_кӗҫнерникун_эрнекун_шӑматкун".split("_"),weekdaysShort:"выр_тун_ытл_юн_кӗҫ_эрн_шӑм".split("_"),weekdaysMin:"вр_тн_ыт_юн_кҫ_эр_шм".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ]",LLL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm",LLLL:"dddd, YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm"},calendar:{sameDay:"[Паян] LT [сехетре]",nextDay:"[Ыран] LT [сехетре]",lastDay:"[Ӗнер] LT [сехетре]",nextWeek:"[Ҫитес] dddd LT [сехетре]",lastWeek:"[Иртнӗ] dddd LT [сехетре]",sameElse:"L"},relativeTime:{future:function(e){var t=/сехет$/i.exec(e)?"рен":/ҫул$/i.exec(e)?"тан":"ран";return e+t},past:"%s каялла",s:"пӗр-ик ҫеккунт",ss:"%d ҫеккунт",m:"пӗр минут",mm:"%d минут",h:"пӗр сехет",hh:"%d сехет",d:"пӗр кун",dd:"%d кун",M:"пӗр уйӑх",MM:"%d уйӑх",y:"пӗр ҫул",yy:"%d ҫул"},dayOfMonthOrdinalParse:/\d{1,2}-мӗш/,ordinal:"%d-мӗш",week:{dow:1,doy:7}});return t}))},5858:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("cy",{months:"Ionawr_Chwefror_Mawrth_Ebrill_Mai_Mehefin_Gorffennaf_Awst_Medi_Hydref_Tachwedd_Rhagfyr".split("_"),monthsShort:"Ion_Chwe_Maw_Ebr_Mai_Meh_Gor_Aws_Med_Hyd_Tach_Rhag".split("_"),weekdays:"Dydd Sul_Dydd Llun_Dydd Mawrth_Dydd Mercher_Dydd Iau_Dydd Gwener_Dydd Sadwrn".split("_"),weekdaysShort:"Sul_Llun_Maw_Mer_Iau_Gwe_Sad".split("_"),weekdaysMin:"Su_Ll_Ma_Me_Ia_Gw_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Heddiw am] LT",nextDay:"[Yfory am] LT",nextWeek:"dddd [am] LT",lastDay:"[Ddoe am] LT",lastWeek:"dddd [diwethaf am] LT",sameElse:"L"},relativeTime:{future:"mewn %s",past:"%s yn ôl",s:"ychydig eiliadau",ss:"%d eiliad",m:"munud",mm:"%d munud",h:"awr",hh:"%d awr",d:"diwrnod",dd:"%d diwrnod",M:"mis",MM:"%d mis",y:"blwyddyn",yy:"%d flynedd"},dayOfMonthOrdinalParse:/\d{1,2}(fed|ain|af|il|ydd|ed|eg)/,ordinal:function(e){var t=e,n="",r=["","af","il","ydd","ydd","ed","ed","ed","fed","fed","fed","eg","fed","eg","eg","fed","eg","eg","fed","eg","fed"];return t>20?n=40===t||50===t||60===t||80===t||100===t?"fed":"ain":t>0&&(n=r[t]),e+n},week:{dow:1,doy:4}});return t}))},3515:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("da",{months:"januar_februar_marts_april_maj_juni_juli_august_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"søn_man_tir_ons_tor_fre_lør".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd [d.] D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"på dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[i] dddd[s kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"få sekunder",ss:"%d sekunder",m:"et minut",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dage",M:"en måned",MM:"%d måneder",y:"et år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},6263:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?a[n][0]:a[n][1]}var n=e.defineLocale("de-at",{months:"Jänner_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jän._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return n}))},1127:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?a[n][0]:a[n][1]}var n=e.defineLocale("de-ch",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return n}))},2831:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?a[n][0]:a[n][1]}var n=e.defineLocale("de",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return n}))},4510:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=["ޖެނުއަރީ","ފެބްރުއަރީ","މާރިޗު","އޭޕްރީލު","މޭ","ޖޫން","ޖުލައި","އޯގަސްޓު","ސެޕްޓެމްބަރު","އޮކްޓޯބަރު","ނޮވެމްބަރު","ޑިސެމްބަރު"],n=["އާދިއްތަ","ހޯމަ","އަންގާރަ","ބުދަ","ބުރާސްފަތި","ހުކުރު","ހޮނިހިރު"],r=e.defineLocale("dv",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:"އާދި_ހޯމަ_އަން_ބުދަ_ބުރާ_ހުކު_ހޮނި".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/M/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/މކ|މފ/,isPM:function(e){return"މފ"===e},meridiem:function(e,t,n){return e<12?"މކ":"މފ"},calendar:{sameDay:"[މިއަދު] LT",nextDay:"[މާދަމާ] LT",nextWeek:"dddd LT",lastDay:"[އިއްޔެ] LT",lastWeek:"[ފާއިތުވި] dddd LT",sameElse:"L"},relativeTime:{future:"ތެރޭގައި %s",past:"ކުރިން %s",s:"ސިކުންތުކޮޅެއް",ss:"d% ސިކުންތު",m:"މިނިޓެއް",mm:"މިނިޓު %d",h:"ގަޑިއިރެއް",hh:"ގަޑިއިރު %d",d:"ދުވަހެއް",dd:"ދުވަސް %d",M:"މަހެއް",MM:"މަސް %d",y:"އަހަރެއް",yy:"އަހަރު %d"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:7,doy:12}});return r}))},8616:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e){return"undefined"!==typeof Function&&e instanceof Function||"[object Function]"===Object.prototype.toString.call(e)}var n=e.defineLocale("el",{monthsNominativeEl:"Ιανουάριος_Φεβρουάριος_Μάρτιος_Απρίλιος_Μάιος_Ιούνιος_Ιούλιος_Αύγουστος_Σεπτέμβριος_Οκτώβριος_Νοέμβριος_Δεκέμβριος".split("_"),monthsGenitiveEl:"Ιανουαρίου_Φεβρουαρίου_Μαρτίου_Απριλίου_Μαΐου_Ιουνίου_Ιουλίου_Αυγούστου_Σεπτεμβρίου_Οκτωβρίου_Νοεμβρίου_Δεκεμβρίου".split("_"),months:function(e,t){return e?"string"===typeof t&&/D/.test(t.substring(0,t.indexOf("MMMM")))?this._monthsGenitiveEl[e.month()]:this._monthsNominativeEl[e.month()]:this._monthsNominativeEl},monthsShort:"Ιαν_Φεβ_Μαρ_Απρ_Μαϊ_Ιουν_Ιουλ_Αυγ_Σεπ_Οκτ_Νοε_Δεκ".split("_"),weekdays:"Κυριακή_Δευτέρα_Τρίτη_Τετάρτη_Πέμπτη_Παρασκευή_Σάββατο".split("_"),weekdaysShort:"Κυρ_Δευ_Τρι_Τετ_Πεμ_Παρ_Σαβ".split("_"),weekdaysMin:"Κυ_Δε_Τρ_Τε_Πε_Πα_Σα".split("_"),meridiem:function(e,t,n){return e>11?n?"μμ":"ΜΜ":n?"πμ":"ΠΜ"},isPM:function(e){return"μ"===(e+"").toLowerCase()[0]},meridiemParse:/[ΠΜ]\.?Μ?\.?/i,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendarEl:{sameDay:"[Σήμερα {}] LT",nextDay:"[Αύριο {}] LT",nextWeek:"dddd [{}] LT",lastDay:"[Χθες {}] LT",lastWeek:function(){switch(this.day()){case 6:return"[το προηγούμενο] dddd [{}] LT";default:return"[την προηγούμενη] dddd [{}] LT"}},sameElse:"L"},calendar:function(e,n){var r=this._calendarEl[e],a=n&&n.hours();return t(r)&&(r=r.apply(n)),r.replace("{}",a%12===1?"στη":"στις")},relativeTime:{future:"σε %s",past:"%s πριν",s:"λίγα δευτερόλεπτα",ss:"%d δευτερόλεπτα",m:"ένα λεπτό",mm:"%d λεπτά",h:"μία ώρα",hh:"%d ώρες",d:"μία μέρα",dd:"%d μέρες",M:"ένας μήνας",MM:"%d μήνες",y:"ένας χρόνος",yy:"%d χρόνια"},dayOfMonthOrdinalParse:/\d{1,2}η/,ordinal:"%dη",week:{dow:1,doy:4}});return n}))},4595:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-au",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:0,doy:4}});return t}))},3545:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-ca",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"YYYY-MM-DD",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n}});return t}))},9609:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-gb",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},3727:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-ie",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},3302:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-il",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n}});return t}))},6305:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-in",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:0,doy:6}});return t}))},9128:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-nz",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},4569:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("en-sg",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},650:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("eo",{months:"januaro_februaro_marto_aprilo_majo_junio_julio_aŭgusto_septembro_oktobro_novembro_decembro".split("_"),monthsShort:"jan_feb_mart_apr_maj_jun_jul_aŭg_sept_okt_nov_dec".split("_"),weekdays:"dimanĉo_lundo_mardo_merkredo_ĵaŭdo_vendredo_sabato".split("_"),weekdaysShort:"dim_lun_mard_merk_ĵaŭ_ven_sab".split("_"),weekdaysMin:"di_lu_ma_me_ĵa_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"[la] D[-an de] MMMM, YYYY",LLL:"[la] D[-an de] MMMM, YYYY HH:mm",LLLL:"dddd[n], [la] D[-an de] MMMM, YYYY HH:mm",llll:"ddd, [la] D[-an de] MMM, YYYY HH:mm"},meridiemParse:/[ap]\.t\.m/i,isPM:function(e){return"p"===e.charAt(0).toLowerCase()},meridiem:function(e,t,n){return e>11?n?"p.t.m.":"P.T.M.":n?"a.t.m.":"A.T.M."},calendar:{sameDay:"[Hodiaŭ je] LT",nextDay:"[Morgaŭ je] LT",nextWeek:"dddd[n je] LT",lastDay:"[Hieraŭ je] LT",lastWeek:"[pasintan] dddd[n je] LT",sameElse:"L"},relativeTime:{future:"post %s",past:"antaŭ %s",s:"kelkaj sekundoj",ss:"%d sekundoj",m:"unu minuto",mm:"%d minutoj",h:"unu horo",hh:"%d horoj",d:"unu tago",dd:"%d tagoj",M:"unu monato",MM:"%d monatoj",y:"unu jaro",yy:"%d jaroj"},dayOfMonthOrdinalParse:/\d{1,2}a/,ordinal:"%da",week:{dow:1,doy:7}});return t}))},4214:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],a=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,i=e.defineLocale("es-do",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return i}))},8639:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],a=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,i=e.defineLocale("es-mx",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:4},invalidDate:"Fecha inválida"});return i}))},232:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],a=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,i=e.defineLocale("es-us",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"MM/DD/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:6}});return i}))},6358:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],a=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,i=e.defineLocale("es",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4},invalidDate:"Fecha inválida"});return i}))},7279:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={s:["mõne sekundi","mõni sekund","paar sekundit"],ss:[e+"sekundi",e+"sekundit"],m:["ühe minuti","üks minut"],mm:[e+" minuti",e+" minutit"],h:["ühe tunni","tund aega","üks tund"],hh:[e+" tunni",e+" tundi"],d:["ühe päeva","üks päev"],M:["kuu aja","kuu aega","üks kuu"],MM:[e+" kuu",e+" kuud"],y:["ühe aasta","aasta","üks aasta"],yy:[e+" aasta",e+" aastat"]};return t?a[n][2]?a[n][2]:a[n][1]:r?a[n][0]:a[n][1]}var n=e.defineLocale("et",{months:"jaanuar_veebruar_märts_aprill_mai_juuni_juuli_august_september_oktoober_november_detsember".split("_"),monthsShort:"jaan_veebr_märts_apr_mai_juuni_juuli_aug_sept_okt_nov_dets".split("_"),weekdays:"pühapäev_esmaspäev_teisipäev_kolmapäev_neljapäev_reede_laupäev".split("_"),weekdaysShort:"P_E_T_K_N_R_L".split("_"),weekdaysMin:"P_E_T_K_N_R_L".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[Täna,] LT",nextDay:"[Homme,] LT",nextWeek:"[Järgmine] dddd LT",lastDay:"[Eile,] LT",lastWeek:"[Eelmine] dddd LT",sameElse:"L"},relativeTime:{future:"%s pärast",past:"%s tagasi",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:"%d päeva",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return n}))},5515:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("eu",{months:"urtarrila_otsaila_martxoa_apirila_maiatza_ekaina_uztaila_abuztua_iraila_urria_azaroa_abendua".split("_"),monthsShort:"urt._ots._mar._api._mai._eka._uzt._abu._ira._urr._aza._abe.".split("_"),monthsParseExact:!0,weekdays:"igandea_astelehena_asteartea_asteazkena_osteguna_ostirala_larunbata".split("_"),weekdaysShort:"ig._al._ar._az._og._ol._lr.".split("_"),weekdaysMin:"ig_al_ar_az_og_ol_lr".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY[ko] MMMM[ren] D[a]",LLL:"YYYY[ko] MMMM[ren] D[a] HH:mm",LLLL:"dddd, YYYY[ko] MMMM[ren] D[a] HH:mm",l:"YYYY-M-D",ll:"YYYY[ko] MMM D[a]",lll:"YYYY[ko] MMM D[a] HH:mm",llll:"ddd, YYYY[ko] MMM D[a] HH:mm"},calendar:{sameDay:"[gaur] LT[etan]",nextDay:"[bihar] LT[etan]",nextWeek:"dddd LT[etan]",lastDay:"[atzo] LT[etan]",lastWeek:"[aurreko] dddd LT[etan]",sameElse:"L"},relativeTime:{future:"%s barru",past:"duela %s",s:"segundo batzuk",ss:"%d segundo",m:"minutu bat",mm:"%d minutu",h:"ordu bat",hh:"%d ordu",d:"egun bat",dd:"%d egun",M:"hilabete bat",MM:"%d hilabete",y:"urte bat",yy:"%d urte"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return t}))},7981:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"۱",2:"۲",3:"۳",4:"۴",5:"۵",6:"۶",7:"۷",8:"۸",9:"۹",0:"۰"},n={"۱":"1","۲":"2","۳":"3","۴":"4","۵":"5","۶":"6","۷":"7","۸":"8","۹":"9","۰":"0"},r=e.defineLocale("fa",{months:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),monthsShort:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),weekdays:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysShort:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysMin:"ی_د_س_چ_پ_ج_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/قبل از ظهر|بعد از ظهر/,isPM:function(e){return/بعد از ظهر/.test(e)},meridiem:function(e,t,n){return e<12?"قبل از ظهر":"بعد از ظهر"},calendar:{sameDay:"[امروز ساعت] LT",nextDay:"[فردا ساعت] LT",nextWeek:"dddd [ساعت] LT",lastDay:"[دیروز ساعت] LT",lastWeek:"dddd [پیش] [ساعت] LT",sameElse:"L"},relativeTime:{future:"در %s",past:"%s پیش",s:"چند ثانیه",ss:"%d ثانیه",m:"یک دقیقه",mm:"%d دقیقه",h:"یک ساعت",hh:"%d ساعت",d:"یک روز",dd:"%d روز",M:"یک ماه",MM:"%d ماه",y:"یک سال",yy:"%d سال"},preparse:function(e){return e.replace(/[۰-۹]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},dayOfMonthOrdinalParse:/\d{1,2}م/,ordinal:"%dم",week:{dow:6,doy:12}});return r}))},7090:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="nolla yksi kaksi kolme neljä viisi kuusi seitsemän kahdeksan yhdeksän".split(" "),n=["nolla","yhden","kahden","kolmen","neljän","viiden","kuuden",t[7],t[8],t[9]];function r(e,t,n,r){var i="";switch(n){case"s":return r?"muutaman sekunnin":"muutama sekunti";case"ss":i=r?"sekunnin":"sekuntia";break;case"m":return r?"minuutin":"minuutti";case"mm":i=r?"minuutin":"minuuttia";break;case"h":return r?"tunnin":"tunti";case"hh":i=r?"tunnin":"tuntia";break;case"d":return r?"päivän":"päivä";case"dd":i=r?"päivän":"päivää";break;case"M":return r?"kuukauden":"kuukausi";case"MM":i=r?"kuukauden":"kuukautta";break;case"y":return r?"vuoden":"vuosi";case"yy":i=r?"vuoden":"vuotta";break}return i=a(e,r)+" "+i,i}function a(e,r){return e<10?r?n[e]:t[e]:e}var i=e.defineLocale("fi",{months:"tammikuu_helmikuu_maaliskuu_huhtikuu_toukokuu_kesäkuu_heinäkuu_elokuu_syyskuu_lokakuu_marraskuu_joulukuu".split("_"),monthsShort:"tammi_helmi_maalis_huhti_touko_kesä_heinä_elo_syys_loka_marras_joulu".split("_"),weekdays:"sunnuntai_maanantai_tiistai_keskiviikko_torstai_perjantai_lauantai".split("_"),weekdaysShort:"su_ma_ti_ke_to_pe_la".split("_"),weekdaysMin:"su_ma_ti_ke_to_pe_la".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"Do MMMM[ta] YYYY",LLL:"Do MMMM[ta] YYYY, [klo] HH.mm",LLLL:"dddd, Do MMMM[ta] YYYY, [klo] HH.mm",l:"D.M.YYYY",ll:"Do MMM YYYY",lll:"Do MMM YYYY, [klo] HH.mm",llll:"ddd, Do MMM YYYY, [klo] HH.mm"},calendar:{sameDay:"[tänään] [klo] LT",nextDay:"[huomenna] [klo] LT",nextWeek:"dddd [klo] LT",lastDay:"[eilen] [klo] LT",lastWeek:"[viime] dddd[na] [klo] LT",sameElse:"L"},relativeTime:{future:"%s päästä",past:"%s sitten",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return i}))},9208:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("fil",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}});return t}))},2799:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("fo",{months:"januar_februar_mars_apríl_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan_feb_mar_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_"),weekdays:"sunnudagur_mánadagur_týsdagur_mikudagur_hósdagur_fríggjadagur_leygardagur".split("_"),weekdaysShort:"sun_mán_týs_mik_hós_frí_ley".split("_"),weekdaysMin:"su_má_tý_mi_hó_fr_le".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D. MMMM, YYYY HH:mm"},calendar:{sameDay:"[Í dag kl.] LT",nextDay:"[Í morgin kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[Í gjár kl.] LT",lastWeek:"[síðstu] dddd [kl] LT",sameElse:"L"},relativeTime:{future:"um %s",past:"%s síðani",s:"fá sekund",ss:"%d sekundir",m:"ein minuttur",mm:"%d minuttir",h:"ein tími",hh:"%d tímar",d:"ein dagur",dd:"%d dagar",M:"ein mánaður",MM:"%d mánaðir",y:"eitt ár",yy:"%d ár"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},2213:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("fr-ca",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}}});return t}))},2848:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("fr-ch",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}});return t}))},3463:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=/^(janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,n=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?)/i,r=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?|janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,a=[/^janv/i,/^févr/i,/^mars/i,/^avr/i,/^mai/i,/^juin/i,/^juil/i,/^août/i,/^sept/i,/^oct/i,/^nov/i,/^déc/i],i=e.defineLocale("fr",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsRegex:r,monthsShortRegex:r,monthsStrictRegex:t,monthsShortStrictRegex:n,monthsParse:a,longMonthsParse:a,shortMonthsParse:a,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",w:"une semaine",ww:"%d semaines",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|)/,ordinal:function(e,t){switch(t){case"D":return e+(1===e?"er":"");default:case"M":case"Q":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}});return i}))},1468:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="jan._feb._mrt._apr._mai_jun._jul._aug._sep._okt._nov._des.".split("_"),n="jan_feb_mrt_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_"),r=e.defineLocale("fy",{months:"jannewaris_febrewaris_maart_april_maaie_juny_july_augustus_septimber_oktober_novimber_desimber".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsParseExact:!0,weekdays:"snein_moandei_tiisdei_woansdei_tongersdei_freed_sneon".split("_"),weekdaysShort:"si._mo._ti._wo._to._fr._so.".split("_"),weekdaysMin:"Si_Mo_Ti_Wo_To_Fr_So".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[hjoed om] LT",nextDay:"[moarn om] LT",nextWeek:"dddd [om] LT",lastDay:"[juster om] LT",lastWeek:"[ôfrûne] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oer %s",past:"%s lyn",s:"in pear sekonden",ss:"%d sekonden",m:"ien minút",mm:"%d minuten",h:"ien oere",hh:"%d oeren",d:"ien dei",dd:"%d dagen",M:"ien moanne",MM:"%d moannen",y:"ien jier",yy:"%d jierren"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}});return r}))},8163:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=["Eanáir","Feabhra","Márta","Aibreán","Bealtaine","Meitheamh","Iúil","Lúnasa","Meán Fómhair","Deireadh Fómhair","Samhain","Nollaig"],n=["Ean","Feabh","Márt","Aib","Beal","Meith","Iúil","Lún","M.F.","D.F.","Samh","Noll"],r=["Dé Domhnaigh","Dé Luain","Dé Máirt","Dé Céadaoin","Déardaoin","Dé hAoine","Dé Sathairn"],a=["Domh","Luan","Máirt","Céad","Déar","Aoine","Sath"],i=["Do","Lu","Má","Cé","Dé","A","Sa"],o=e.defineLocale("ga",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:a,weekdaysMin:i,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Inniu ag] LT",nextDay:"[Amárach ag] LT",nextWeek:"dddd [ag] LT",lastDay:"[Inné ag] LT",lastWeek:"dddd [seo caite] [ag] LT",sameElse:"L"},relativeTime:{future:"i %s",past:"%s ó shin",s:"cúpla soicind",ss:"%d soicind",m:"nóiméad",mm:"%d nóiméad",h:"uair an chloig",hh:"%d uair an chloig",d:"lá",dd:"%d lá",M:"mí",MM:"%d míonna",y:"bliain",yy:"%d bliain"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){var t=1===e?"d":e%10===2?"na":"mh";return e+t},week:{dow:1,doy:4}});return o}))},2898:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=["Am Faoilleach","An Gearran","Am Màrt","An Giblean","An Cèitean","An t-Ògmhios","An t-Iuchar","An Lùnastal","An t-Sultain","An Dàmhair","An t-Samhain","An Dùbhlachd"],n=["Faoi","Gear","Màrt","Gibl","Cèit","Ògmh","Iuch","Lùn","Sult","Dàmh","Samh","Dùbh"],r=["Didòmhnaich","Diluain","Dimàirt","Diciadain","Diardaoin","Dihaoine","Disathairne"],a=["Did","Dil","Dim","Dic","Dia","Dih","Dis"],i=["Dò","Lu","Mà","Ci","Ar","Ha","Sa"],o=e.defineLocale("gd",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:a,weekdaysMin:i,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[An-diugh aig] LT",nextDay:"[A-màireach aig] LT",nextWeek:"dddd [aig] LT",lastDay:"[An-dè aig] LT",lastWeek:"dddd [seo chaidh] [aig] LT",sameElse:"L"},relativeTime:{future:"ann an %s",past:"bho chionn %s",s:"beagan diogan",ss:"%d diogan",m:"mionaid",mm:"%d mionaidean",h:"uair",hh:"%d uairean",d:"latha",dd:"%d latha",M:"mìos",MM:"%d mìosan",y:"bliadhna",yy:"%d bliadhna"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){var t=1===e?"d":e%10===2?"na":"mh";return e+t},week:{dow:1,doy:4}});return o}))},6312:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("gl",{months:"xaneiro_febreiro_marzo_abril_maio_xuño_xullo_agosto_setembro_outubro_novembro_decembro".split("_"),monthsShort:"xan._feb._mar._abr._mai._xuñ._xul._ago._set._out._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"domingo_luns_martes_mércores_xoves_venres_sábado".split("_"),weekdaysShort:"dom._lun._mar._mér._xov._ven._sáb.".split("_"),weekdaysMin:"do_lu_ma_mé_xo_ve_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoxe "+(1!==this.hours()?"ás":"á")+"] LT"},nextDay:function(){return"[mañá "+(1!==this.hours()?"ás":"á")+"] LT"},nextWeek:function(){return"dddd ["+(1!==this.hours()?"ás":"a")+"] LT"},lastDay:function(){return"[onte "+(1!==this.hours()?"á":"a")+"] LT"},lastWeek:function(){return"[o] dddd [pasado "+(1!==this.hours()?"ás":"a")+"] LT"},sameElse:"L"},relativeTime:{future:function(e){return 0===e.indexOf("un")?"n"+e:"en "+e},past:"hai %s",s:"uns segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"unha hora",hh:"%d horas",d:"un día",dd:"%d días",M:"un mes",MM:"%d meses",y:"un ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},682:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={s:["थोडया सॅकंडांनी","थोडे सॅकंड"],ss:[e+" सॅकंडांनी",e+" सॅकंड"],m:["एका मिणटान","एक मिनूट"],mm:[e+" मिणटांनी",e+" मिणटां"],h:["एका वरान","एक वर"],hh:[e+" वरांनी",e+" वरां"],d:["एका दिसान","एक दीस"],dd:[e+" दिसांनी",e+" दीस"],M:["एका म्हयन्यान","एक म्हयनो"],MM:[e+" म्हयन्यानी",e+" म्हयने"],y:["एका वर्सान","एक वर्स"],yy:[e+" वर्सांनी",e+" वर्सां"]};return r?a[n][0]:a[n][1]}var n=e.defineLocale("gom-deva",{months:{standalone:"जानेवारी_फेब्रुवारी_मार्च_एप्रील_मे_जून_जुलय_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),format:"जानेवारीच्या_फेब्रुवारीच्या_मार्चाच्या_एप्रीलाच्या_मेयाच्या_जूनाच्या_जुलयाच्या_ऑगस्टाच्या_सप्टेंबराच्या_ऑक्टोबराच्या_नोव्हेंबराच्या_डिसेंबराच्या".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"जाने._फेब्रु._मार्च_एप्री._मे_जून_जुल._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"आयतार_सोमार_मंगळार_बुधवार_बिरेस्तार_सुक्रार_शेनवार".split("_"),weekdaysShort:"आयत._सोम._मंगळ._बुध._ब्रेस्त._सुक्र._शेन.".split("_"),weekdaysMin:"आ_सो_मं_बु_ब्रे_सु_शे".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [वाजतां]",LTS:"A h:mm:ss [वाजतां]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [वाजतां]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [वाजतां]",llll:"ddd, D MMM YYYY, A h:mm [वाजतां]"},calendar:{sameDay:"[आयज] LT",nextDay:"[फाल्यां] LT",nextWeek:"[फुडलो] dddd[,] LT",lastDay:"[काल] LT",lastWeek:"[फाटलो] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s आदीं",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(वेर)/,ordinal:function(e,t){switch(t){case"D":return e+"वेर";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/राती|सकाळीं|दनपारां|सांजे/,meridiemHour:function(e,t){return 12===e&&(e=0),"राती"===t?e<4?e:e+12:"सकाळीं"===t?e:"दनपारां"===t?e>12?e:e+12:"सांजे"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"राती":e<12?"सकाळीं":e<16?"दनपारां":e<20?"सांजे":"राती"}});return n}))},9178:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={s:["thoddea sekondamni","thodde sekond"],ss:[e+" sekondamni",e+" sekond"],m:["eka mintan","ek minut"],mm:[e+" mintamni",e+" mintam"],h:["eka voran","ek vor"],hh:[e+" voramni",e+" voram"],d:["eka disan","ek dis"],dd:[e+" disamni",e+" dis"],M:["eka mhoinean","ek mhoino"],MM:[e+" mhoineamni",e+" mhoine"],y:["eka vorsan","ek voros"],yy:[e+" vorsamni",e+" vorsam"]};return r?a[n][0]:a[n][1]}var n=e.defineLocale("gom-latn",{months:{standalone:"Janer_Febrer_Mars_Abril_Mai_Jun_Julai_Agost_Setembr_Otubr_Novembr_Dezembr".split("_"),format:"Janerachea_Febrerachea_Marsachea_Abrilachea_Maiachea_Junachea_Julaiachea_Agostachea_Setembrachea_Otubrachea_Novembrachea_Dezembrachea".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"Jan._Feb._Mars_Abr._Mai_Jun_Jul._Ago._Set._Otu._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Aitar_Somar_Mongllar_Budhvar_Birestar_Sukrar_Son'var".split("_"),weekdaysShort:"Ait._Som._Mon._Bud._Bre._Suk._Son.".split("_"),weekdaysMin:"Ai_Sm_Mo_Bu_Br_Su_Sn".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [vazta]",LTS:"A h:mm:ss [vazta]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [vazta]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [vazta]",llll:"ddd, D MMM YYYY, A h:mm [vazta]"},calendar:{sameDay:"[Aiz] LT",nextDay:"[Faleam] LT",nextWeek:"[Fuddlo] dddd[,] LT",lastDay:"[Kal] LT",lastWeek:"[Fattlo] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s adim",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(er)/,ordinal:function(e,t){switch(t){case"D":return e+"er";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/rati|sokallim|donparam|sanje/,meridiemHour:function(e,t){return 12===e&&(e=0),"rati"===t?e<4?e:e+12:"sokallim"===t?e:"donparam"===t?e>12?e:e+12:"sanje"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"rati":e<12?"sokallim":e<16?"donparam":e<20?"sanje":"rati"}});return n}))},5009:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"૧",2:"૨",3:"૩",4:"૪",5:"૫",6:"૬",7:"૭",8:"૮",9:"૯",0:"૦"},n={"૧":"1","૨":"2","૩":"3","૪":"4","૫":"5","૬":"6","૭":"7","૮":"8","૯":"9","૦":"0"},r=e.defineLocale("gu",{months:"જાન્યુઆરી_ફેબ્રુઆરી_માર્ચ_એપ્રિલ_મે_જૂન_જુલાઈ_ઑગસ્ટ_સપ્ટેમ્બર_ઑક્ટ્બર_નવેમ્બર_ડિસેમ્બર".split("_"),monthsShort:"જાન્યુ._ફેબ્રુ._માર્ચ_એપ્રિ._મે_જૂન_જુલા._ઑગ._સપ્ટે._ઑક્ટ્._નવે._ડિસે.".split("_"),monthsParseExact:!0,weekdays:"રવિવાર_સોમવાર_મંગળવાર_બુધ્વાર_ગુરુવાર_શુક્રવાર_શનિવાર".split("_"),weekdaysShort:"રવિ_સોમ_મંગળ_બુધ્_ગુરુ_શુક્ર_શનિ".split("_"),weekdaysMin:"ર_સો_મં_બુ_ગુ_શુ_શ".split("_"),longDateFormat:{LT:"A h:mm વાગ્યે",LTS:"A h:mm:ss વાગ્યે",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm વાગ્યે",LLLL:"dddd, D MMMM YYYY, A h:mm વાગ્યે"},calendar:{sameDay:"[આજ] LT",nextDay:"[કાલે] LT",nextWeek:"dddd, LT",lastDay:"[ગઇકાલે] LT",lastWeek:"[પાછલા] dddd, LT",sameElse:"L"},relativeTime:{future:"%s મા",past:"%s પહેલા",s:"અમુક પળો",ss:"%d સેકંડ",m:"એક મિનિટ",mm:"%d મિનિટ",h:"એક કલાક",hh:"%d કલાક",d:"એક દિવસ",dd:"%d દિવસ",M:"એક મહિનો",MM:"%d મહિનો",y:"એક વર્ષ",yy:"%d વર્ષ"},preparse:function(e){return e.replace(/[૧૨૩૪૫૬૭૮૯૦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/રાત|બપોર|સવાર|સાંજ/,meridiemHour:function(e,t){return 12===e&&(e=0),"રાત"===t?e<4?e:e+12:"સવાર"===t?e:"બપોર"===t?e>=10?e:e+12:"સાંજ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"રાત":e<10?"સવાર":e<17?"બપોર":e<20?"સાંજ":"રાત"},week:{dow:0,doy:6}});return r}))},2795:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("he",{months:"ינואר_פברואר_מרץ_אפריל_מאי_יוני_יולי_אוגוסט_ספטמבר_אוקטובר_נובמבר_דצמבר".split("_"),monthsShort:"ינו׳_פבר׳_מרץ_אפר׳_מאי_יוני_יולי_אוג׳_ספט׳_אוק׳_נוב׳_דצמ׳".split("_"),weekdays:"ראשון_שני_שלישי_רביעי_חמישי_שישי_שבת".split("_"),weekdaysShort:"א׳_ב׳_ג׳_ד׳_ה׳_ו׳_ש׳".split("_"),weekdaysMin:"א_ב_ג_ד_ה_ו_ש".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [ב]MMMM YYYY",LLL:"D [ב]MMMM YYYY HH:mm",LLLL:"dddd, D [ב]MMMM YYYY HH:mm",l:"D/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[היום ב־]LT",nextDay:"[מחר ב־]LT",nextWeek:"dddd [בשעה] LT",lastDay:"[אתמול ב־]LT",lastWeek:"[ביום] dddd [האחרון בשעה] LT",sameElse:"L"},relativeTime:{future:"בעוד %s",past:"לפני %s",s:"מספר שניות",ss:"%d שניות",m:"דקה",mm:"%d דקות",h:"שעה",hh:function(e){return 2===e?"שעתיים":e+" שעות"},d:"יום",dd:function(e){return 2===e?"יומיים":e+" ימים"},M:"חודש",MM:function(e){return 2===e?"חודשיים":e+" חודשים"},y:"שנה",yy:function(e){return 2===e?"שנתיים":e%10===0&&10!==e?e+" שנה":e+" שנים"}},meridiemParse:/אחה"צ|לפנה"צ|אחרי הצהריים|לפני הצהריים|לפנות בוקר|בבוקר|בערב/i,isPM:function(e){return/^(אחה"צ|אחרי הצהריים|בערב)$/.test(e)},meridiem:function(e,t,n){return e<5?"לפנות בוקר":e<10?"בבוקר":e<12?n?'לפנה"צ':"לפני הצהריים":e<18?n?'אחה"צ':"אחרי הצהריים":"בערב"}});return t}))},7009:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"},r=[/^जन/i,/^फ़र|फर/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सितं|सित/i,/^अक्टू/i,/^नव|नवं/i,/^दिसं|दिस/i],a=[/^जन/i,/^फ़र/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सित/i,/^अक्टू/i,/^नव/i,/^दिस/i],i=e.defineLocale("hi",{months:{format:"जनवरी_फ़रवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितम्बर_अक्टूबर_नवम्बर_दिसम्बर".split("_"),standalone:"जनवरी_फरवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितंबर_अक्टूबर_नवंबर_दिसंबर".split("_")},monthsShort:"जन._फ़र._मार्च_अप्रै._मई_जून_जुल._अग._सित._अक्टू._नव._दिस.".split("_"),weekdays:"रविवार_सोमवार_मंगलवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगल_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm बजे",LTS:"A h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm बजे",LLLL:"dddd, D MMMM YYYY, A h:mm बजे"},monthsParse:r,longMonthsParse:r,shortMonthsParse:a,monthsRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsShortRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsStrictRegex:/^(जनवरी?|फ़रवरी|फरवरी?|मार्च?|अप्रैल?|मई?|जून?|जुलाई?|अगस्त?|सितम्बर|सितंबर|सित?\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर?|दिसम्बर|दिसंबर?)/i,monthsShortStrictRegex:/^(जन\.?|फ़र\.?|मार्च?|अप्रै\.?|मई?|जून?|जुल\.?|अग\.?|सित\.?|अक्टू\.?|नव\.?|दिस\.?)/i,calendar:{sameDay:"[आज] LT",nextDay:"[कल] LT",nextWeek:"dddd, LT",lastDay:"[कल] LT",lastWeek:"[पिछले] dddd, LT",sameElse:"L"},relativeTime:{future:"%s में",past:"%s पहले",s:"कुछ ही क्षण",ss:"%d सेकंड",m:"एक मिनट",mm:"%d मिनट",h:"एक घंटा",hh:"%d घंटे",d:"एक दिन",dd:"%d दिन",M:"एक महीने",MM:"%d महीने",y:"एक वर्ष",yy:"%d वर्ष"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/रात|सुबह|दोपहर|शाम/,meridiemHour:function(e,t){return 12===e&&(e=0),"रात"===t?e<4?e:e+12:"सुबह"===t?e:"दोपहर"===t?e>=10?e:e+12:"शाम"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"रात":e<10?"सुबह":e<17?"दोपहर":e<20?"शाम":"रात"},week:{dow:0,doy:6}});return i}))},6506:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi",r;case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta",r;case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati",r;case"dd":return r+=1===e?"dan":"dana",r;case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci",r;case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina",r}}var n=e.defineLocale("hr",{months:{format:"siječnja_veljače_ožujka_travnja_svibnja_lipnja_srpnja_kolovoza_rujna_listopada_studenoga_prosinca".split("_"),standalone:"siječanj_veljača_ožujak_travanj_svibanj_lipanj_srpanj_kolovoz_rujan_listopad_studeni_prosinac".split("_")},monthsShort:"sij._velj._ožu._tra._svi._lip._srp._kol._ruj._lis._stu._pro.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"Do MMMM YYYY",LLL:"Do MMMM YYYY H:mm",LLLL:"dddd, Do MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:return"[prošlu] [nedjelju] [u] LT";case 3:return"[prošlu] [srijedu] [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},9565:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="vasárnap hétfőn kedden szerdán csütörtökön pénteken szombaton".split(" ");function n(e,t,n,r){var a=e;switch(n){case"s":return r||t?"néhány másodperc":"néhány másodperce";case"ss":return a+(r||t)?" másodperc":" másodperce";case"m":return"egy"+(r||t?" perc":" perce");case"mm":return a+(r||t?" perc":" perce");case"h":return"egy"+(r||t?" óra":" órája");case"hh":return a+(r||t?" óra":" órája");case"d":return"egy"+(r||t?" nap":" napja");case"dd":return a+(r||t?" nap":" napja");case"M":return"egy"+(r||t?" hónap":" hónapja");case"MM":return a+(r||t?" hónap":" hónapja");case"y":return"egy"+(r||t?" év":" éve");case"yy":return a+(r||t?" év":" éve")}return""}function r(e){return(e?"":"[múlt] ")+"["+t[this.day()]+"] LT[-kor]"}var a=e.defineLocale("hu",{months:"január_február_március_április_május_június_július_augusztus_szeptember_október_november_december".split("_"),monthsShort:"jan._feb._márc._ápr._máj._jún._júl._aug._szept._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"vasárnap_hétfő_kedd_szerda_csütörtök_péntek_szombat".split("_"),weekdaysShort:"vas_hét_kedd_sze_csüt_pén_szo".split("_"),weekdaysMin:"v_h_k_sze_cs_p_szo".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY. MMMM D.",LLL:"YYYY. MMMM D. H:mm",LLLL:"YYYY. MMMM D., dddd H:mm"},meridiemParse:/de|du/i,isPM:function(e){return"u"===e.charAt(1).toLowerCase()},meridiem:function(e,t,n){return e<12?!0===n?"de":"DE":!0===n?"du":"DU"},calendar:{sameDay:"[ma] LT[-kor]",nextDay:"[holnap] LT[-kor]",nextWeek:function(){return r.call(this,!0)},lastDay:"[tegnap] LT[-kor]",lastWeek:function(){return r.call(this,!1)},sameElse:"L"},relativeTime:{future:"%s múlva",past:"%s",s:n,ss:n,m:n,mm:n,h:n,hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return a}))},3864:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("hy-am",{months:{format:"հունվարի_փետրվարի_մարտի_ապրիլի_մայիսի_հունիսի_հուլիսի_օգոստոսի_սեպտեմբերի_հոկտեմբերի_նոյեմբերի_դեկտեմբերի".split("_"),standalone:"հունվար_փետրվար_մարտ_ապրիլ_մայիս_հունիս_հուլիս_օգոստոս_սեպտեմբեր_հոկտեմբեր_նոյեմբեր_դեկտեմբեր".split("_")},monthsShort:"հնվ_փտր_մրտ_ապր_մյս_հնս_հլս_օգս_սպտ_հկտ_նմբ_դկտ".split("_"),weekdays:"կիրակի_երկուշաբթի_երեքշաբթի_չորեքշաբթի_հինգշաբթի_ուրբաթ_շաբաթ".split("_"),weekdaysShort:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),weekdaysMin:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY թ.",LLL:"D MMMM YYYY թ., HH:mm",LLLL:"dddd, D MMMM YYYY թ., HH:mm"},calendar:{sameDay:"[այսօր] LT",nextDay:"[վաղը] LT",lastDay:"[երեկ] LT",nextWeek:function(){return"dddd [օրը ժամը] LT"},lastWeek:function(){return"[անցած] dddd [օրը ժամը] LT"},sameElse:"L"},relativeTime:{future:"%s հետո",past:"%s առաջ",s:"մի քանի վայրկյան",ss:"%d վայրկյան",m:"րոպե",mm:"%d րոպե",h:"ժամ",hh:"%d ժամ",d:"օր",dd:"%d օր",M:"ամիս",MM:"%d ամիս",y:"տարի",yy:"%d տարի"},meridiemParse:/գիշերվա|առավոտվա|ցերեկվա|երեկոյան/,isPM:function(e){return/^(ցերեկվա|երեկոյան)$/.test(e)},meridiem:function(e){return e<4?"գիշերվա":e<12?"առավոտվա":e<17?"ցերեկվա":"երեկոյան"},dayOfMonthOrdinalParse:/\d{1,2}|\d{1,2}-(ին|րդ)/,ordinal:function(e,t){switch(t){case"DDD":case"w":case"W":case"DDDo":return 1===e?e+"-ին":e+"-րդ";default:return e}},week:{dow:1,doy:7}});return t}))},5626:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("id",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des".split("_"),weekdays:"Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu".split("_"),weekdaysShort:"Min_Sen_Sel_Rab_Kam_Jum_Sab".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|siang|sore|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"siang"===t?e>=11?e:e+12:"sore"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"siang":e<19?"sore":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Besok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kemarin pukul] LT",lastWeek:"dddd [lalu pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lalu",s:"beberapa detik",ss:"%d detik",m:"semenit",mm:"%d menit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:0,doy:6}});return t}))},6649:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e){return e%100===11||e%10!==1}function n(e,n,r,a){var i=e+" ";switch(r){case"s":return n||a?"nokkrar sekúndur":"nokkrum sekúndum";case"ss":return t(e)?i+(n||a?"sekúndur":"sekúndum"):i+"sekúnda";case"m":return n?"mínúta":"mínútu";case"mm":return t(e)?i+(n||a?"mínútur":"mínútum"):n?i+"mínúta":i+"mínútu";case"hh":return t(e)?i+(n||a?"klukkustundir":"klukkustundum"):i+"klukkustund";case"d":return n?"dagur":a?"dag":"degi";case"dd":return t(e)?n?i+"dagar":i+(a?"daga":"dögum"):n?i+"dagur":i+(a?"dag":"degi");case"M":return n?"mánuður":a?"mánuð":"mánuði";case"MM":return t(e)?n?i+"mánuðir":i+(a?"mánuði":"mánuðum"):n?i+"mánuður":i+(a?"mánuð":"mánuði");case"y":return n||a?"ár":"ári";case"yy":return t(e)?i+(n||a?"ár":"árum"):i+(n||a?"ár":"ári")}}var r=e.defineLocale("is",{months:"janúar_febrúar_mars_apríl_maí_júní_júlí_ágúst_september_október_nóvember_desember".split("_"),monthsShort:"jan_feb_mar_apr_maí_jún_júl_ágú_sep_okt_nóv_des".split("_"),weekdays:"sunnudagur_mánudagur_þriðjudagur_miðvikudagur_fimmtudagur_föstudagur_laugardagur".split("_"),weekdaysShort:"sun_mán_þri_mið_fim_fös_lau".split("_"),weekdaysMin:"Su_Má_Þr_Mi_Fi_Fö_La".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd, D. MMMM YYYY [kl.] H:mm"},calendar:{sameDay:"[í dag kl.] LT",nextDay:"[á morgun kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[í gær kl.] LT",lastWeek:"[síðasta] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"eftir %s",past:"fyrir %s síðan",s:n,ss:n,m:n,mm:n,h:"klukkustund",hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return r}))},5348:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("it-ch",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Oggi alle] LT",nextDay:"[Domani alle] LT",nextWeek:"dddd [alle] LT",lastDay:"[Ieri alle] LT",lastWeek:function(){switch(this.day()){case 0:return"[la scorsa] dddd [alle] LT";default:return"[lo scorso] dddd [alle] LT"}},sameElse:"L"},relativeTime:{future:function(e){return(/^[0-9].+$/.test(e)?"tra":"in")+" "+e},past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},151:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("it",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:function(){return"[Oggi a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextDay:function(){return"[Domani a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextWeek:function(){return"dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastDay:function(){return"[Ieri a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastWeek:function(){switch(this.day()){case 0:return"[La scorsa] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT";default:return"[Lo scorso] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"}},sameElse:"L"},relativeTime:{future:"tra %s",past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",w:"una settimana",ww:"%d settimane",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},9830:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ja",{eras:[{since:"2019-05-01",offset:1,name:"令和",narrow:"㋿",abbr:"R"},{since:"1989-01-08",until:"2019-04-30",offset:1,name:"平成",narrow:"㍻",abbr:"H"},{since:"1926-12-25",until:"1989-01-07",offset:1,name:"昭和",narrow:"㍼",abbr:"S"},{since:"1912-07-30",until:"1926-12-24",offset:1,name:"大正",narrow:"㍽",abbr:"T"},{since:"1873-01-01",until:"1912-07-29",offset:6,name:"明治",narrow:"㍾",abbr:"M"},{since:"0001-01-01",until:"1873-12-31",offset:1,name:"西暦",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"紀元前",narrow:"BC",abbr:"BC"}],eraYearOrdinalRegex:/(元|\d+)年/,eraYearOrdinalParse:function(e,t){return"元"===t[1]?1:parseInt(t[1]||e,10)},months:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"日曜日_月曜日_火曜日_水曜日_木曜日_金曜日_土曜日".split("_"),weekdaysShort:"日_月_火_水_木_金_土".split("_"),weekdaysMin:"日_月_火_水_木_金_土".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日 dddd HH:mm",l:"YYYY/MM/DD",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日(ddd) HH:mm"},meridiemParse:/午前|午後/i,isPM:function(e){return"午後"===e},meridiem:function(e,t,n){return e<12?"午前":"午後"},calendar:{sameDay:"[今日] LT",nextDay:"[明日] LT",nextWeek:function(e){return e.week()!==this.week()?"[来週]dddd LT":"dddd LT"},lastDay:"[昨日] LT",lastWeek:function(e){return this.week()!==e.week()?"[先週]dddd LT":"dddd LT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}日/,ordinal:function(e,t){switch(t){case"y":return 1===e?"元年":e+"年";case"d":case"D":case"DDD":return e+"日";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"数秒",ss:"%d秒",m:"1分",mm:"%d分",h:"1時間",hh:"%d時間",d:"1日",dd:"%d日",M:"1ヶ月",MM:"%dヶ月",y:"1年",yy:"%d年"}});return t}))},3751:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("jv",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_Nopember_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Ags_Sep_Okt_Nop_Des".split("_"),weekdays:"Minggu_Senen_Seloso_Rebu_Kemis_Jemuwah_Septu".split("_"),weekdaysShort:"Min_Sen_Sel_Reb_Kem_Jem_Sep".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sp".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/enjing|siyang|sonten|ndalu/,meridiemHour:function(e,t){return 12===e&&(e=0),"enjing"===t?e:"siyang"===t?e>=11?e:e+12:"sonten"===t||"ndalu"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"enjing":e<15?"siyang":e<19?"sonten":"ndalu"},calendar:{sameDay:"[Dinten puniko pukul] LT",nextDay:"[Mbenjang pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kala wingi pukul] LT",lastWeek:"dddd [kepengker pukul] LT",sameElse:"L"},relativeTime:{future:"wonten ing %s",past:"%s ingkang kepengker",s:"sawetawis detik",ss:"%d detik",m:"setunggal menit",mm:"%d menit",h:"setunggal jam",hh:"%d jam",d:"sedinten",dd:"%d dinten",M:"sewulan",MM:"%d wulan",y:"setaun",yy:"%d taun"},week:{dow:1,doy:7}});return t}))},3365:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ka",{months:"იანვარი_თებერვალი_მარტი_აპრილი_მაისი_ივნისი_ივლისი_აგვისტო_სექტემბერი_ოქტომბერი_ნოემბერი_დეკემბერი".split("_"),monthsShort:"იან_თებ_მარ_აპრ_მაი_ივნ_ივლ_აგვ_სექ_ოქტ_ნოე_დეკ".split("_"),weekdays:{standalone:"კვირა_ორშაბათი_სამშაბათი_ოთხშაბათი_ხუთშაბათი_პარასკევი_შაბათი".split("_"),format:"კვირას_ორშაბათს_სამშაბათს_ოთხშაბათს_ხუთშაბათს_პარასკევს_შაბათს".split("_"),isFormat:/(წინა|შემდეგ)/},weekdaysShort:"კვი_ორშ_სამ_ოთხ_ხუთ_პარ_შაბ".split("_"),weekdaysMin:"კვ_ორ_სა_ოთ_ხუ_პა_შა".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[დღეს] LT[-ზე]",nextDay:"[ხვალ] LT[-ზე]",lastDay:"[გუშინ] LT[-ზე]",nextWeek:"[შემდეგ] dddd LT[-ზე]",lastWeek:"[წინა] dddd LT-ზე",sameElse:"L"},relativeTime:{future:function(e){return e.replace(/(წამ|წუთ|საათ|წელ|დღ|თვ)(ი|ე)/,(function(e,t,n){return"ი"===n?t+"ში":t+n+"ში"}))},past:function(e){return/(წამი|წუთი|საათი|დღე|თვე)/.test(e)?e.replace(/(ი|ე)$/,"ის წინ"):/წელი/.test(e)?e.replace(/წელი$/,"წლის წინ"):e},s:"რამდენიმე წამი",ss:"%d წამი",m:"წუთი",mm:"%d წუთი",h:"საათი",hh:"%d საათი",d:"დღე",dd:"%d დღე",M:"თვე",MM:"%d თვე",y:"წელი",yy:"%d წელი"},dayOfMonthOrdinalParse:/0|1-ლი|მე-\d{1,2}|\d{1,2}-ე/,ordinal:function(e){return 0===e?e:1===e?e+"-ლი":e<20||e<=100&&e%20===0||e%100===0?"მე-"+e:e+"-ე"},week:{dow:1,doy:7}});return t}))},5980:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={0:"-ші",1:"-ші",2:"-ші",3:"-ші",4:"-ші",5:"-ші",6:"-шы",7:"-ші",8:"-ші",9:"-шы",10:"-шы",20:"-шы",30:"-шы",40:"-шы",50:"-ші",60:"-шы",70:"-ші",80:"-ші",90:"-шы",100:"-ші"},n=e.defineLocale("kk",{months:"қаңтар_ақпан_наурыз_сәуір_мамыр_маусым_шілде_тамыз_қыркүйек_қазан_қараша_желтоқсан".split("_"),monthsShort:"қаң_ақп_нау_сәу_мам_мау_шіл_там_қыр_қаз_қар_жел".split("_"),weekdays:"жексенбі_дүйсенбі_сейсенбі_сәрсенбі_бейсенбі_жұма_сенбі".split("_"),weekdaysShort:"жек_дүй_сей_сәр_бей_жұм_сен".split("_"),weekdaysMin:"жк_дй_сй_ср_бй_жм_сн".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгін сағат] LT",nextDay:"[Ертең сағат] LT",nextWeek:"dddd [сағат] LT",lastDay:"[Кеше сағат] LT",lastWeek:"[Өткен аптаның] dddd [сағат] LT",sameElse:"L"},relativeTime:{future:"%s ішінде",past:"%s бұрын",s:"бірнеше секунд",ss:"%d секунд",m:"бір минут",mm:"%d минут",h:"бір сағат",hh:"%d сағат",d:"бір күн",dd:"%d күн",M:"бір ай",MM:"%d ай",y:"бір жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(ші|шы)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}});return n}))},9571:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"១",2:"២",3:"៣",4:"៤",5:"៥",6:"៦",7:"៧",8:"៨",9:"៩",0:"០"},n={"១":"1","២":"2","៣":"3","៤":"4","៥":"5","៦":"6","៧":"7","៨":"8","៩":"9","០":"0"},r=e.defineLocale("km",{months:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),monthsShort:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),weekdays:"អាទិត្យ_ច័ន្ទ_អង្គារ_ពុធ_ព្រហស្បតិ៍_សុក្រ_សៅរ៍".split("_"),weekdaysShort:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysMin:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ព្រឹក|ល្ងាច/,isPM:function(e){return"ល្ងាច"===e},meridiem:function(e,t,n){return e<12?"ព្រឹក":"ល្ងាច"},calendar:{sameDay:"[ថ្ងៃនេះ ម៉ោង] LT",nextDay:"[ស្អែក ម៉ោង] LT",nextWeek:"dddd [ម៉ោង] LT",lastDay:"[ម្សិលមិញ ម៉ោង] LT",lastWeek:"dddd [សប្តាហ៍មុន] [ម៉ោង] LT",sameElse:"L"},relativeTime:{future:"%sទៀត",past:"%sមុន",s:"ប៉ុន្មានវិនាទី",ss:"%d វិនាទី",m:"មួយនាទី",mm:"%d នាទី",h:"មួយម៉ោង",hh:"%d ម៉ោង",d:"មួយថ្ងៃ",dd:"%d ថ្ងៃ",M:"មួយខែ",MM:"%d ខែ",y:"មួយឆ្នាំ",yy:"%d ឆ្នាំ"},dayOfMonthOrdinalParse:/ទី\d{1,2}/,ordinal:"ទី%d",preparse:function(e){return e.replace(/[១២៣៤៥៦៧៨៩០]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}});return r}))},5880:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"೧",2:"೨",3:"೩",4:"೪",5:"೫",6:"೬",7:"೭",8:"೮",9:"೯",0:"೦"},n={"೧":"1","೨":"2","೩":"3","೪":"4","೫":"5","೬":"6","೭":"7","೮":"8","೯":"9","೦":"0"},r=e.defineLocale("kn",{months:"ಜನವರಿ_ಫೆಬ್ರವರಿ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂಬರ್_ಅಕ್ಟೋಬರ್_ನವೆಂಬರ್_ಡಿಸೆಂಬರ್".split("_"),monthsShort:"ಜನ_ಫೆಬ್ರ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂ_ಅಕ್ಟೋ_ನವೆಂ_ಡಿಸೆಂ".split("_"),monthsParseExact:!0,weekdays:"ಭಾನುವಾರ_ಸೋಮವಾರ_ಮಂಗಳವಾರ_ಬುಧವಾರ_ಗುರುವಾರ_ಶುಕ್ರವಾರ_ಶನಿವಾರ".split("_"),weekdaysShort:"ಭಾನು_ಸೋಮ_ಮಂಗಳ_ಬುಧ_ಗುರು_ಶುಕ್ರ_ಶನಿ".split("_"),weekdaysMin:"ಭಾ_ಸೋ_ಮಂ_ಬು_ಗು_ಶು_ಶ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[ಇಂದು] LT",nextDay:"[ನಾಳೆ] LT",nextWeek:"dddd, LT",lastDay:"[ನಿನ್ನೆ] LT",lastWeek:"[ಕೊನೆಯ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ನಂತರ",past:"%s ಹಿಂದೆ",s:"ಕೆಲವು ಕ್ಷಣಗಳು",ss:"%d ಸೆಕೆಂಡುಗಳು",m:"ಒಂದು ನಿಮಿಷ",mm:"%d ನಿಮಿಷ",h:"ಒಂದು ಗಂಟೆ",hh:"%d ಗಂಟೆ",d:"ಒಂದು ದಿನ",dd:"%d ದಿನ",M:"ಒಂದು ತಿಂಗಳು",MM:"%d ತಿಂಗಳು",y:"ಒಂದು ವರ್ಷ",yy:"%d ವರ್ಷ"},preparse:function(e){return e.replace(/[೧೨೩೪೫೬೭೮೯೦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ರಾತ್ರಿ|ಬೆಳಿಗ್ಗೆ|ಮಧ್ಯಾಹ್ನ|ಸಂಜೆ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ರಾತ್ರಿ"===t?e<4?e:e+12:"ಬೆಳಿಗ್ಗೆ"===t?e:"ಮಧ್ಯಾಹ್ನ"===t?e>=10?e:e+12:"ಸಂಜೆ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ರಾತ್ರಿ":e<10?"ಬೆಳಿಗ್ಗೆ":e<17?"ಮಧ್ಯಾಹ್ನ":e<20?"ಸಂಜೆ":"ರಾತ್ರಿ"},dayOfMonthOrdinalParse:/\d{1,2}(ನೇ)/,ordinal:function(e){return e+"ನೇ"},week:{dow:0,doy:6}});return r}))},6809:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ko",{months:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),monthsShort:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),weekdays:"일요일_월요일_화요일_수요일_목요일_금요일_토요일".split("_"),weekdaysShort:"일_월_화_수_목_금_토".split("_"),weekdaysMin:"일_월_화_수_목_금_토".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY년 MMMM D일",LLL:"YYYY년 MMMM D일 A h:mm",LLLL:"YYYY년 MMMM D일 dddd A h:mm",l:"YYYY.MM.DD.",ll:"YYYY년 MMMM D일",lll:"YYYY년 MMMM D일 A h:mm",llll:"YYYY년 MMMM D일 dddd A h:mm"},calendar:{sameDay:"오늘 LT",nextDay:"내일 LT",nextWeek:"dddd LT",lastDay:"어제 LT",lastWeek:"지난주 dddd LT",sameElse:"L"},relativeTime:{future:"%s 후",past:"%s 전",s:"몇 초",ss:"%d초",m:"1분",mm:"%d분",h:"한 시간",hh:"%d시간",d:"하루",dd:"%d일",M:"한 달",MM:"%d달",y:"일 년",yy:"%d년"},dayOfMonthOrdinalParse:/\d{1,2}(일|월|주)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"일";case"M":return e+"월";case"w":case"W":return e+"주";default:return e}},meridiemParse:/오전|오후/,isPM:function(e){return"오후"===e},meridiem:function(e,t,n){return e<12?"오전":"오후"}});return t}))},6773:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=["کانونی دووەم","شوبات","ئازار","نیسان","ئایار","حوزەیران","تەمموز","ئاب","ئەیلوول","تشرینی یەكەم","تشرینی دووەم","كانونی یەکەم"],a=e.defineLocale("ku",{months:r,monthsShort:r,weekdays:"یه‌كشه‌ممه‌_دووشه‌ممه‌_سێشه‌ممه‌_چوارشه‌ممه‌_پێنجشه‌ممه‌_هه‌ینی_شه‌ممه‌".split("_"),weekdaysShort:"یه‌كشه‌م_دووشه‌م_سێشه‌م_چوارشه‌م_پێنجشه‌م_هه‌ینی_شه‌ممه‌".split("_"),weekdaysMin:"ی_د_س_چ_پ_ه_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ئێواره‌|به‌یانی/,isPM:function(e){return/ئێواره‌/.test(e)},meridiem:function(e,t,n){return e<12?"به‌یانی":"ئێواره‌"},calendar:{sameDay:"[ئه‌مرۆ كاتژمێر] LT",nextDay:"[به‌یانی كاتژمێر] LT",nextWeek:"dddd [كاتژمێر] LT",lastDay:"[دوێنێ كاتژمێر] LT",lastWeek:"dddd [كاتژمێر] LT",sameElse:"L"},relativeTime:{future:"له‌ %s",past:"%s",s:"چه‌ند چركه‌یه‌ك",ss:"چركه‌ %d",m:"یه‌ك خوله‌ك",mm:"%d خوله‌ك",h:"یه‌ك كاتژمێر",hh:"%d كاتژمێر",d:"یه‌ك ڕۆژ",dd:"%d ڕۆژ",M:"یه‌ك مانگ",MM:"%d مانگ",y:"یه‌ك ساڵ",yy:"%d ساڵ"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}});return a}))},5505:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={0:"-чү",1:"-чи",2:"-чи",3:"-чү",4:"-чү",5:"-чи",6:"-чы",7:"-чи",8:"-чи",9:"-чу",10:"-чу",20:"-чы",30:"-чу",40:"-чы",50:"-чү",60:"-чы",70:"-чи",80:"-чи",90:"-чу",100:"-чү"},n=e.defineLocale("ky",{months:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_"),monthsShort:"янв_фев_март_апр_май_июнь_июль_авг_сен_окт_ноя_дек".split("_"),weekdays:"Жекшемби_Дүйшөмбү_Шейшемби_Шаршемби_Бейшемби_Жума_Ишемби".split("_"),weekdaysShort:"Жек_Дүй_Шей_Шар_Бей_Жум_Ише".split("_"),weekdaysMin:"Жк_Дй_Шй_Шр_Бй_Жм_Иш".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгүн саат] LT",nextDay:"[Эртең саат] LT",nextWeek:"dddd [саат] LT",lastDay:"[Кечээ саат] LT",lastWeek:"[Өткөн аптанын] dddd [күнү] [саат] LT",sameElse:"L"},relativeTime:{future:"%s ичинде",past:"%s мурун",s:"бирнече секунд",ss:"%d секунд",m:"бир мүнөт",mm:"%d мүнөт",h:"бир саат",hh:"%d саат",d:"бир күн",dd:"%d күн",M:"бир ай",MM:"%d ай",y:"бир жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(чи|чы|чү|чу)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}});return n}))},553:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a={m:["eng Minutt","enger Minutt"],h:["eng Stonn","enger Stonn"],d:["een Dag","engem Dag"],M:["ee Mount","engem Mount"],y:["ee Joer","engem Joer"]};return t?a[n][0]:a[n][1]}function n(e){var t=e.substr(0,e.indexOf(" "));return a(t)?"a "+e:"an "+e}function r(e){var t=e.substr(0,e.indexOf(" "));return a(t)?"viru "+e:"virun "+e}function a(e){if(e=parseInt(e,10),isNaN(e))return!1;if(e<0)return!0;if(e<10)return 4<=e&&e<=7;if(e<100){var t=e%10,n=e/10;return a(0===t?n:t)}if(e<1e4){while(e>=10)e/=10;return a(e)}return e/=1e3,a(e)}var i=e.defineLocale("lb",{months:"Januar_Februar_Mäerz_Abrëll_Mee_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Febr._Mrz._Abr._Mee_Jun._Jul._Aug._Sept._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonndeg_Méindeg_Dënschdeg_Mëttwoch_Donneschdeg_Freideg_Samschdeg".split("_"),weekdaysShort:"So._Mé._Dë._Më._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mé_Dë_Më_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm [Auer]",LTS:"H:mm:ss [Auer]",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm [Auer]",LLLL:"dddd, D. MMMM YYYY H:mm [Auer]"},calendar:{sameDay:"[Haut um] LT",sameElse:"L",nextDay:"[Muer um] LT",nextWeek:"dddd [um] LT",lastDay:"[Gëschter um] LT",lastWeek:function(){switch(this.day()){case 2:case 4:return"[Leschten] dddd [um] LT";default:return"[Leschte] dddd [um] LT"}}},relativeTime:{future:n,past:r,s:"e puer Sekonnen",ss:"%d Sekonnen",m:t,mm:"%d Minutten",h:t,hh:"%d Stonnen",d:t,dd:"%d Deeg",M:t,MM:"%d Méint",y:t,yy:"%d Joer"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return i}))},1237:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("lo",{months:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),monthsShort:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),weekdays:"ອາທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysShort:"ທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysMin:"ທ_ຈ_ອຄ_ພ_ພຫ_ສກ_ສ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"ວັນdddd D MMMM YYYY HH:mm"},meridiemParse:/ຕອນເຊົ້າ|ຕອນແລງ/,isPM:function(e){return"ຕອນແລງ"===e},meridiem:function(e,t,n){return e<12?"ຕອນເຊົ້າ":"ຕອນແລງ"},calendar:{sameDay:"[ມື້ນີ້ເວລາ] LT",nextDay:"[ມື້ອື່ນເວລາ] LT",nextWeek:"[ວັນ]dddd[ໜ້າເວລາ] LT",lastDay:"[ມື້ວານນີ້ເວລາ] LT",lastWeek:"[ວັນ]dddd[ແລ້ວນີ້ເວລາ] LT",sameElse:"L"},relativeTime:{future:"ອີກ %s",past:"%sຜ່ານມາ",s:"ບໍ່ເທົ່າໃດວິນາທີ",ss:"%d ວິນາທີ",m:"1 ນາທີ",mm:"%d ນາທີ",h:"1 ຊົ່ວໂມງ",hh:"%d ຊົ່ວໂມງ",d:"1 ມື້",dd:"%d ມື້",M:"1 ເດືອນ",MM:"%d ເດືອນ",y:"1 ປີ",yy:"%d ປີ"},dayOfMonthOrdinalParse:/(ທີ່)\d{1,2}/,ordinal:function(e){return"ທີ່"+e}});return t}))},1563:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={ss:"sekundė_sekundžių_sekundes",m:"minutė_minutės_minutę",mm:"minutės_minučių_minutes",h:"valanda_valandos_valandą",hh:"valandos_valandų_valandas",d:"diena_dienos_dieną",dd:"dienos_dienų_dienas",M:"mėnuo_mėnesio_mėnesį",MM:"mėnesiai_mėnesių_mėnesius",y:"metai_metų_metus",yy:"metai_metų_metus"};function n(e,t,n,r){return t?"kelios sekundės":r?"kelių sekundžių":"kelias sekundes"}function r(e,t,n,r){return t?i(n)[0]:r?i(n)[1]:i(n)[2]}function a(e){return e%10===0||e>10&&e<20}function i(e){return t[e].split("_")}function o(e,t,n,o){var s=e+" ";return 1===e?s+r(e,t,n[0],o):t?s+(a(e)?i(n)[1]:i(n)[0]):o?s+i(n)[1]:s+(a(e)?i(n)[1]:i(n)[2])}var s=e.defineLocale("lt",{months:{format:"sausio_vasario_kovo_balandžio_gegužės_birželio_liepos_rugpjūčio_rugsėjo_spalio_lapkričio_gruodžio".split("_"),standalone:"sausis_vasaris_kovas_balandis_gegužė_birželis_liepa_rugpjūtis_rugsėjis_spalis_lapkritis_gruodis".split("_"),isFormat:/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?|MMMM?(\[[^\[\]]*\]|\s)+D[oD]?/},monthsShort:"sau_vas_kov_bal_geg_bir_lie_rgp_rgs_spa_lap_grd".split("_"),weekdays:{format:"sekmadienį_pirmadienį_antradienį_trečiadienį_ketvirtadienį_penktadienį_šeštadienį".split("_"),standalone:"sekmadienis_pirmadienis_antradienis_trečiadienis_ketvirtadienis_penktadienis_šeštadienis".split("_"),isFormat:/dddd HH:mm/},weekdaysShort:"Sek_Pir_Ant_Tre_Ket_Pen_Šeš".split("_"),weekdaysMin:"S_P_A_T_K_Pn_Š".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY [m.] MMMM D [d.]",LLL:"YYYY [m.] MMMM D [d.], HH:mm [val.]",LLLL:"YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]",l:"YYYY-MM-DD",ll:"YYYY [m.] MMMM D [d.]",lll:"YYYY [m.] MMMM D [d.], HH:mm [val.]",llll:"YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]"},calendar:{sameDay:"[Šiandien] LT",nextDay:"[Rytoj] LT",nextWeek:"dddd LT",lastDay:"[Vakar] LT",lastWeek:"[Praėjusį] dddd LT",sameElse:"L"},relativeTime:{future:"po %s",past:"prieš %s",s:n,ss:o,m:r,mm:o,h:r,hh:o,d:r,dd:o,M:r,MM:o,y:r,yy:o},dayOfMonthOrdinalParse:/\d{1,2}-oji/,ordinal:function(e){return e+"-oji"},week:{dow:1,doy:4}});return s}))},1057:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={ss:"sekundes_sekundēm_sekunde_sekundes".split("_"),m:"minūtes_minūtēm_minūte_minūtes".split("_"),mm:"minūtes_minūtēm_minūte_minūtes".split("_"),h:"stundas_stundām_stunda_stundas".split("_"),hh:"stundas_stundām_stunda_stundas".split("_"),d:"dienas_dienām_diena_dienas".split("_"),dd:"dienas_dienām_diena_dienas".split("_"),M:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),MM:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),y:"gada_gadiem_gads_gadi".split("_"),yy:"gada_gadiem_gads_gadi".split("_")};function n(e,t,n){return n?t%10===1&&t%100!==11?e[2]:e[3]:t%10===1&&t%100!==11?e[0]:e[1]}function r(e,r,a){return e+" "+n(t[a],e,r)}function a(e,r,a){return n(t[a],e,r)}function i(e,t){return t?"dažas sekundes":"dažām sekundēm"}var o=e.defineLocale("lv",{months:"janvāris_februāris_marts_aprīlis_maijs_jūnijs_jūlijs_augusts_septembris_oktobris_novembris_decembris".split("_"),monthsShort:"jan_feb_mar_apr_mai_jūn_jūl_aug_sep_okt_nov_dec".split("_"),weekdays:"svētdiena_pirmdiena_otrdiena_trešdiena_ceturtdiena_piektdiena_sestdiena".split("_"),weekdaysShort:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysMin:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY.",LL:"YYYY. [gada] D. MMMM",LLL:"YYYY. [gada] D. MMMM, HH:mm",LLLL:"YYYY. [gada] D. MMMM, dddd, HH:mm"},calendar:{sameDay:"[Šodien pulksten] LT",nextDay:"[Rīt pulksten] LT",nextWeek:"dddd [pulksten] LT",lastDay:"[Vakar pulksten] LT",lastWeek:"[Pagājušā] dddd [pulksten] LT",sameElse:"L"},relativeTime:{future:"pēc %s",past:"pirms %s",s:i,ss:r,m:a,mm:r,h:a,hh:r,d:a,dd:r,M:a,MM:r,y:a,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return o}))},6495:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={words:{ss:["sekund","sekunda","sekundi"],m:["jedan minut","jednog minuta"],mm:["minut","minuta","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],dd:["dan","dana","dana"],MM:["mjesec","mjeseca","mjeseci"],yy:["godina","godine","godina"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var a=t.words[r];return 1===r.length?n?a[0]:a[1]:e+" "+t.correctGrammaticalCase(e,a)}},n=e.defineLocale("me",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sjutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){var e=["[prošle] [nedjelje] [u] LT","[prošlog] [ponedjeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srijede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"];return e[this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"dan",dd:t.translate,M:"mjesec",MM:t.translate,y:"godinu",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},3096:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("mi",{months:"Kohi-tāte_Hui-tanguru_Poutū-te-rangi_Paenga-whāwhā_Haratua_Pipiri_Hōngoingoi_Here-turi-kōkā_Mahuru_Whiringa-ā-nuku_Whiringa-ā-rangi_Hakihea".split("_"),monthsShort:"Kohi_Hui_Pou_Pae_Hara_Pipi_Hōngoi_Here_Mahu_Whi-nu_Whi-ra_Haki".split("_"),monthsRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,2}/i,weekdays:"Rātapu_Mane_Tūrei_Wenerei_Tāite_Paraire_Hātarei".split("_"),weekdaysShort:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),weekdaysMin:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [i] HH:mm",LLLL:"dddd, D MMMM YYYY [i] HH:mm"},calendar:{sameDay:"[i teie mahana, i] LT",nextDay:"[apopo i] LT",nextWeek:"dddd [i] LT",lastDay:"[inanahi i] LT",lastWeek:"dddd [whakamutunga i] LT",sameElse:"L"},relativeTime:{future:"i roto i %s",past:"%s i mua",s:"te hēkona ruarua",ss:"%d hēkona",m:"he meneti",mm:"%d meneti",h:"te haora",hh:"%d haora",d:"he ra",dd:"%d ra",M:"he marama",MM:"%d marama",y:"he tau",yy:"%d tau"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},3874:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("mk",{months:"јануари_февруари_март_април_мај_јуни_јули_август_септември_октомври_ноември_декември".split("_"),monthsShort:"јан_фев_мар_апр_мај_јун_јул_авг_сеп_окт_ное_дек".split("_"),weekdays:"недела_понеделник_вторник_среда_четврток_петок_сабота".split("_"),weekdaysShort:"нед_пон_вто_сре_чет_пет_саб".split("_"),weekdaysMin:"нe_пo_вт_ср_че_пе_сa".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Денес во] LT",nextDay:"[Утре во] LT",nextWeek:"[Во] dddd [во] LT",lastDay:"[Вчера во] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Изминатата] dddd [во] LT";case 1:case 2:case 4:case 5:return"[Изминатиот] dddd [во] LT"}},sameElse:"L"},relativeTime:{future:"за %s",past:"пред %s",s:"неколку секунди",ss:"%d секунди",m:"една минута",mm:"%d минути",h:"еден час",hh:"%d часа",d:"еден ден",dd:"%d дена",M:"еден месец",MM:"%d месеци",y:"една година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}});return t}))},6055:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ml",{months:"ജനുവരി_ഫെബ്രുവരി_മാർച്ച്_ഏപ്രിൽ_മേയ്_ജൂൺ_ജൂലൈ_ഓഗസ്റ്റ്_സെപ്റ്റംബർ_ഒക്ടോബർ_നവംബർ_ഡിസംബർ".split("_"),monthsShort:"ജനു._ഫെബ്രു._മാർ._ഏപ്രി._മേയ്_ജൂൺ_ജൂലൈ._ഓഗ._സെപ്റ്റ._ഒക്ടോ._നവം._ഡിസം.".split("_"),monthsParseExact:!0,weekdays:"ഞായറാഴ്ച_തിങ്കളാഴ്ച_ചൊവ്വാഴ്ച_ബുധനാഴ്ച_വ്യാഴാഴ്ച_വെള്ളിയാഴ്ച_ശനിയാഴ്ച".split("_"),weekdaysShort:"ഞായർ_തിങ്കൾ_ചൊവ്വ_ബുധൻ_വ്യാഴം_വെള്ളി_ശനി".split("_"),weekdaysMin:"ഞാ_തി_ചൊ_ബു_വ്യാ_വെ_ശ".split("_"),longDateFormat:{LT:"A h:mm -നു",LTS:"A h:mm:ss -നു",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm -നു",LLLL:"dddd, D MMMM YYYY, A h:mm -നു"},calendar:{sameDay:"[ഇന്ന്] LT",nextDay:"[നാളെ] LT",nextWeek:"dddd, LT",lastDay:"[ഇന്നലെ] LT",lastWeek:"[കഴിഞ്ഞ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s കഴിഞ്ഞ്",past:"%s മുൻപ്",s:"അൽപ നിമിഷങ്ങൾ",ss:"%d സെക്കൻഡ്",m:"ഒരു മിനിറ്റ്",mm:"%d മിനിറ്റ്",h:"ഒരു മണിക്കൂർ",hh:"%d മണിക്കൂർ",d:"ഒരു ദിവസം",dd:"%d ദിവസം",M:"ഒരു മാസം",MM:"%d മാസം",y:"ഒരു വർഷം",yy:"%d വർഷം"},meridiemParse:/രാത്രി|രാവിലെ|ഉച്ച കഴിഞ്ഞ്|വൈകുന്നേരം|രാത്രി/i,meridiemHour:function(e,t){return 12===e&&(e=0),"രാത്രി"===t&&e>=4||"ഉച്ച കഴിഞ്ഞ്"===t||"വൈകുന്നേരം"===t?e+12:e},meridiem:function(e,t,n){return e<4?"രാത്രി":e<12?"രാവിലെ":e<17?"ഉച്ച കഴിഞ്ഞ്":e<20?"വൈകുന്നേരം":"രാത്രി"}});return t}))},7747:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){switch(n){case"s":return t?"хэдхэн секунд":"хэдхэн секундын";case"ss":return e+(t?" секунд":" секундын");case"m":case"mm":return e+(t?" минут":" минутын");case"h":case"hh":return e+(t?" цаг":" цагийн");case"d":case"dd":return e+(t?" өдөр":" өдрийн");case"M":case"MM":return e+(t?" сар":" сарын");case"y":case"yy":return e+(t?" жил":" жилийн");default:return e}}var n=e.defineLocale("mn",{months:"Нэгдүгээр сар_Хоёрдугаар сар_Гуравдугаар сар_Дөрөвдүгээр сар_Тавдугаар сар_Зургадугаар сар_Долдугаар сар_Наймдугаар сар_Есдүгээр сар_Аравдугаар сар_Арван нэгдүгээр сар_Арван хоёрдугаар сар".split("_"),monthsShort:"1 сар_2 сар_3 сар_4 сар_5 сар_6 сар_7 сар_8 сар_9 сар_10 сар_11 сар_12 сар".split("_"),monthsParseExact:!0,weekdays:"Ням_Даваа_Мягмар_Лхагва_Пүрэв_Баасан_Бямба".split("_"),weekdaysShort:"Ням_Дав_Мяг_Лха_Пүр_Баа_Бям".split("_"),weekdaysMin:"Ня_Да_Мя_Лх_Пү_Ба_Бя".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY оны MMMMын D",LLL:"YYYY оны MMMMын D HH:mm",LLLL:"dddd, YYYY оны MMMMын D HH:mm"},meridiemParse:/ҮӨ|ҮХ/i,isPM:function(e){return"ҮХ"===e},meridiem:function(e,t,n){return e<12?"ҮӨ":"ҮХ"},calendar:{sameDay:"[Өнөөдөр] LT",nextDay:"[Маргааш] LT",nextWeek:"[Ирэх] dddd LT",lastDay:"[Өчигдөр] LT",lastWeek:"[Өнгөрсөн] dddd LT",sameElse:"L"},relativeTime:{future:"%s дараа",past:"%s өмнө",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2} өдөр/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+" өдөр";default:return e}}});return n}))},7113:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"};function r(e,t,n,r){var a="";if(t)switch(n){case"s":a="काही सेकंद";break;case"ss":a="%d सेकंद";break;case"m":a="एक मिनिट";break;case"mm":a="%d मिनिटे";break;case"h":a="एक तास";break;case"hh":a="%d तास";break;case"d":a="एक दिवस";break;case"dd":a="%d दिवस";break;case"M":a="एक महिना";break;case"MM":a="%d महिने";break;case"y":a="एक वर्ष";break;case"yy":a="%d वर्षे";break}else switch(n){case"s":a="काही सेकंदां";break;case"ss":a="%d सेकंदां";break;case"m":a="एका मिनिटा";break;case"mm":a="%d मिनिटां";break;case"h":a="एका तासा";break;case"hh":a="%d तासां";break;case"d":a="एका दिवसा";break;case"dd":a="%d दिवसां";break;case"M":a="एका महिन्या";break;case"MM":a="%d महिन्यां";break;case"y":a="एका वर्षा";break;case"yy":a="%d वर्षां";break}return a.replace(/%d/i,e)}var a=e.defineLocale("mr",{months:"जानेवारी_फेब्रुवारी_मार्च_एप्रिल_मे_जून_जुलै_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),monthsShort:"जाने._फेब्रु._मार्च._एप्रि._मे._जून._जुलै._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"रविवार_सोमवार_मंगळवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगळ_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm वाजता",LTS:"A h:mm:ss वाजता",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm वाजता",LLLL:"dddd, D MMMM YYYY, A h:mm वाजता"},calendar:{sameDay:"[आज] LT",nextDay:"[उद्या] LT",nextWeek:"dddd, LT",lastDay:"[काल] LT",lastWeek:"[मागील] dddd, LT",sameElse:"L"},relativeTime:{future:"%sमध्ये",past:"%sपूर्वी",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/पहाटे|सकाळी|दुपारी|सायंकाळी|रात्री/,meridiemHour:function(e,t){return 12===e&&(e=0),"पहाटे"===t||"सकाळी"===t?e:"दुपारी"===t||"सायंकाळी"===t||"रात्री"===t?e>=12?e:e+12:void 0},meridiem:function(e,t,n){return e>=0&&e<6?"पहाटे":e<12?"सकाळी":e<17?"दुपारी":e<20?"सायंकाळी":"रात्री"},week:{dow:0,doy:6}});return a}))},7948:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ms-my",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}});return t}))},8687:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ms",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}});return t}))},4532:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("mt",{months:"Jannar_Frar_Marzu_April_Mejju_Ġunju_Lulju_Awwissu_Settembru_Ottubru_Novembru_Diċembru".split("_"),monthsShort:"Jan_Fra_Mar_Apr_Mej_Ġun_Lul_Aww_Set_Ott_Nov_Diċ".split("_"),weekdays:"Il-Ħadd_It-Tnejn_It-Tlieta_L-Erbgħa_Il-Ħamis_Il-Ġimgħa_Is-Sibt".split("_"),weekdaysShort:"Ħad_Tne_Tli_Erb_Ħam_Ġim_Sib".split("_"),weekdaysMin:"Ħa_Tn_Tl_Er_Ħa_Ġi_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Illum fil-]LT",nextDay:"[Għada fil-]LT",nextWeek:"dddd [fil-]LT",lastDay:"[Il-bieraħ fil-]LT",lastWeek:"dddd [li għadda] [fil-]LT",sameElse:"L"},relativeTime:{future:"f’ %s",past:"%s ilu",s:"ftit sekondi",ss:"%d sekondi",m:"minuta",mm:"%d minuti",h:"siegħa",hh:"%d siegħat",d:"ġurnata",dd:"%d ġranet",M:"xahar",MM:"%d xhur",y:"sena",yy:"%d sni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},4655:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"၁",2:"၂",3:"၃",4:"၄",5:"၅",6:"၆",7:"၇",8:"၈",9:"၉",0:"၀"},n={"၁":"1","၂":"2","၃":"3","၄":"4","၅":"5","၆":"6","၇":"7","၈":"8","၉":"9","၀":"0"},r=e.defineLocale("my",{months:"ဇန်နဝါရီ_ဖေဖော်ဝါရီ_မတ်_ဧပြီ_မေ_ဇွန်_ဇူလိုင်_သြဂုတ်_စက်တင်ဘာ_အောက်တိုဘာ_နိုဝင်ဘာ_ဒီဇင်ဘာ".split("_"),monthsShort:"ဇန်_ဖေ_မတ်_ပြီ_မေ_ဇွန်_လိုင်_သြ_စက်_အောက်_နို_ဒီ".split("_"),weekdays:"တနင်္ဂနွေ_တနင်္လာ_အင်္ဂါ_ဗုဒ္ဓဟူး_ကြာသပတေး_သောကြာ_စနေ".split("_"),weekdaysShort:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),weekdaysMin:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ယနေ.] LT [မှာ]",nextDay:"[မနက်ဖြန်] LT [မှာ]",nextWeek:"dddd LT [မှာ]",lastDay:"[မနေ.က] LT [မှာ]",lastWeek:"[ပြီးခဲ့သော] dddd LT [မှာ]",sameElse:"L"},relativeTime:{future:"လာမည့် %s မှာ",past:"လွန်ခဲ့သော %s က",s:"စက္ကန်.အနည်းငယ်",ss:"%d စက္ကန့်",m:"တစ်မိနစ်",mm:"%d မိနစ်",h:"တစ်နာရီ",hh:"%d နာရီ",d:"တစ်ရက်",dd:"%d ရက်",M:"တစ်လ",MM:"%d လ",y:"တစ်နှစ်",yy:"%d နှစ်"},preparse:function(e){return e.replace(/[၁၂၃၄၅၆၇၈၉၀]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}});return r}))},6961:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("nb",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"sø._ma._ti._on._to._fr._lø.".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] HH:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[forrige] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"noen sekunder",ss:"%d sekunder",m:"ett minutt",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dager",w:"en uke",ww:"%d uker",M:"en måned",MM:"%d måneder",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},2512:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"},r=e.defineLocale("ne",{months:"जनवरी_फेब्रुवरी_मार्च_अप्रिल_मई_जुन_जुलाई_अगष्ट_सेप्टेम्बर_अक्टोबर_नोभेम्बर_डिसेम्बर".split("_"),monthsShort:"जन._फेब्रु._मार्च_अप्रि._मई_जुन_जुलाई._अग._सेप्ट._अक्टो._नोभे._डिसे.".split("_"),monthsParseExact:!0,weekdays:"आइतबार_सोमबार_मङ्गलबार_बुधबार_बिहिबार_शुक्रबार_शनिबार".split("_"),weekdaysShort:"आइत._सोम._मङ्गल._बुध._बिहि._शुक्र._शनि.".split("_"),weekdaysMin:"आ._सो._मं._बु._बि._शु._श.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"Aको h:mm बजे",LTS:"Aको h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, Aको h:mm बजे",LLLL:"dddd, D MMMM YYYY, Aको h:mm बजे"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/राति|बिहान|दिउँसो|साँझ/,meridiemHour:function(e,t){return 12===e&&(e=0),"राति"===t?e<4?e:e+12:"बिहान"===t?e:"दिउँसो"===t?e>=10?e:e+12:"साँझ"===t?e+12:void 0},meridiem:function(e,t,n){return e<3?"राति":e<12?"बिहान":e<16?"दिउँसो":e<20?"साँझ":"राति"},calendar:{sameDay:"[आज] LT",nextDay:"[भोलि] LT",nextWeek:"[आउँदो] dddd[,] LT",lastDay:"[हिजो] LT",lastWeek:"[गएको] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%sमा",past:"%s अगाडि",s:"केही क्षण",ss:"%d सेकेण्ड",m:"एक मिनेट",mm:"%d मिनेट",h:"एक घण्टा",hh:"%d घण्टा",d:"एक दिन",dd:"%d दिन",M:"एक महिना",MM:"%d महिना",y:"एक बर्ष",yy:"%d बर्ष"},week:{dow:0,doy:6}});return r}))},2936:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],a=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,i=e.defineLocale("nl-be",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}});return i}))},8448:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],a=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,i=e.defineLocale("nl",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:a,monthsShortRegex:a,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",w:"één week",ww:"%d weken",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}});return i}))},9031:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("nn",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"sundag_måndag_tysdag_onsdag_torsdag_fredag_laurdag".split("_"),weekdaysShort:"su._må._ty._on._to._fr._lau.".split("_"),weekdaysMin:"su_må_ty_on_to_fr_la".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[I dag klokka] LT",nextDay:"[I morgon klokka] LT",nextWeek:"dddd [klokka] LT",lastDay:"[I går klokka] LT",lastWeek:"[Føregåande] dddd [klokka] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s sidan",s:"nokre sekund",ss:"%d sekund",m:"eit minutt",mm:"%d minutt",h:"ein time",hh:"%d timar",d:"ein dag",dd:"%d dagar",w:"ei veke",ww:"%d veker",M:"ein månad",MM:"%d månader",y:"eit år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},5174:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("oc-lnc",{months:{standalone:"genièr_febrièr_març_abril_mai_junh_julhet_agost_setembre_octòbre_novembre_decembre".split("_"),format:"de genièr_de febrièr_de març_d'abril_de mai_de junh_de julhet_d'agost_de setembre_d'octòbre_de novembre_de decembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._mai_junh_julh._ago._set._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"dimenge_diluns_dimars_dimècres_dijòus_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dm._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dm_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:"[uèi a] LT",nextDay:"[deman a] LT",nextWeek:"dddd [a] LT",lastDay:"[ièr a] LT",lastWeek:"dddd [passat a] LT",sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"unas segondas",ss:"%d segondas",m:"una minuta",mm:"%d minutas",h:"una ora",hh:"%d oras",d:"un jorn",dd:"%d jorns",M:"un mes",MM:"%d meses",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}});return t}))},118:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"੧",2:"੨",3:"੩",4:"੪",5:"੫",6:"੬",7:"੭",8:"੮",9:"੯",0:"੦"},n={"੧":"1","੨":"2","੩":"3","੪":"4","੫":"5","੬":"6","੭":"7","੮":"8","੯":"9","੦":"0"},r=e.defineLocale("pa-in",{months:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),monthsShort:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),weekdays:"ਐਤਵਾਰ_ਸੋਮਵਾਰ_ਮੰਗਲਵਾਰ_ਬੁਧਵਾਰ_ਵੀਰਵਾਰ_ਸ਼ੁੱਕਰਵਾਰ_ਸ਼ਨੀਚਰਵਾਰ".split("_"),weekdaysShort:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),weekdaysMin:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),longDateFormat:{LT:"A h:mm ਵਜੇ",LTS:"A h:mm:ss ਵਜੇ",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm ਵਜੇ",LLLL:"dddd, D MMMM YYYY, A h:mm ਵਜੇ"},calendar:{sameDay:"[ਅਜ] LT",nextDay:"[ਕਲ] LT",nextWeek:"[ਅਗਲਾ] dddd, LT",lastDay:"[ਕਲ] LT",lastWeek:"[ਪਿਛਲੇ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ਵਿੱਚ",past:"%s ਪਿਛਲੇ",s:"ਕੁਝ ਸਕਿੰਟ",ss:"%d ਸਕਿੰਟ",m:"ਇਕ ਮਿੰਟ",mm:"%d ਮਿੰਟ",h:"ਇੱਕ ਘੰਟਾ",hh:"%d ਘੰਟੇ",d:"ਇੱਕ ਦਿਨ",dd:"%d ਦਿਨ",M:"ਇੱਕ ਮਹੀਨਾ",MM:"%d ਮਹੀਨੇ",y:"ਇੱਕ ਸਾਲ",yy:"%d ਸਾਲ"},preparse:function(e){return e.replace(/[੧੨੩੪੫੬੭੮੯੦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ਰਾਤ|ਸਵੇਰ|ਦੁਪਹਿਰ|ਸ਼ਾਮ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ਰਾਤ"===t?e<4?e:e+12:"ਸਵੇਰ"===t?e:"ਦੁਪਹਿਰ"===t?e>=10?e:e+12:"ਸ਼ਾਮ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ਰਾਤ":e<10?"ਸਵੇਰ":e<17?"ਦੁਪਹਿਰ":e<20?"ਸ਼ਾਮ":"ਰਾਤ"},week:{dow:0,doy:6}});return r}))},3448:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="styczeń_luty_marzec_kwiecień_maj_czerwiec_lipiec_sierpień_wrzesień_październik_listopad_grudzień".split("_"),n="stycznia_lutego_marca_kwietnia_maja_czerwca_lipca_sierpnia_września_października_listopada_grudnia".split("_"),r=[/^sty/i,/^lut/i,/^mar/i,/^kwi/i,/^maj/i,/^cze/i,/^lip/i,/^sie/i,/^wrz/i,/^paź/i,/^lis/i,/^gru/i];function a(e){return e%10<5&&e%10>1&&~~(e/10)%10!==1}function i(e,t,n){var r=e+" ";switch(n){case"ss":return r+(a(e)?"sekundy":"sekund");case"m":return t?"minuta":"minutę";case"mm":return r+(a(e)?"minuty":"minut");case"h":return t?"godzina":"godzinę";case"hh":return r+(a(e)?"godziny":"godzin");case"ww":return r+(a(e)?"tygodnie":"tygodni");case"MM":return r+(a(e)?"miesiące":"miesięcy");case"yy":return r+(a(e)?"lata":"lat")}}var o=e.defineLocale("pl",{months:function(e,r){return e?/D MMMM/.test(r)?n[e.month()]:t[e.month()]:t},monthsShort:"sty_lut_mar_kwi_maj_cze_lip_sie_wrz_paź_lis_gru".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"niedziela_poniedziałek_wtorek_środa_czwartek_piątek_sobota".split("_"),weekdaysShort:"ndz_pon_wt_śr_czw_pt_sob".split("_"),weekdaysMin:"Nd_Pn_Wt_Śr_Cz_Pt_So".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Dziś o] LT",nextDay:"[Jutro o] LT",nextWeek:function(){switch(this.day()){case 0:return"[W niedzielę o] LT";case 2:return"[We wtorek o] LT";case 3:return"[W środę o] LT";case 6:return"[W sobotę o] LT";default:return"[W] dddd [o] LT"}},lastDay:"[Wczoraj o] LT",lastWeek:function(){switch(this.day()){case 0:return"[W zeszłą niedzielę o] LT";case 3:return"[W zeszłą środę o] LT";case 6:return"[W zeszłą sobotę o] LT";default:return"[W zeszły] dddd [o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"%s temu",s:"kilka sekund",ss:i,m:i,mm:i,h:i,hh:i,d:"1 dzień",dd:"%d dni",w:"tydzień",ww:i,M:"miesiąc",MM:i,y:"rok",yy:i},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return o}))},2447:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("pt-br",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"domingo_segunda-feira_terça-feira_quarta-feira_quinta-feira_sexta-feira_sábado".split("_"),weekdaysShort:"dom_seg_ter_qua_qui_sex_sáb".split("_"),weekdaysMin:"do_2ª_3ª_4ª_5ª_6ª_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY [às] HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY [às] HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"poucos segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",invalidDate:"Data inválida"});return t}))},3518:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("pt",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"Domingo_Segunda-feira_Terça-feira_Quarta-feira_Quinta-feira_Sexta-feira_Sábado".split("_"),weekdaysShort:"Dom_Seg_Ter_Qua_Qui_Sex_Sáb".split("_"),weekdaysMin:"Do_2ª_3ª_4ª_5ª_6ª_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",w:"uma semana",ww:"%d semanas",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}});return t}))},817:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n){var r={ss:"secunde",mm:"minute",hh:"ore",dd:"zile",ww:"săptămâni",MM:"luni",yy:"ani"},a=" ";return(e%100>=20||e>=100&&e%100===0)&&(a=" de "),e+a+r[n]}var n=e.defineLocale("ro",{months:"ianuarie_februarie_martie_aprilie_mai_iunie_iulie_august_septembrie_octombrie_noiembrie_decembrie".split("_"),monthsShort:"ian._feb._mart._apr._mai_iun._iul._aug._sept._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"duminică_luni_marți_miercuri_joi_vineri_sâmbătă".split("_"),weekdaysShort:"Dum_Lun_Mar_Mie_Joi_Vin_Sâm".split("_"),weekdaysMin:"Du_Lu_Ma_Mi_Jo_Vi_Sâ".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[azi la] LT",nextDay:"[mâine la] LT",nextWeek:"dddd [la] LT",lastDay:"[ieri la] LT",lastWeek:"[fosta] dddd [la] LT",sameElse:"L"},relativeTime:{future:"peste %s",past:"%s în urmă",s:"câteva secunde",ss:t,m:"un minut",mm:t,h:"o oră",hh:t,d:"o zi",dd:t,w:"o săptămână",ww:t,M:"o lună",MM:t,y:"un an",yy:t},week:{dow:1,doy:7}});return n}))},262:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t){var n=e.split("_");return t%10===1&&t%100!==11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){var a={ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"минута_минуты_минут":"минуту_минуты_минут",hh:"час_часа_часов",dd:"день_дня_дней",ww:"неделя_недели_недель",MM:"месяц_месяца_месяцев",yy:"год_года_лет"};return"m"===r?n?"минута":"минуту":e+" "+t(a[r],+e)}var r=[/^янв/i,/^фев/i,/^мар/i,/^апр/i,/^ма[йя]/i,/^июн/i,/^июл/i,/^авг/i,/^сен/i,/^окт/i,/^ноя/i,/^дек/i],a=e.defineLocale("ru",{months:{format:"января_февраля_марта_апреля_мая_июня_июля_августа_сентября_октября_ноября_декабря".split("_"),standalone:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_")},monthsShort:{format:"янв._февр._мар._апр._мая_июня_июля_авг._сент._окт._нояб._дек.".split("_"),standalone:"янв._февр._март_апр._май_июнь_июль_авг._сент._окт._нояб._дек.".split("_")},weekdays:{standalone:"воскресенье_понедельник_вторник_среда_четверг_пятница_суббота".split("_"),format:"воскресенье_понедельник_вторник_среду_четверг_пятницу_субботу".split("_"),isFormat:/\[ ?[Вв] ?(?:прошлую|следующую|эту)? ?] ?dddd/},weekdaysShort:"вс_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"вс_пн_вт_ср_чт_пт_сб".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,monthsRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsShortRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsStrictRegex:/^(январ[яь]|феврал[яь]|марта?|апрел[яь]|ма[яй]|июн[яь]|июл[яь]|августа?|сентябр[яь]|октябр[яь]|ноябр[яь]|декабр[яь])/i,monthsShortStrictRegex:/^(янв\.|февр?\.|мар[т.]|апр\.|ма[яй]|июн[ья.]|июл[ья.]|авг\.|сент?\.|окт\.|нояб?\.|дек\.)/i,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., H:mm",LLLL:"dddd, D MMMM YYYY г., H:mm"},calendar:{sameDay:"[Сегодня, в] LT",nextDay:"[Завтра, в] LT",lastDay:"[Вчера, в] LT",nextWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В следующее] dddd, [в] LT";case 1:case 2:case 4:return"[В следующий] dddd, [в] LT";case 3:case 5:case 6:return"[В следующую] dddd, [в] LT"}},lastWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В прошлое] dddd, [в] LT";case 1:case 2:case 4:return"[В прошлый] dddd, [в] LT";case 3:case 5:case 6:return"[В прошлую] dddd, [в] LT"}},sameElse:"L"},relativeTime:{future:"через %s",past:"%s назад",s:"несколько секунд",ss:n,m:n,mm:n,h:"час",hh:n,d:"день",dd:n,w:"неделя",ww:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночи|утра|дня|вечера/i,isPM:function(e){return/^(дня|вечера)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночи":e<12?"утра":e<17?"дня":"вечера"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го|я)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":return e+"-й";case"D":return e+"-го";case"w":case"W":return e+"-я";default:return e}},week:{dow:1,doy:4}});return a}))},8990:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=["جنوري","فيبروري","مارچ","اپريل","مئي","جون","جولاءِ","آگسٽ","سيپٽمبر","آڪٽوبر","نومبر","ڊسمبر"],n=["آچر","سومر","اڱارو","اربع","خميس","جمع","ڇنڇر"],r=e.defineLocale("sd",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[اڄ] LT",nextDay:"[سڀاڻي] LT",nextWeek:"dddd [اڳين هفتي تي] LT",lastDay:"[ڪالهه] LT",lastWeek:"[گزريل هفتي] dddd [تي] LT",sameElse:"L"},relativeTime:{future:"%s پوء",past:"%s اڳ",s:"چند سيڪنڊ",ss:"%d سيڪنڊ",m:"هڪ منٽ",mm:"%d منٽ",h:"هڪ ڪلاڪ",hh:"%d ڪلاڪ",d:"هڪ ڏينهن",dd:"%d ڏينهن",M:"هڪ مهينو",MM:"%d مهينا",y:"هڪ سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}});return r}))},3842:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("se",{months:"ođđajagemánnu_guovvamánnu_njukčamánnu_cuoŋománnu_miessemánnu_geassemánnu_suoidnemánnu_borgemánnu_čakčamánnu_golggotmánnu_skábmamánnu_juovlamánnu".split("_"),monthsShort:"ođđj_guov_njuk_cuo_mies_geas_suoi_borg_čakč_golg_skáb_juov".split("_"),weekdays:"sotnabeaivi_vuossárga_maŋŋebárga_gaskavahkku_duorastat_bearjadat_lávvardat".split("_"),weekdaysShort:"sotn_vuos_maŋ_gask_duor_bear_láv".split("_"),weekdaysMin:"s_v_m_g_d_b_L".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"MMMM D. [b.] YYYY",LLL:"MMMM D. [b.] YYYY [ti.] HH:mm",LLLL:"dddd, MMMM D. [b.] YYYY [ti.] HH:mm"},calendar:{sameDay:"[otne ti] LT",nextDay:"[ihttin ti] LT",nextWeek:"dddd [ti] LT",lastDay:"[ikte ti] LT",lastWeek:"[ovddit] dddd [ti] LT",sameElse:"L"},relativeTime:{future:"%s geažes",past:"maŋit %s",s:"moadde sekunddat",ss:"%d sekunddat",m:"okta minuhta",mm:"%d minuhtat",h:"okta diimmu",hh:"%d diimmut",d:"okta beaivi",dd:"%d beaivvit",M:"okta mánnu",MM:"%d mánut",y:"okta jahki",yy:"%d jagit"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},7711:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("si",{months:"ජනවාරි_පෙබරවාරි_මාර්තු_අප්‍රේල්_මැයි_ජූනි_ජූලි_අගෝස්තු_සැප්තැම්බර්_ඔක්තෝබර්_නොවැම්බර්_දෙසැම්බර්".split("_"),monthsShort:"ජන_පෙබ_මාර්_අප්_මැයි_ජූනි_ජූලි_අගෝ_සැප්_ඔක්_නොවැ_දෙසැ".split("_"),weekdays:"ඉරිදා_සඳුදා_අඟහරුවාදා_බදාදා_බ්‍රහස්පතින්දා_සිකුරාදා_සෙනසුරාදා".split("_"),weekdaysShort:"ඉරි_සඳු_අඟ_බදා_බ්‍රහ_සිකු_සෙන".split("_"),weekdaysMin:"ඉ_ස_අ_බ_බ්‍ර_සි_සෙ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"a h:mm",LTS:"a h:mm:ss",L:"YYYY/MM/DD",LL:"YYYY MMMM D",LLL:"YYYY MMMM D, a h:mm",LLLL:"YYYY MMMM D [වැනි] dddd, a h:mm:ss"},calendar:{sameDay:"[අද] LT[ට]",nextDay:"[හෙට] LT[ට]",nextWeek:"dddd LT[ට]",lastDay:"[ඊයේ] LT[ට]",lastWeek:"[පසුගිය] dddd LT[ට]",sameElse:"L"},relativeTime:{future:"%sකින්",past:"%sකට පෙර",s:"තත්පර කිහිපය",ss:"තත්පර %d",m:"මිනිත්තුව",mm:"මිනිත්තු %d",h:"පැය",hh:"පැය %d",d:"දිනය",dd:"දින %d",M:"මාසය",MM:"මාස %d",y:"වසර",yy:"වසර %d"},dayOfMonthOrdinalParse:/\d{1,2} වැනි/,ordinal:function(e){return e+" වැනි"},meridiemParse:/පෙර වරු|පස් වරු|පෙ.ව|ප.ව./,isPM:function(e){return"ප.ව."===e||"පස් වරු"===e},meridiem:function(e,t,n){return e>11?n?"ප.ව.":"පස් වරු":n?"පෙ.ව.":"පෙර වරු"}});return t}))},756:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="január_február_marec_apríl_máj_jún_júl_august_september_október_november_december".split("_"),n="jan_feb_mar_apr_máj_jún_júl_aug_sep_okt_nov_dec".split("_");function r(e){return e>1&&e<5}function a(e,t,n,a){var i=e+" ";switch(n){case"s":return t||a?"pár sekúnd":"pár sekundami";case"ss":return t||a?i+(r(e)?"sekundy":"sekúnd"):i+"sekundami";case"m":return t?"minúta":a?"minútu":"minútou";case"mm":return t||a?i+(r(e)?"minúty":"minút"):i+"minútami";case"h":return t?"hodina":a?"hodinu":"hodinou";case"hh":return t||a?i+(r(e)?"hodiny":"hodín"):i+"hodinami";case"d":return t||a?"deň":"dňom";case"dd":return t||a?i+(r(e)?"dni":"dní"):i+"dňami";case"M":return t||a?"mesiac":"mesiacom";case"MM":return t||a?i+(r(e)?"mesiace":"mesiacov"):i+"mesiacmi";case"y":return t||a?"rok":"rokom";case"yy":return t||a?i+(r(e)?"roky":"rokov"):i+"rokmi"}}var i=e.defineLocale("sk",{months:t,monthsShort:n,weekdays:"nedeľa_pondelok_utorok_streda_štvrtok_piatok_sobota".split("_"),weekdaysShort:"ne_po_ut_st_št_pi_so".split("_"),weekdaysMin:"ne_po_ut_st_št_pi_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm"},calendar:{sameDay:"[dnes o] LT",nextDay:"[zajtra o] LT",nextWeek:function(){switch(this.day()){case 0:return"[v nedeľu o] LT";case 1:case 2:return"[v] dddd [o] LT";case 3:return"[v stredu o] LT";case 4:return"[vo štvrtok o] LT";case 5:return"[v piatok o] LT";case 6:return"[v sobotu o] LT"}},lastDay:"[včera o] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulú nedeľu o] LT";case 1:case 2:return"[minulý] dddd [o] LT";case 3:return"[minulú stredu o] LT";case 4:case 5:return"[minulý] dddd [o] LT";case 6:return"[minulú sobotu o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"pred %s",s:a,ss:a,m:a,mm:a,h:a,hh:a,d:a,dd:a,M:a,MM:a,y:a,yy:a},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return i}))},3772:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t,n,r){var a=e+" ";switch(n){case"s":return t||r?"nekaj sekund":"nekaj sekundami";case"ss":return a+=1===e?t?"sekundo":"sekundi":2===e?t||r?"sekundi":"sekundah":e<5?t||r?"sekunde":"sekundah":"sekund",a;case"m":return t?"ena minuta":"eno minuto";case"mm":return a+=1===e?t?"minuta":"minuto":2===e?t||r?"minuti":"minutama":e<5?t||r?"minute":"minutami":t||r?"minut":"minutami",a;case"h":return t?"ena ura":"eno uro";case"hh":return a+=1===e?t?"ura":"uro":2===e?t||r?"uri":"urama":e<5?t||r?"ure":"urami":t||r?"ur":"urami",a;case"d":return t||r?"en dan":"enim dnem";case"dd":return a+=1===e?t||r?"dan":"dnem":2===e?t||r?"dni":"dnevoma":t||r?"dni":"dnevi",a;case"M":return t||r?"en mesec":"enim mesecem";case"MM":return a+=1===e?t||r?"mesec":"mesecem":2===e?t||r?"meseca":"mesecema":e<5?t||r?"mesece":"meseci":t||r?"mesecev":"meseci",a;case"y":return t||r?"eno leto":"enim letom";case"yy":return a+=1===e?t||r?"leto":"letom":2===e?t||r?"leti":"letoma":e<5?t||r?"leta":"leti":t||r?"let":"leti",a}}var n=e.defineLocale("sl",{months:"januar_februar_marec_april_maj_junij_julij_avgust_september_oktober_november_december".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljek_torek_sreda_četrtek_petek_sobota".split("_"),weekdaysShort:"ned._pon._tor._sre._čet._pet._sob.".split("_"),weekdaysMin:"ne_po_to_sr_če_pe_so".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD. MM. YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danes ob] LT",nextDay:"[jutri ob] LT",nextWeek:function(){switch(this.day()){case 0:return"[v] [nedeljo] [ob] LT";case 3:return"[v] [sredo] [ob] LT";case 6:return"[v] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[v] dddd [ob] LT"}},lastDay:"[včeraj ob] LT",lastWeek:function(){switch(this.day()){case 0:return"[prejšnjo] [nedeljo] [ob] LT";case 3:return"[prejšnjo] [sredo] [ob] LT";case 6:return"[prejšnjo] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[prejšnji] dddd [ob] LT"}},sameElse:"L"},relativeTime:{future:"čez %s",past:"pred %s",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},6187:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("sq",{months:"Janar_Shkurt_Mars_Prill_Maj_Qershor_Korrik_Gusht_Shtator_Tetor_Nëntor_Dhjetor".split("_"),monthsShort:"Jan_Shk_Mar_Pri_Maj_Qer_Kor_Gus_Sht_Tet_Nën_Dhj".split("_"),weekdays:"E Diel_E Hënë_E Martë_E Mërkurë_E Enjte_E Premte_E Shtunë".split("_"),weekdaysShort:"Die_Hën_Mar_Mër_Enj_Pre_Sht".split("_"),weekdaysMin:"D_H_Ma_Më_E_P_Sh".split("_"),weekdaysParseExact:!0,meridiemParse:/PD|MD/,isPM:function(e){return"M"===e.charAt(0)},meridiem:function(e,t,n){return e<12?"PD":"MD"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Sot në] LT",nextDay:"[Nesër në] LT",nextWeek:"dddd [në] LT",lastDay:"[Dje në] LT",lastWeek:"dddd [e kaluar në] LT",sameElse:"L"},relativeTime:{future:"në %s",past:"%s më parë",s:"disa sekonda",ss:"%d sekonda",m:"një minutë",mm:"%d minuta",h:"një orë",hh:"%d orë",d:"një ditë",dd:"%d ditë",M:"një muaj",MM:"%d muaj",y:"një vit",yy:"%d vite"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return t}))},5713:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={words:{ss:["секунда","секунде","секунди"],m:["један минут","једног минута"],mm:["минут","минута","минута"],h:["један сат","једног сата"],hh:["сат","сата","сати"],d:["један дан","једног дана"],dd:["дан","дана","дана"],M:["један месец","једног месеца"],MM:["месец","месеца","месеци"],y:["једну годину","једне године"],yy:["годину","године","година"]},correctGrammaticalCase:function(e,t){return e%10>=1&&e%10<=4&&(e%100<10||e%100>=20)?e%10===1?t[0]:t[1]:t[2]},translate:function(e,n,r,a){var i,o=t.words[r];return 1===r.length?"y"===r&&n?"једна година":a||n?o[0]:o[1]:(i=t.correctGrammaticalCase(e,o),"yy"===r&&n&&"годину"===i?e+" година":e+" "+i)}},n=e.defineLocale("sr-cyrl",{months:"јануар_фебруар_март_април_мај_јун_јул_август_септембар_октобар_новембар_децембар".split("_"),monthsShort:"јан._феб._мар._апр._мај_јун_јул_авг._сеп._окт._нов._дец.".split("_"),monthsParseExact:!0,weekdays:"недеља_понедељак_уторак_среда_четвртак_петак_субота".split("_"),weekdaysShort:"нед._пон._уто._сре._чет._пет._суб.".split("_"),weekdaysMin:"не_по_ут_ср_че_пе_су".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[данас у] LT",nextDay:"[сутра у] LT",nextWeek:function(){switch(this.day()){case 0:return"[у] [недељу] [у] LT";case 3:return"[у] [среду] [у] LT";case 6:return"[у] [суботу] [у] LT";case 1:case 2:case 4:case 5:return"[у] dddd [у] LT"}},lastDay:"[јуче у] LT",lastWeek:function(){var e=["[прошле] [недеље] [у] LT","[прошлог] [понедељка] [у] LT","[прошлог] [уторка] [у] LT","[прошле] [среде] [у] LT","[прошлог] [четвртка] [у] LT","[прошлог] [петка] [у] LT","[прошле] [суботе] [у] LT"];return e[this.day()]},sameElse:"L"},relativeTime:{future:"за %s",past:"пре %s",s:"неколико секунди",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:t.translate,dd:t.translate,M:t.translate,MM:t.translate,y:t.translate,yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},732:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={words:{ss:["sekunda","sekunde","sekundi"],m:["jedan minut","jednog minuta"],mm:["minut","minuta","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],d:["jedan dan","jednog dana"],dd:["dan","dana","dana"],M:["jedan mesec","jednog meseca"],MM:["mesec","meseca","meseci"],y:["jednu godinu","jedne godine"],yy:["godinu","godine","godina"]},correctGrammaticalCase:function(e,t){return e%10>=1&&e%10<=4&&(e%100<10||e%100>=20)?e%10===1?t[0]:t[1]:t[2]},translate:function(e,n,r,a){var i,o=t.words[r];return 1===r.length?"y"===r&&n?"jedna godina":a||n?o[0]:o[1]:(i=t.correctGrammaticalCase(e,o),"yy"===r&&n&&"godinu"===i?e+" godina":e+" "+i)}},n=e.defineLocale("sr",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljak_utorak_sreda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sre._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedelju] [u] LT";case 3:return"[u] [sredu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){var e=["[prošle] [nedelje] [u] LT","[prošlog] [ponedeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"];return e[this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"pre %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:t.translate,dd:t.translate,M:t.translate,MM:t.translate,y:t.translate,yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}});return n}))},9455:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ss",{months:"Bhimbidvwane_Indlovana_Indlov'lenkhulu_Mabasa_Inkhwekhweti_Inhlaba_Kholwane_Ingci_Inyoni_Imphala_Lweti_Ingongoni".split("_"),monthsShort:"Bhi_Ina_Inu_Mab_Ink_Inh_Kho_Igc_Iny_Imp_Lwe_Igo".split("_"),weekdays:"Lisontfo_Umsombuluko_Lesibili_Lesitsatfu_Lesine_Lesihlanu_Umgcibelo".split("_"),weekdaysShort:"Lis_Umb_Lsb_Les_Lsi_Lsh_Umg".split("_"),weekdaysMin:"Li_Us_Lb_Lt_Ls_Lh_Ug".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Namuhla nga] LT",nextDay:"[Kusasa nga] LT",nextWeek:"dddd [nga] LT",lastDay:"[Itolo nga] LT",lastWeek:"dddd [leliphelile] [nga] LT",sameElse:"L"},relativeTime:{future:"nga %s",past:"wenteka nga %s",s:"emizuzwana lomcane",ss:"%d mzuzwana",m:"umzuzu",mm:"%d emizuzu",h:"lihora",hh:"%d emahora",d:"lilanga",dd:"%d emalanga",M:"inyanga",MM:"%d tinyanga",y:"umnyaka",yy:"%d iminyaka"},meridiemParse:/ekuseni|emini|entsambama|ebusuku/,meridiem:function(e,t,n){return e<11?"ekuseni":e<15?"emini":e<19?"entsambama":"ebusuku"},meridiemHour:function(e,t){return 12===e&&(e=0),"ekuseni"===t?e:"emini"===t?e>=11?e:e+12:"entsambama"===t||"ebusuku"===t?0===e?0:e+12:void 0},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:"%d",week:{dow:1,doy:4}});return t}))},9770:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("sv",{months:"januari_februari_mars_april_maj_juni_juli_augusti_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"söndag_måndag_tisdag_onsdag_torsdag_fredag_lördag".split("_"),weekdaysShort:"sön_mån_tis_ons_tor_fre_lör".split("_"),weekdaysMin:"sö_må_ti_on_to_fr_lö".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [kl.] HH:mm",LLLL:"dddd D MMMM YYYY [kl.] HH:mm",lll:"D MMM YYYY HH:mm",llll:"ddd D MMM YYYY HH:mm"},calendar:{sameDay:"[Idag] LT",nextDay:"[Imorgon] LT",lastDay:"[Igår] LT",nextWeek:"[På] dddd LT",lastWeek:"[I] dddd[s] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"för %s sedan",s:"några sekunder",ss:"%d sekunder",m:"en minut",mm:"%d minuter",h:"en timme",hh:"%d timmar",d:"en dag",dd:"%d dagar",M:"en månad",MM:"%d månader",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}(\:e|\:a)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?":e":1===t||2===t?":a":":e";return e+n},week:{dow:1,doy:4}});return t}))},959:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("sw",{months:"Januari_Februari_Machi_Aprili_Mei_Juni_Julai_Agosti_Septemba_Oktoba_Novemba_Desemba".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ago_Sep_Okt_Nov_Des".split("_"),weekdays:"Jumapili_Jumatatu_Jumanne_Jumatano_Alhamisi_Ijumaa_Jumamosi".split("_"),weekdaysShort:"Jpl_Jtat_Jnne_Jtan_Alh_Ijm_Jmos".split("_"),weekdaysMin:"J2_J3_J4_J5_Al_Ij_J1".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"hh:mm A",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[leo saa] LT",nextDay:"[kesho saa] LT",nextWeek:"[wiki ijayo] dddd [saat] LT",lastDay:"[jana] LT",lastWeek:"[wiki iliyopita] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s baadaye",past:"tokea %s",s:"hivi punde",ss:"sekunde %d",m:"dakika moja",mm:"dakika %d",h:"saa limoja",hh:"masaa %d",d:"siku moja",dd:"siku %d",M:"mwezi mmoja",MM:"miezi %d",y:"mwaka mmoja",yy:"miaka %d"},week:{dow:1,doy:7}});return t}))},6459:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"௧",2:"௨",3:"௩",4:"௪",5:"௫",6:"௬",7:"௭",8:"௮",9:"௯",0:"௦"},n={"௧":"1","௨":"2","௩":"3","௪":"4","௫":"5","௬":"6","௭":"7","௮":"8","௯":"9","௦":"0"},r=e.defineLocale("ta",{months:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),monthsShort:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),weekdays:"ஞாயிற்றுக்கிழமை_திங்கட்கிழமை_செவ்வாய்கிழமை_புதன்கிழமை_வியாழக்கிழமை_வெள்ளிக்கிழமை_சனிக்கிழமை".split("_"),weekdaysShort:"ஞாயிறு_திங்கள்_செவ்வாய்_புதன்_வியாழன்_வெள்ளி_சனி".split("_"),weekdaysMin:"ஞா_தி_செ_பு_வி_வெ_ச".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, HH:mm",LLLL:"dddd, D MMMM YYYY, HH:mm"},calendar:{sameDay:"[இன்று] LT",nextDay:"[நாளை] LT",nextWeek:"dddd, LT",lastDay:"[நேற்று] LT",lastWeek:"[கடந்த வாரம்] dddd, LT",sameElse:"L"},relativeTime:{future:"%s இல்",past:"%s முன்",s:"ஒரு சில விநாடிகள்",ss:"%d விநாடிகள்",m:"ஒரு நிமிடம்",mm:"%d நிமிடங்கள்",h:"ஒரு மணி நேரம்",hh:"%d மணி நேரம்",d:"ஒரு நாள்",dd:"%d நாட்கள்",M:"ஒரு மாதம்",MM:"%d மாதங்கள்",y:"ஒரு வருடம்",yy:"%d ஆண்டுகள்"},dayOfMonthOrdinalParse:/\d{1,2}வது/,ordinal:function(e){return e+"வது"},preparse:function(e){return e.replace(/[௧௨௩௪௫௬௭௮௯௦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/யாமம்|வைகறை|காலை|நண்பகல்|எற்பாடு|மாலை/,meridiem:function(e,t,n){return e<2?" யாமம்":e<6?" வைகறை":e<10?" காலை":e<14?" நண்பகல்":e<18?" எற்பாடு":e<22?" மாலை":" யாமம்"},meridiemHour:function(e,t){return 12===e&&(e=0),"யாமம்"===t?e<2?e:e+12:"வைகறை"===t||"காலை"===t||"நண்பகல்"===t&&e>=10?e:e+12},week:{dow:0,doy:6}});return r}))},5302:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("te",{months:"జనవరి_ఫిబ్రవరి_మార్చి_ఏప్రిల్_మే_జూన్_జులై_ఆగస్టు_సెప్టెంబర్_అక్టోబర్_నవంబర్_డిసెంబర్".split("_"),monthsShort:"జన._ఫిబ్ర._మార్చి_ఏప్రి._మే_జూన్_జులై_ఆగ._సెప్._అక్టో._నవ._డిసె.".split("_"),monthsParseExact:!0,weekdays:"ఆదివారం_సోమవారం_మంగళవారం_బుధవారం_గురువారం_శుక్రవారం_శనివారం".split("_"),weekdaysShort:"ఆది_సోమ_మంగళ_బుధ_గురు_శుక్ర_శని".split("_"),weekdaysMin:"ఆ_సో_మం_బు_గు_శు_శ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[నేడు] LT",nextDay:"[రేపు] LT",nextWeek:"dddd, LT",lastDay:"[నిన్న] LT",lastWeek:"[గత] dddd, LT",sameElse:"L"},relativeTime:{future:"%s లో",past:"%s క్రితం",s:"కొన్ని క్షణాలు",ss:"%d సెకన్లు",m:"ఒక నిమిషం",mm:"%d నిమిషాలు",h:"ఒక గంట",hh:"%d గంటలు",d:"ఒక రోజు",dd:"%d రోజులు",M:"ఒక నెల",MM:"%d నెలలు",y:"ఒక సంవత్సరం",yy:"%d సంవత్సరాలు"},dayOfMonthOrdinalParse:/\d{1,2}వ/,ordinal:"%dవ",meridiemParse:/రాత్రి|ఉదయం|మధ్యాహ్నం|సాయంత్రం/,meridiemHour:function(e,t){return 12===e&&(e=0),"రాత్రి"===t?e<4?e:e+12:"ఉదయం"===t?e:"మధ్యాహ్నం"===t?e>=10?e:e+12:"సాయంత్రం"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"రాత్రి":e<10?"ఉదయం":e<17?"మధ్యాహ్నం":e<20?"సాయంత్రం":"రాత్రి"},week:{dow:0,doy:6}});return t}))},7975:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("tet",{months:"Janeiru_Fevereiru_Marsu_Abril_Maiu_Juñu_Jullu_Agustu_Setembru_Outubru_Novembru_Dezembru".split("_"),monthsShort:"Jan_Fev_Mar_Abr_Mai_Jun_Jul_Ago_Set_Out_Nov_Dez".split("_"),weekdays:"Domingu_Segunda_Tersa_Kuarta_Kinta_Sesta_Sabadu".split("_"),weekdaysShort:"Dom_Seg_Ters_Kua_Kint_Sest_Sab".split("_"),weekdaysMin:"Do_Seg_Te_Ku_Ki_Ses_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Ohin iha] LT",nextDay:"[Aban iha] LT",nextWeek:"dddd [iha] LT",lastDay:"[Horiseik iha] LT",lastWeek:"dddd [semana kotuk] [iha] LT",sameElse:"L"},relativeTime:{future:"iha %s",past:"%s liuba",s:"segundu balun",ss:"segundu %d",m:"minutu ida",mm:"minutu %d",h:"oras ida",hh:"oras %d",d:"loron ida",dd:"loron %d",M:"fulan ida",MM:"fulan %d",y:"tinan ida",yy:"tinan %d"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},1294:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={0:"-ум",1:"-ум",2:"-юм",3:"-юм",4:"-ум",5:"-ум",6:"-ум",7:"-ум",8:"-ум",9:"-ум",10:"-ум",12:"-ум",13:"-ум",20:"-ум",30:"-юм",40:"-ум",50:"-ум",60:"-ум",70:"-ум",80:"-ум",90:"-ум",100:"-ум"},n=e.defineLocale("tg",{months:{format:"январи_феврали_марти_апрели_майи_июни_июли_августи_сентябри_октябри_ноябри_декабри".split("_"),standalone:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_")},monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"якшанбе_душанбе_сешанбе_чоршанбе_панҷшанбе_ҷумъа_шанбе".split("_"),weekdaysShort:"яшб_дшб_сшб_чшб_пшб_ҷум_шнб".split("_"),weekdaysMin:"яш_дш_сш_чш_пш_ҷм_шб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Имрӯз соати] LT",nextDay:"[Фардо соати] LT",lastDay:"[Дирӯз соати] LT",nextWeek:"dddd[и] [ҳафтаи оянда соати] LT",lastWeek:"dddd[и] [ҳафтаи гузашта соати] LT",sameElse:"L"},relativeTime:{future:"баъди %s",past:"%s пеш",s:"якчанд сония",m:"як дақиқа",mm:"%d дақиқа",h:"як соат",hh:"%d соат",d:"як рӯз",dd:"%d рӯз",M:"як моҳ",MM:"%d моҳ",y:"як сол",yy:"%d сол"},meridiemParse:/шаб|субҳ|рӯз|бегоҳ/,meridiemHour:function(e,t){return 12===e&&(e=0),"шаб"===t?e<4?e:e+12:"субҳ"===t?e:"рӯз"===t?e>=11?e:e+12:"бегоҳ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"шаб":e<11?"субҳ":e<16?"рӯз":e<19?"бегоҳ":"шаб"},dayOfMonthOrdinalParse:/\d{1,2}-(ум|юм)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}});return n}))},2385:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("th",{months:"มกราคม_กุมภาพันธ์_มีนาคม_เมษายน_พฤษภาคม_มิถุนายน_กรกฎาคม_สิงหาคม_กันยายน_ตุลาคม_พฤศจิกายน_ธันวาคม".split("_"),monthsShort:"ม.ค._ก.พ._มี.ค._เม.ย._พ.ค._มิ.ย._ก.ค._ส.ค._ก.ย._ต.ค._พ.ย._ธ.ค.".split("_"),monthsParseExact:!0,weekdays:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัสบดี_ศุกร์_เสาร์".split("_"),weekdaysShort:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัส_ศุกร์_เสาร์".split("_"),weekdaysMin:"อา._จ._อ._พ._พฤ._ศ._ส.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY เวลา H:mm",LLLL:"วันddddที่ D MMMM YYYY เวลา H:mm"},meridiemParse:/ก่อนเที่ยง|หลังเที่ยง/,isPM:function(e){return"หลังเที่ยง"===e},meridiem:function(e,t,n){return e<12?"ก่อนเที่ยง":"หลังเที่ยง"},calendar:{sameDay:"[วันนี้ เวลา] LT",nextDay:"[พรุ่งนี้ เวลา] LT",nextWeek:"dddd[หน้า เวลา] LT",lastDay:"[เมื่อวานนี้ เวลา] LT",lastWeek:"[วัน]dddd[ที่แล้ว เวลา] LT",sameElse:"L"},relativeTime:{future:"อีก %s",past:"%sที่แล้ว",s:"ไม่กี่วินาที",ss:"%d วินาที",m:"1 นาที",mm:"%d นาที",h:"1 ชั่วโมง",hh:"%d ชั่วโมง",d:"1 วัน",dd:"%d วัน",w:"1 สัปดาห์",ww:"%d สัปดาห์",M:"1 เดือน",MM:"%d เดือน",y:"1 ปี",yy:"%d ปี"}});return t}))},4613:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"'inji",5:"'inji",8:"'inji",70:"'inji",80:"'inji",2:"'nji",7:"'nji",20:"'nji",50:"'nji",3:"'ünji",4:"'ünji",100:"'ünji",6:"'njy",9:"'unjy",10:"'unjy",30:"'unjy",60:"'ynjy",90:"'ynjy"},n=e.defineLocale("tk",{months:"Ýanwar_Fewral_Mart_Aprel_Maý_Iýun_Iýul_Awgust_Sentýabr_Oktýabr_Noýabr_Dekabr".split("_"),monthsShort:"Ýan_Few_Mar_Apr_Maý_Iýn_Iýl_Awg_Sen_Okt_Noý_Dek".split("_"),weekdays:"Ýekşenbe_Duşenbe_Sişenbe_Çarşenbe_Penşenbe_Anna_Şenbe".split("_"),weekdaysShort:"Ýek_Duş_Siş_Çar_Pen_Ann_Şen".split("_"),weekdaysMin:"Ýk_Dş_Sş_Çr_Pn_An_Şn".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün sagat] LT",nextDay:"[ertir sagat] LT",nextWeek:"[indiki] dddd [sagat] LT",lastDay:"[düýn] LT",lastWeek:"[geçen] dddd [sagat] LT",sameElse:"L"},relativeTime:{future:"%s soň",past:"%s öň",s:"birnäçe sekunt",m:"bir minut",mm:"%d minut",h:"bir sagat",hh:"%d sagat",d:"bir gün",dd:"%d gün",M:"bir aý",MM:"%d aý",y:"bir ýyl",yy:"%d ýyl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'unjy";var r=e%10,a=e%100-r,i=e>=100?100:null;return e+(t[r]||t[a]||t[i])}},week:{dow:1,doy:7}});return n}))},8668:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("tl-ph",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}});return t}))},8190:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t="pagh_wa’_cha’_wej_loS_vagh_jav_Soch_chorgh_Hut".split("_");function n(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"leS":-1!==e.indexOf("jar")?t.slice(0,-3)+"waQ":-1!==e.indexOf("DIS")?t.slice(0,-3)+"nem":t+" pIq",t}function r(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"Hu’":-1!==e.indexOf("jar")?t.slice(0,-3)+"wen":-1!==e.indexOf("DIS")?t.slice(0,-3)+"ben":t+" ret",t}function a(e,t,n,r){var a=i(e);switch(n){case"ss":return a+" lup";case"mm":return a+" tup";case"hh":return a+" rep";case"dd":return a+" jaj";case"MM":return a+" jar";case"yy":return a+" DIS"}}function i(e){var n=Math.floor(e%1e3/100),r=Math.floor(e%100/10),a=e%10,i="";return n>0&&(i+=t[n]+"vatlh"),r>0&&(i+=(""!==i?" ":"")+t[r]+"maH"),a>0&&(i+=(""!==i?" ":"")+t[a]),""===i?"pagh":i}var o=e.defineLocale("tlh",{months:"tera’ jar wa’_tera’ jar cha’_tera’ jar wej_tera’ jar loS_tera’ jar vagh_tera’ jar jav_tera’ jar Soch_tera’ jar chorgh_tera’ jar Hut_tera’ jar wa’maH_tera’ jar wa’maH wa’_tera’ jar wa’maH cha’".split("_"),monthsShort:"jar wa’_jar cha’_jar wej_jar loS_jar vagh_jar jav_jar Soch_jar chorgh_jar Hut_jar wa’maH_jar wa’maH wa’_jar wa’maH cha’".split("_"),monthsParseExact:!0,weekdays:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysShort:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysMin:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[DaHjaj] LT",nextDay:"[wa’leS] LT",nextWeek:"LLL",lastDay:"[wa’Hu’] LT",lastWeek:"LLL",sameElse:"L"},relativeTime:{future:n,past:r,s:"puS lup",ss:a,m:"wa’ tup",mm:a,h:"wa’ rep",hh:a,d:"wa’ jaj",dd:a,M:"wa’ jar",MM:a,y:"wa’ DIS",yy:a},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});return o}))},4506:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t={1:"'inci",5:"'inci",8:"'inci",70:"'inci",80:"'inci",2:"'nci",7:"'nci",20:"'nci",50:"'nci",3:"'üncü",4:"'üncü",100:"'üncü",6:"'ncı",9:"'uncu",10:"'uncu",30:"'uncu",60:"'ıncı",90:"'ıncı"},n=e.defineLocale("tr",{months:"Ocak_Şubat_Mart_Nisan_Mayıs_Haziran_Temmuz_Ağustos_Eylül_Ekim_Kasım_Aralık".split("_"),monthsShort:"Oca_Şub_Mar_Nis_May_Haz_Tem_Ağu_Eyl_Eki_Kas_Ara".split("_"),weekdays:"Pazar_Pazartesi_Salı_Çarşamba_Perşembe_Cuma_Cumartesi".split("_"),weekdaysShort:"Paz_Pzt_Sal_Çar_Per_Cum_Cmt".split("_"),weekdaysMin:"Pz_Pt_Sa_Ça_Pe_Cu_Ct".split("_"),meridiem:function(e,t,n){return e<12?n?"öö":"ÖÖ":n?"ös":"ÖS"},meridiemParse:/öö|ÖÖ|ös|ÖS/,isPM:function(e){return"ös"===e||"ÖS"===e},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[yarın saat] LT",nextWeek:"[gelecek] dddd [saat] LT",lastDay:"[dün] LT",lastWeek:"[geçen] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s önce",s:"birkaç saniye",ss:"%d saniye",m:"bir dakika",mm:"%d dakika",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",w:"bir hafta",ww:"%d hafta",M:"bir ay",MM:"%d ay",y:"bir yıl",yy:"%d yıl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'ıncı";var r=e%10,a=e%100-r,i=e>=100?100:null;return e+(t[r]||t[a]||t[i])}},week:{dow:1,doy:7}});return n}))},3440:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("tzl",{months:"Januar_Fevraglh_Març_Avrïu_Mai_Gün_Julia_Guscht_Setemvar_Listopäts_Noemvar_Zecemvar".split("_"),monthsShort:"Jan_Fev_Mar_Avr_Mai_Gün_Jul_Gus_Set_Lis_Noe_Zec".split("_"),weekdays:"Súladi_Lúneçi_Maitzi_Márcuri_Xhúadi_Viénerçi_Sáturi".split("_"),weekdaysShort:"Súl_Lún_Mai_Már_Xhú_Vié_Sát".split("_"),weekdaysMin:"Sú_Lú_Ma_Má_Xh_Vi_Sá".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"D. MMMM [dallas] YYYY",LLL:"D. MMMM [dallas] YYYY HH.mm",LLLL:"dddd, [li] D. MMMM [dallas] YYYY HH.mm"},meridiemParse:/d\'o|d\'a/i,isPM:function(e){return"d'o"===e.toLowerCase()},meridiem:function(e,t,n){return e>11?n?"d'o":"D'O":n?"d'a":"D'A"},calendar:{sameDay:"[oxhi à] LT",nextDay:"[demà à] LT",nextWeek:"dddd [à] LT",lastDay:"[ieiri à] LT",lastWeek:"[sür el] dddd [lasteu à] LT",sameElse:"L"},relativeTime:{future:"osprei %s",past:"ja%s",s:n,ss:n,m:n,mm:n,h:n,hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}});function n(e,t,n,r){var a={s:["viensas secunds","'iensas secunds"],ss:[e+" secunds",e+" secunds"],m:["'n míut","'iens míut"],mm:[e+" míuts",e+" míuts"],h:["'n þora","'iensa þora"],hh:[e+" þoras",e+" þoras"],d:["'n ziua","'iensa ziua"],dd:[e+" ziuas",e+" ziuas"],M:["'n mes","'iens mes"],MM:[e+" mesen",e+" mesen"],y:["'n ar","'iens ar"],yy:[e+" ars",e+" ars"]};return r||t?a[n][0]:a[n][1]}return t}))},2350:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("tzm-latn",{months:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),monthsShort:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),weekdays:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysShort:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysMin:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[asdkh g] LT",nextDay:"[aska g] LT",nextWeek:"dddd [g] LT",lastDay:"[assant g] LT",lastWeek:"dddd [g] LT",sameElse:"L"},relativeTime:{future:"dadkh s yan %s",past:"yan %s",s:"imik",ss:"%d imik",m:"minuḍ",mm:"%d minuḍ",h:"saɛa",hh:"%d tassaɛin",d:"ass",dd:"%d ossan",M:"ayowr",MM:"%d iyyirn",y:"asgas",yy:"%d isgasn"},week:{dow:6,doy:12}});return t}))},9852:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("tzm",{months:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),monthsShort:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),weekdays:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysShort:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysMin:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ⴰⵙⴷⵅ ⴴ] LT",nextDay:"[ⴰⵙⴽⴰ ⴴ] LT",nextWeek:"dddd [ⴴ] LT",lastDay:"[ⴰⵚⴰⵏⵜ ⴴ] LT",lastWeek:"dddd [ⴴ] LT",sameElse:"L"},relativeTime:{future:"ⴷⴰⴷⵅ ⵙ ⵢⴰⵏ %s",past:"ⵢⴰⵏ %s",s:"ⵉⵎⵉⴽ",ss:"%d ⵉⵎⵉⴽ",m:"ⵎⵉⵏⵓⴺ",mm:"%d ⵎⵉⵏⵓⴺ",h:"ⵙⴰⵄⴰ",hh:"%d ⵜⴰⵙⵙⴰⵄⵉⵏ",d:"ⴰⵙⵙ",dd:"%d oⵙⵙⴰⵏ",M:"ⴰⵢoⵓⵔ",MM:"%d ⵉⵢⵢⵉⵔⵏ",y:"ⴰⵙⴳⴰⵙ",yy:"%d ⵉⵙⴳⴰⵙⵏ"},week:{dow:6,doy:12}});return t}))},730:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("ug-cn",{months:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),monthsShort:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),weekdays:"يەكشەنبە_دۈشەنبە_سەيشەنبە_چارشەنبە_پەيشەنبە_جۈمە_شەنبە".split("_"),weekdaysShort:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),weekdaysMin:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY-يىلىM-ئاينىڭD-كۈنى",LLL:"YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm",LLLL:"dddd، YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm"},meridiemParse:/يېرىم كېچە|سەھەر|چۈشتىن بۇرۇن|چۈش|چۈشتىن كېيىن|كەچ/,meridiemHour:function(e,t){return 12===e&&(e=0),"يېرىم كېچە"===t||"سەھەر"===t||"چۈشتىن بۇرۇن"===t?e:"چۈشتىن كېيىن"===t||"كەچ"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"يېرىم كېچە":r<900?"سەھەر":r<1130?"چۈشتىن بۇرۇن":r<1230?"چۈش":r<1800?"چۈشتىن كېيىن":"كەچ"},calendar:{sameDay:"[بۈگۈن سائەت] LT",nextDay:"[ئەتە سائەت] LT",nextWeek:"[كېلەركى] dddd [سائەت] LT",lastDay:"[تۆنۈگۈن] LT",lastWeek:"[ئالدىنقى] dddd [سائەت] LT",sameElse:"L"},relativeTime:{future:"%s كېيىن",past:"%s بۇرۇن",s:"نەچچە سېكونت",ss:"%d سېكونت",m:"بىر مىنۇت",mm:"%d مىنۇت",h:"بىر سائەت",hh:"%d سائەت",d:"بىر كۈن",dd:"%d كۈن",M:"بىر ئاي",MM:"%d ئاي",y:"بىر يىل",yy:"%d يىل"},dayOfMonthOrdinalParse:/\d{1,2}(-كۈنى|-ئاي|-ھەپتە)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"-كۈنى";case"w":case"W":return e+"-ھەپتە";default:return e}},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:7}});return t}))},99:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +function t(e,t){var n=e.split("_");return t%10===1&&t%100!==11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){var a={ss:n?"секунда_секунди_секунд":"секунду_секунди_секунд",mm:n?"хвилина_хвилини_хвилин":"хвилину_хвилини_хвилин",hh:n?"година_години_годин":"годину_години_годин",dd:"день_дні_днів",MM:"місяць_місяці_місяців",yy:"рік_роки_років"};return"m"===r?n?"хвилина":"хвилину":"h"===r?n?"година":"годину":e+" "+t(a[r],+e)}function r(e,t){var n,r={nominative:"неділя_понеділок_вівторок_середа_четвер_п’ятниця_субота".split("_"),accusative:"неділю_понеділок_вівторок_середу_четвер_п’ятницю_суботу".split("_"),genitive:"неділі_понеділка_вівторка_середи_четверга_п’ятниці_суботи".split("_")};return!0===e?r["nominative"].slice(1,7).concat(r["nominative"].slice(0,1)):e?(n=/(\[[ВвУу]\]) ?dddd/.test(t)?"accusative":/\[?(?:минулої|наступної)? ?\] ?dddd/.test(t)?"genitive":"nominative",r[n][e.day()]):r["nominative"]}function a(e){return function(){return e+"о"+(11===this.hours()?"б":"")+"] LT"}}var i=e.defineLocale("uk",{months:{format:"січня_лютого_березня_квітня_травня_червня_липня_серпня_вересня_жовтня_листопада_грудня".split("_"),standalone:"січень_лютий_березень_квітень_травень_червень_липень_серпень_вересень_жовтень_листопад_грудень".split("_")},monthsShort:"січ_лют_бер_квіт_трав_черв_лип_серп_вер_жовт_лист_груд".split("_"),weekdays:r,weekdaysShort:"нд_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY р.",LLL:"D MMMM YYYY р., HH:mm",LLLL:"dddd, D MMMM YYYY р., HH:mm"},calendar:{sameDay:a("[Сьогодні "),nextDay:a("[Завтра "),lastDay:a("[Вчора "),nextWeek:a("[У] dddd ["),lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return a("[Минулої] dddd [").call(this);case 1:case 2:case 4:return a("[Минулого] dddd [").call(this)}},sameElse:"L"},relativeTime:{future:"за %s",past:"%s тому",s:"декілька секунд",ss:n,m:n,mm:n,h:"годину",hh:n,d:"день",dd:n,M:"місяць",MM:n,y:"рік",yy:n},meridiemParse:/ночі|ранку|дня|вечора/,isPM:function(e){return/^(дня|вечора)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночі":e<12?"ранку":e<17?"дня":"вечора"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e+"-й";case"D":return e+"-го";default:return e}},week:{dow:1,doy:7}});return i}))},2100:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=["جنوری","فروری","مارچ","اپریل","مئی","جون","جولائی","اگست","ستمبر","اکتوبر","نومبر","دسمبر"],n=["اتوار","پیر","منگل","بدھ","جمعرات","جمعہ","ہفتہ"],r=e.defineLocale("ur",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[آج بوقت] LT",nextDay:"[کل بوقت] LT",nextWeek:"dddd [بوقت] LT",lastDay:"[گذشتہ روز بوقت] LT",lastWeek:"[گذشتہ] dddd [بوقت] LT",sameElse:"L"},relativeTime:{future:"%s بعد",past:"%s قبل",s:"چند سیکنڈ",ss:"%d سیکنڈ",m:"ایک منٹ",mm:"%d منٹ",h:"ایک گھنٹہ",hh:"%d گھنٹے",d:"ایک دن",dd:"%d دن",M:"ایک ماہ",MM:"%d ماہ",y:"ایک سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}});return r}))},6322:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("uz-latn",{months:"Yanvar_Fevral_Mart_Aprel_May_Iyun_Iyul_Avgust_Sentabr_Oktabr_Noyabr_Dekabr".split("_"),monthsShort:"Yan_Fev_Mar_Apr_May_Iyun_Iyul_Avg_Sen_Okt_Noy_Dek".split("_"),weekdays:"Yakshanba_Dushanba_Seshanba_Chorshanba_Payshanba_Juma_Shanba".split("_"),weekdaysShort:"Yak_Dush_Sesh_Chor_Pay_Jum_Shan".split("_"),weekdaysMin:"Ya_Du_Se_Cho_Pa_Ju_Sha".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Bugun soat] LT [da]",nextDay:"[Ertaga] LT [da]",nextWeek:"dddd [kuni soat] LT [da]",lastDay:"[Kecha soat] LT [da]",lastWeek:"[O'tgan] dddd [kuni soat] LT [da]",sameElse:"L"},relativeTime:{future:"Yaqin %s ichida",past:"Bir necha %s oldin",s:"soniya",ss:"%d soniya",m:"bir daqiqa",mm:"%d daqiqa",h:"bir soat",hh:"%d soat",d:"bir kun",dd:"%d kun",M:"bir oy",MM:"%d oy",y:"bir yil",yy:"%d yil"},week:{dow:1,doy:7}});return t}))},6002:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("uz",{months:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_"),monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"Якшанба_Душанба_Сешанба_Чоршанба_Пайшанба_Жума_Шанба".split("_"),weekdaysShort:"Якш_Душ_Сеш_Чор_Пай_Жум_Шан".split("_"),weekdaysMin:"Як_Ду_Се_Чо_Па_Жу_Ша".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Бугун соат] LT [да]",nextDay:"[Эртага] LT [да]",nextWeek:"dddd [куни соат] LT [да]",lastDay:"[Кеча соат] LT [да]",lastWeek:"[Утган] dddd [куни соат] LT [да]",sameElse:"L"},relativeTime:{future:"Якин %s ичида",past:"Бир неча %s олдин",s:"фурсат",ss:"%d фурсат",m:"бир дакика",mm:"%d дакика",h:"бир соат",hh:"%d соат",d:"бир кун",dd:"%d кун",M:"бир ой",MM:"%d ой",y:"бир йил",yy:"%d йил"},week:{dow:1,doy:7}});return t}))},4207:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("vi",{months:"tháng 1_tháng 2_tháng 3_tháng 4_tháng 5_tháng 6_tháng 7_tháng 8_tháng 9_tháng 10_tháng 11_tháng 12".split("_"),monthsShort:"Thg 01_Thg 02_Thg 03_Thg 04_Thg 05_Thg 06_Thg 07_Thg 08_Thg 09_Thg 10_Thg 11_Thg 12".split("_"),monthsParseExact:!0,weekdays:"chủ nhật_thứ hai_thứ ba_thứ tư_thứ năm_thứ sáu_thứ bảy".split("_"),weekdaysShort:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysMin:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysParseExact:!0,meridiemParse:/sa|ch/i,isPM:function(e){return/^ch$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"sa":"SA":n?"ch":"CH"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [năm] YYYY",LLL:"D MMMM [năm] YYYY HH:mm",LLLL:"dddd, D MMMM [năm] YYYY HH:mm",l:"DD/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[Hôm nay lúc] LT",nextDay:"[Ngày mai lúc] LT",nextWeek:"dddd [tuần tới lúc] LT",lastDay:"[Hôm qua lúc] LT",lastWeek:"dddd [tuần trước lúc] LT",sameElse:"L"},relativeTime:{future:"%s tới",past:"%s trước",s:"vài giây",ss:"%d giây",m:"một phút",mm:"%d phút",h:"một giờ",hh:"%d giờ",d:"một ngày",dd:"%d ngày",w:"một tuần",ww:"%d tuần",M:"một tháng",MM:"%d tháng",y:"một năm",yy:"%d năm"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}});return t}))},4674:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("x-pseudo",{months:"J~áñúá~rý_F~ébrú~árý_~Márc~h_Áp~ríl_~Máý_~Júñé~_Júl~ý_Áú~gúst~_Sép~témb~ér_Ó~ctób~ér_Ñ~óvém~bér_~Décé~mbér".split("_"),monthsShort:"J~áñ_~Féb_~Már_~Ápr_~Máý_~Júñ_~Júl_~Áúg_~Sép_~Óct_~Ñóv_~Déc".split("_"),monthsParseExact:!0,weekdays:"S~úñdá~ý_Mó~ñdáý~_Túé~sdáý~_Wéd~ñésd~áý_T~húrs~dáý_~Fríd~áý_S~átúr~dáý".split("_"),weekdaysShort:"S~úñ_~Móñ_~Túé_~Wéd_~Thú_~Frí_~Sát".split("_"),weekdaysMin:"S~ú_Mó~_Tú_~Wé_T~h_Fr~_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[T~ódá~ý át] LT",nextDay:"[T~ómó~rró~w át] LT",nextWeek:"dddd [át] LT",lastDay:"[Ý~ést~érdá~ý át] LT",lastWeek:"[L~ást] dddd [át] LT",sameElse:"L"},relativeTime:{future:"í~ñ %s",past:"%s á~gó",s:"á ~féw ~sécó~ñds",ss:"%d s~écóñ~ds",m:"á ~míñ~úté",mm:"%d m~íñú~tés",h:"á~ñ hó~úr",hh:"%d h~óúrs",d:"á ~dáý",dd:"%d d~áýs",M:"á ~móñ~th",MM:"%d m~óñt~hs",y:"á ~ýéár",yy:"%d ý~éárs"},dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10,n=1===~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n},week:{dow:1,doy:4}});return t}))},570:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("yo",{months:"Sẹ́rẹ́_Èrèlè_Ẹrẹ̀nà_Ìgbé_Èbibi_Òkùdu_Agẹmo_Ògún_Owewe_Ọ̀wàrà_Bélú_Ọ̀pẹ̀̀".split("_"),monthsShort:"Sẹ́r_Èrl_Ẹrn_Ìgb_Èbi_Òkù_Agẹ_Ògú_Owe_Ọ̀wà_Bél_Ọ̀pẹ̀̀".split("_"),weekdays:"Àìkú_Ajé_Ìsẹ́gun_Ọjọ́rú_Ọjọ́bọ_Ẹtì_Àbámẹ́ta".split("_"),weekdaysShort:"Àìk_Ajé_Ìsẹ́_Ọjr_Ọjb_Ẹtì_Àbá".split("_"),weekdaysMin:"Àì_Aj_Ìs_Ọr_Ọb_Ẹt_Àb".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Ònì ni] LT",nextDay:"[Ọ̀la ni] LT",nextWeek:"dddd [Ọsẹ̀ tón'bọ] [ni] LT",lastDay:"[Àna ni] LT",lastWeek:"dddd [Ọsẹ̀ tólọ́] [ni] LT",sameElse:"L"},relativeTime:{future:"ní %s",past:"%s kọjá",s:"ìsẹjú aayá die",ss:"aayá %d",m:"ìsẹjú kan",mm:"ìsẹjú %d",h:"wákati kan",hh:"wákati %d",d:"ọjọ́ kan",dd:"ọjọ́ %d",M:"osù kan",MM:"osù %d",y:"ọdún kan",yy:"ọdún %d"},dayOfMonthOrdinalParse:/ọjọ́\s\d{1,2}/,ordinal:"ọjọ́ %d",week:{dow:1,doy:4}});return t}))},3644:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("zh-cn",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"周日_周一_周二_周三_周四_周五_周六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日Ah点mm分",LLLL:"YYYY年M月D日ddddAh点mm分",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"下午"===t||"晚上"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:function(e){return e.week()!==this.week()?"[下]dddLT":"[本]dddLT"},lastDay:"[昨天]LT",lastWeek:function(e){return this.week()!==e.week()?"[上]dddLT":"[本]dddLT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|周)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"周";default:return e}},relativeTime:{future:"%s后",past:"%s前",s:"几秒",ss:"%d 秒",m:"1 分钟",mm:"%d 分钟",h:"1 小时",hh:"%d 小时",d:"1 天",dd:"%d 天",w:"1 周",ww:"%d 周",M:"1 个月",MM:"%d 个月",y:"1 年",yy:"%d 年"},week:{dow:1,doy:4}});return t}))},2591:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("zh-hk",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1200?"上午":1200===r?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:"[下]ddddLT",lastDay:"[昨天]LT",lastWeek:"[上]ddddLT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}});return t}))},9503:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("zh-mo",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"D/M/YYYY",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s內",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}});return t}))},8080:function(e,t,n){(function(e,t){t(n(6797))})(0,(function(e){"use strict";//! moment.js locale configuration +var t=e.defineLocale("zh-tw",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}});return t}))},6797:function(e,t,n){e=n.nmd(e),n(1703),function(t,n){e.exports=n()}(0,(function(){"use strict";var t,r;function a(){return t.apply(null,arguments)}function i(e){t=e}function o(e){return e instanceof Array||"[object Array]"===Object.prototype.toString.call(e)}function s(e){return null!=e&&"[object Object]"===Object.prototype.toString.call(e)}function u(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function l(e){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(e).length;var t;for(t in e)if(u(e,t))return!1;return!0}function d(e){return void 0===e}function c(e){return"number"===typeof e||"[object Number]"===Object.prototype.toString.call(e)}function f(e){return e instanceof Date||"[object Date]"===Object.prototype.toString.call(e)}function h(e,t){var n,r=[],a=e.length;for(n=0;n>>0;for(t=0;t0)for(n=0;n=0;return(i?n?"+":"":"-")+Math.pow(10,Math.max(0,a)).toString().substr(1)+r}var F=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,W=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,N={},I={};function R(e,t,n,r){var a=r;"string"===typeof r&&(a=function(){return this[r]()}),e&&(I[e]=a),t&&(I[t[0]]=function(){return E(a.apply(this,arguments),t[1],t[2])}),n&&(I[n]=function(){return this.localeData().ordinal(a.apply(this,arguments),e)})}function z(e){return e.match(/\[[\s\S]/)?e.replace(/^\[|\]$/g,""):e.replace(/\\/g,"")}function B(e){var t,n,r=e.match(F);for(t=0,n=r.length;t=0&&W.test(e))e=e.replace(W,r),W.lastIndex=0,n-=1;return e}var J={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"};function q(e){var t=this._longDateFormat[e],n=this._longDateFormat[e.toUpperCase()];return t||!n?t:(this._longDateFormat[e]=n.match(F).map((function(e){return"MMMM"===e||"MM"===e||"DD"===e||"dddd"===e?e.slice(1):e})).join(""),this._longDateFormat[e])}var G="Invalid date";function $(){return this._invalidDate}var K="%d",Z=/\d{1,2}/;function X(e){return this._ordinal.replace("%d",e)}var Q={future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"};function ee(e,t,n,r){var a=this._relativeTime[n];return H(a)?a(e,t,n,r):a.replace(/%d/i,e)}function te(e,t){var n=this._relativeTime[e>0?"future":"past"];return H(n)?n(t):n.replace(/%s/i,t)}var ne={};function re(e,t){var n=e.toLowerCase();ne[n]=ne[n+"s"]=ne[t]=e}function ae(e){return"string"===typeof e?ne[e]||ne[e.toLowerCase()]:void 0}function ie(e){var t,n,r={};for(n in e)u(e,n)&&(t=ae(n),t&&(r[t]=e[n]));return r}var oe={};function se(e,t){oe[e]=t}function ue(e){var t,n=[];for(t in e)u(e,t)&&n.push({unit:t,priority:oe[t]});return n.sort((function(e,t){return e.priority-t.priority})),n}function le(e){return e%4===0&&e%100!==0||e%400===0}function de(e){return e<0?Math.ceil(e)||0:Math.floor(e)}function ce(e){var t=+e,n=0;return 0!==t&&isFinite(t)&&(n=de(t)),n}function fe(e,t){return function(n){return null!=n?(_e(this,e,n),a.updateOffset(this,t),this):he(this,e)}}function he(e,t){return e.isValid()?e._d["get"+(e._isUTC?"UTC":"")+t]():NaN}function _e(e,t,n){e.isValid()&&!isNaN(n)&&("FullYear"===t&&le(e.year())&&1===e.month()&&29===e.date()?(n=ce(n),e._d["set"+(e._isUTC?"UTC":"")+t](n,e.month(),et(n,e.month()))):e._d["set"+(e._isUTC?"UTC":"")+t](n))}function me(e){return e=ae(e),H(this[e])?this[e]():this}function pe(e,t){if("object"===typeof e){e=ie(e);var n,r=ue(e),a=r.length;for(n=0;n68?1900:2e3)};var gt=fe("FullYear",!0);function yt(){return le(this.year())}function vt(e,t,n,r,a,i,o){var s;return e<100&&e>=0?(s=new Date(e+400,t,n,r,a,i,o),isFinite(s.getFullYear())&&s.setFullYear(e)):s=new Date(e,t,n,r,a,i,o),s}function Mt(e){var t,n;return e<100&&e>=0?(n=Array.prototype.slice.call(arguments),n[0]=e+400,t=new Date(Date.UTC.apply(null,n)),isFinite(t.getUTCFullYear())&&t.setUTCFullYear(e)):t=new Date(Date.UTC.apply(null,arguments)),t}function bt(e,t,n){var r=7+t-n,a=(7+Mt(e,0,r).getUTCDay()-t)%7;return-a+r-1}function Lt(e,t,n,r,a){var i,o,s=(7+n-r)%7,u=bt(e,r,a),l=1+7*(t-1)+s+u;return l<=0?(i=e-1,o=pt(i)+l):l>pt(e)?(i=e+1,o=l-pt(e)):(i=e,o=l),{year:i,dayOfYear:o}}function kt(e,t,n){var r,a,i=bt(e.year(),t,n),o=Math.floor((e.dayOfYear()-i-1)/7)+1;return o<1?(a=e.year()-1,r=o+wt(a,t,n)):o>wt(e.year(),t,n)?(r=o-wt(e.year(),t,n),a=e.year()+1):(a=e.year(),r=o),{week:r,year:a}}function wt(e,t,n){var r=bt(e,t,n),a=bt(e+1,t,n);return(pt(e)-r+a)/7}function Yt(e){return kt(e,this._week.dow,this._week.doy).week}R("w",["ww",2],"wo","week"),R("W",["WW",2],"Wo","isoWeek"),re("week","w"),re("isoWeek","W"),se("week",5),se("isoWeek",5),Ce("w",ke),Ce("ww",ke,ve),Ce("W",ke),Ce("WW",ke,ve),Re(["w","ww","W","WW"],(function(e,t,n,r){t[r.substr(0,1)]=ce(e)}));var xt={dow:0,doy:6};function Dt(){return this._week.dow}function Tt(){return this._week.doy}function St(e){var t=this.localeData().week(this);return null==e?t:this.add(7*(e-t),"d")}function Ht(e){var t=kt(this,1,4).week;return null==e?t:this.add(7*(e-t),"d")}function jt(e,t){return"string"!==typeof e?e:isNaN(e)?(e=t.weekdaysParse(e),"number"===typeof e?e:null):parseInt(e,10)}function Ot(e,t){return"string"===typeof e?t.weekdaysParse(e)%7||7:isNaN(e)?null:e}function Pt(e,t){return e.slice(t,7).concat(e.slice(0,t))}R("d",0,"do","day"),R("dd",0,0,(function(e){return this.localeData().weekdaysMin(this,e)})),R("ddd",0,0,(function(e){return this.localeData().weekdaysShort(this,e)})),R("dddd",0,0,(function(e){return this.localeData().weekdays(this,e)})),R("e",0,0,"weekday"),R("E",0,0,"isoWeekday"),re("day","d"),re("weekday","e"),re("isoWeekday","E"),se("day",11),se("weekday",11),se("isoWeekday",11),Ce("d",ke),Ce("e",ke),Ce("E",ke),Ce("dd",(function(e,t){return t.weekdaysMinRegex(e)})),Ce("ddd",(function(e,t){return t.weekdaysShortRegex(e)})),Ce("dddd",(function(e,t){return t.weekdaysRegex(e)})),Re(["dd","ddd","dddd"],(function(e,t,n,r){var a=n._locale.weekdaysParse(e,r,n._strict);null!=a?t.d=a:g(n).invalidWeekday=e})),Re(["d","e","E"],(function(e,t,n,r){t[r]=ce(e)}));var At="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Ct="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),Et="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Ft=Ae,Wt=Ae,Nt=Ae;function It(e,t){var n=o(this._weekdays)?this._weekdays:this._weekdays[e&&!0!==e&&this._weekdays.isFormat.test(t)?"format":"standalone"];return!0===e?Pt(n,this._week.dow):e?n[e.day()]:n}function Rt(e){return!0===e?Pt(this._weekdaysShort,this._week.dow):e?this._weekdaysShort[e.day()]:this._weekdaysShort}function zt(e){return!0===e?Pt(this._weekdaysMin,this._week.dow):e?this._weekdaysMin[e.day()]:this._weekdaysMin}function Bt(e,t,n){var r,a,i,o=e.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],r=0;r<7;++r)i=m([2e3,1]).day(r),this._minWeekdaysParse[r]=this.weekdaysMin(i,"").toLocaleLowerCase(),this._shortWeekdaysParse[r]=this.weekdaysShort(i,"").toLocaleLowerCase(),this._weekdaysParse[r]=this.weekdays(i,"").toLocaleLowerCase();return n?"dddd"===t?(a=Be.call(this._weekdaysParse,o),-1!==a?a:null):"ddd"===t?(a=Be.call(this._shortWeekdaysParse,o),-1!==a?a:null):(a=Be.call(this._minWeekdaysParse,o),-1!==a?a:null):"dddd"===t?(a=Be.call(this._weekdaysParse,o),-1!==a?a:(a=Be.call(this._shortWeekdaysParse,o),-1!==a?a:(a=Be.call(this._minWeekdaysParse,o),-1!==a?a:null))):"ddd"===t?(a=Be.call(this._shortWeekdaysParse,o),-1!==a?a:(a=Be.call(this._weekdaysParse,o),-1!==a?a:(a=Be.call(this._minWeekdaysParse,o),-1!==a?a:null))):(a=Be.call(this._minWeekdaysParse,o),-1!==a?a:(a=Be.call(this._weekdaysParse,o),-1!==a?a:(a=Be.call(this._shortWeekdaysParse,o),-1!==a?a:null)))}function Vt(e,t,n){var r,a,i;if(this._weekdaysParseExact)return Bt.call(this,e,t,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),r=0;r<7;r++){if(a=m([2e3,1]).day(r),n&&!this._fullWeekdaysParse[r]&&(this._fullWeekdaysParse[r]=new RegExp("^"+this.weekdays(a,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[r]=new RegExp("^"+this.weekdaysShort(a,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[r]=new RegExp("^"+this.weekdaysMin(a,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[r]||(i="^"+this.weekdays(a,"")+"|^"+this.weekdaysShort(a,"")+"|^"+this.weekdaysMin(a,""),this._weekdaysParse[r]=new RegExp(i.replace(".",""),"i")),n&&"dddd"===t&&this._fullWeekdaysParse[r].test(e))return r;if(n&&"ddd"===t&&this._shortWeekdaysParse[r].test(e))return r;if(n&&"dd"===t&&this._minWeekdaysParse[r].test(e))return r;if(!n&&this._weekdaysParse[r].test(e))return r}}function Ut(e){if(!this.isValid())return null!=e?this:NaN;var t=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=e?(e=jt(e,this.localeData()),this.add(e-t,"d")):t}function Jt(e){if(!this.isValid())return null!=e?this:NaN;var t=(this.day()+7-this.localeData()._week.dow)%7;return null==e?t:this.add(e-t,"d")}function qt(e){if(!this.isValid())return null!=e?this:NaN;if(null!=e){var t=Ot(e,this.localeData());return this.day(this.day()%7?t:t-7)}return this.day()||7}function Gt(e){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Zt.call(this),e?this._weekdaysStrictRegex:this._weekdaysRegex):(u(this,"_weekdaysRegex")||(this._weekdaysRegex=Ft),this._weekdaysStrictRegex&&e?this._weekdaysStrictRegex:this._weekdaysRegex)}function $t(e){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Zt.call(this),e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(u(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=Wt),this._weekdaysShortStrictRegex&&e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)}function Kt(e){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Zt.call(this),e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(u(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=Nt),this._weekdaysMinStrictRegex&&e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)}function Zt(){function e(e,t){return t.length-e.length}var t,n,r,a,i,o=[],s=[],u=[],l=[];for(t=0;t<7;t++)n=m([2e3,1]).day(t),r=We(this.weekdaysMin(n,"")),a=We(this.weekdaysShort(n,"")),i=We(this.weekdays(n,"")),o.push(r),s.push(a),u.push(i),l.push(r),l.push(a),l.push(i);o.sort(e),s.sort(e),u.sort(e),l.sort(e),this._weekdaysRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+u.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+o.join("|")+")","i")}function Xt(){return this.hours()%12||12}function Qt(){return this.hours()||24}function en(e,t){R(e,0,0,(function(){return this.localeData().meridiem(this.hours(),this.minutes(),t)}))}function tn(e,t){return t._meridiemParse}function nn(e){return"p"===(e+"").toLowerCase().charAt(0)}R("H",["HH",2],0,"hour"),R("h",["hh",2],0,Xt),R("k",["kk",2],0,Qt),R("hmm",0,0,(function(){return""+Xt.apply(this)+E(this.minutes(),2)})),R("hmmss",0,0,(function(){return""+Xt.apply(this)+E(this.minutes(),2)+E(this.seconds(),2)})),R("Hmm",0,0,(function(){return""+this.hours()+E(this.minutes(),2)})),R("Hmmss",0,0,(function(){return""+this.hours()+E(this.minutes(),2)+E(this.seconds(),2)})),en("a",!0),en("A",!1),re("hour","h"),se("hour",13),Ce("a",tn),Ce("A",tn),Ce("H",ke),Ce("h",ke),Ce("k",ke),Ce("HH",ke,ve),Ce("hh",ke,ve),Ce("kk",ke,ve),Ce("hmm",we),Ce("hmmss",Ye),Ce("Hmm",we),Ce("Hmmss",Ye),Ie(["H","HH"],qe),Ie(["k","kk"],(function(e,t,n){var r=ce(e);t[qe]=24===r?0:r})),Ie(["a","A"],(function(e,t,n){n._isPm=n._locale.isPM(e),n._meridiem=e})),Ie(["h","hh"],(function(e,t,n){t[qe]=ce(e),g(n).bigHour=!0})),Ie("hmm",(function(e,t,n){var r=e.length-2;t[qe]=ce(e.substr(0,r)),t[Ge]=ce(e.substr(r)),g(n).bigHour=!0})),Ie("hmmss",(function(e,t,n){var r=e.length-4,a=e.length-2;t[qe]=ce(e.substr(0,r)),t[Ge]=ce(e.substr(r,2)),t[$e]=ce(e.substr(a)),g(n).bigHour=!0})),Ie("Hmm",(function(e,t,n){var r=e.length-2;t[qe]=ce(e.substr(0,r)),t[Ge]=ce(e.substr(r))})),Ie("Hmmss",(function(e,t,n){var r=e.length-4,a=e.length-2;t[qe]=ce(e.substr(0,r)),t[Ge]=ce(e.substr(r,2)),t[$e]=ce(e.substr(a))}));var rn=/[ap]\.?m?\.?/i,an=fe("Hours",!0);function on(e,t,n){return e>11?n?"pm":"PM":n?"am":"AM"}var sn,un={calendar:A,longDateFormat:J,invalidDate:G,ordinal:K,dayOfMonthOrdinalParse:Z,relativeTime:Q,months:tt,monthsShort:nt,week:xt,weekdays:At,weekdaysMin:Et,weekdaysShort:Ct,meridiemParse:rn},ln={},dn={};function cn(e,t){var n,r=Math.min(e.length,t.length);for(n=0;n0){if(r=mn(a.slice(0,t).join("-")),r)return r;if(n&&n.length>=t&&cn(a,n)>=t-1)break;t--}i++}return sn}function _n(e){return null!=e.match("^[^/\\\\]*$")}function mn(t){var r=null;if(void 0===ln[t]&&e&&e.exports&&_n(t))try{r=sn._abbr,void 0,n(6700)("./"+t),pn(r)}catch(a){ln[t]=null}return ln[t]}function pn(e,t){var n;return e&&(n=d(t)?vn(e):gn(e,t),n?sn=n:"undefined"!==typeof console&&console.warn&&console.warn("Locale "+e+" not found. Did you forget to load it?")),sn._abbr}function gn(e,t){if(null!==t){var n,r=un;if(t.abbr=e,null!=ln[e])S("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),r=ln[e]._config;else if(null!=t.parentLocale)if(null!=ln[t.parentLocale])r=ln[t.parentLocale]._config;else{if(n=mn(t.parentLocale),null==n)return dn[t.parentLocale]||(dn[t.parentLocale]=[]),dn[t.parentLocale].push({name:e,config:t}),null;r=n._config}return ln[e]=new P(O(r,t)),dn[e]&&dn[e].forEach((function(e){gn(e.name,e.config)})),pn(e),ln[e]}return delete ln[e],null}function yn(e,t){if(null!=t){var n,r,a=un;null!=ln[e]&&null!=ln[e].parentLocale?ln[e].set(O(ln[e]._config,t)):(r=mn(e),null!=r&&(a=r._config),t=O(a,t),null==r&&(t.abbr=e),n=new P(t),n.parentLocale=ln[e],ln[e]=n),pn(e)}else null!=ln[e]&&(null!=ln[e].parentLocale?(ln[e]=ln[e].parentLocale,e===pn()&&pn(e)):null!=ln[e]&&delete ln[e]);return ln[e]}function vn(e){var t;if(e&&e._locale&&e._locale._abbr&&(e=e._locale._abbr),!e)return sn;if(!o(e)){if(t=mn(e),t)return t;e=[e]}return hn(e)}function Mn(){return D(ln)}function bn(e){var t,n=e._a;return n&&-2===g(e).overflow&&(t=n[Ue]<0||n[Ue]>11?Ue:n[Je]<1||n[Je]>et(n[Ve],n[Ue])?Je:n[qe]<0||n[qe]>24||24===n[qe]&&(0!==n[Ge]||0!==n[$e]||0!==n[Ke])?qe:n[Ge]<0||n[Ge]>59?Ge:n[$e]<0||n[$e]>59?$e:n[Ke]<0||n[Ke]>999?Ke:-1,g(e)._overflowDayOfYear&&(tJe)&&(t=Je),g(e)._overflowWeeks&&-1===t&&(t=Ze),g(e)._overflowWeekday&&-1===t&&(t=Xe),g(e).overflow=t),e}var Ln=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,kn=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,wn=/Z|[+-]\d\d(?::?\d\d)?/,Yn=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],xn=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],Dn=/^\/?Date\((-?\d+)/i,Tn=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,Sn={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Hn(e){var t,n,r,a,i,o,s=e._i,u=Ln.exec(s)||kn.exec(s),l=Yn.length,d=xn.length;if(u){for(g(e).iso=!0,t=0,n=l;tpt(i)||0===e._dayOfYear)&&(g(e)._overflowDayOfYear=!0),n=Mt(i,0,e._dayOfYear),e._a[Ue]=n.getUTCMonth(),e._a[Je]=n.getUTCDate()),t=0;t<3&&null==e._a[t];++t)e._a[t]=o[t]=r[t];for(;t<7;t++)e._a[t]=o[t]=null==e._a[t]?2===t?1:0:e._a[t];24===e._a[qe]&&0===e._a[Ge]&&0===e._a[$e]&&0===e._a[Ke]&&(e._nextDay=!0,e._a[qe]=0),e._d=(e._useUTC?Mt:vt).apply(null,o),a=e._useUTC?e._d.getUTCDay():e._d.getDay(),null!=e._tzm&&e._d.setUTCMinutes(e._d.getUTCMinutes()-e._tzm),e._nextDay&&(e._a[qe]=24),e._w&&"undefined"!==typeof e._w.d&&e._w.d!==a&&(g(e).weekdayMismatch=!0)}}function Rn(e){var t,n,r,a,i,o,s,u,l;t=e._w,null!=t.GG||null!=t.W||null!=t.E?(i=1,o=4,n=Wn(t.GG,e._a[Ve],kt(Kn(),1,4).year),r=Wn(t.W,1),a=Wn(t.E,1),(a<1||a>7)&&(u=!0)):(i=e._locale._week.dow,o=e._locale._week.doy,l=kt(Kn(),i,o),n=Wn(t.gg,e._a[Ve],l.year),r=Wn(t.w,l.week),null!=t.d?(a=t.d,(a<0||a>6)&&(u=!0)):null!=t.e?(a=t.e+i,(t.e<0||t.e>6)&&(u=!0)):a=i),r<1||r>wt(n,i,o)?g(e)._overflowWeeks=!0:null!=u?g(e)._overflowWeekday=!0:(s=Lt(n,r,a,i,o),e._a[Ve]=s.year,e._dayOfYear=s.dayOfYear)}function zn(e){if(e._f!==a.ISO_8601)if(e._f!==a.RFC_2822){e._a=[],g(e).empty=!0;var t,n,r,i,o,s,u,l=""+e._i,d=l.length,c=0;for(r=U(e._f,e._locale).match(F)||[],u=r.length,t=0;t0&&g(e).unusedInput.push(o),l=l.slice(l.indexOf(n)+n.length),c+=n.length),I[i]?(n?g(e).empty=!1:g(e).unusedTokens.push(i),ze(i,n,e)):e._strict&&!n&&g(e).unusedTokens.push(i);g(e).charsLeftOver=d-c,l.length>0&&g(e).unusedInput.push(l),e._a[qe]<=12&&!0===g(e).bigHour&&e._a[qe]>0&&(g(e).bigHour=void 0),g(e).parsedDateParts=e._a.slice(0),g(e).meridiem=e._meridiem,e._a[qe]=Bn(e._locale,e._a[qe],e._meridiem),s=g(e).era,null!==s&&(e._a[Ve]=e._locale.erasConvertYear(s,e._a[Ve])),In(e),bn(e)}else En(e);else Hn(e)}function Bn(e,t,n){var r;return null==n?t:null!=e.meridiemHour?e.meridiemHour(t,n):null!=e.isPM?(r=e.isPM(n),r&&t<12&&(t+=12),r||12!==t||(t=0),t):t}function Vn(e){var t,n,r,a,i,o,s=!1,u=e._f.length;if(0===u)return g(e).invalidFormat=!0,void(e._d=new Date(NaN));for(a=0;athis?this:e:v()}));function Qn(e,t){var n,r;if(1===t.length&&o(t[0])&&(t=t[0]),!t.length)return Kn();for(n=t[0],r=1;rthis.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()}function kr(){if(!d(this._isDSTShifted))return this._isDSTShifted;var e,t={};return L(t,this),t=qn(t),t._a?(e=t._isUTC?m(t._a):Kn(t._a),this._isDSTShifted=this.isValid()&&dr(t._a,e.toArray())>0):this._isDSTShifted=!1,this._isDSTShifted}function wr(){return!!this.isValid()&&!this._isUTC}function Yr(){return!!this.isValid()&&this._isUTC}function xr(){return!!this.isValid()&&(this._isUTC&&0===this._offset)}a.updateOffset=function(){};var Dr=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,Tr=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function Sr(e,t){var n,r,a,i=e,o=null;return ur(e)?i={ms:e._milliseconds,d:e._days,M:e._months}:c(e)||!isNaN(+e)?(i={},t?i[t]=+e:i.milliseconds=+e):(o=Dr.exec(e))?(n="-"===o[1]?-1:1,i={y:0,d:ce(o[Je])*n,h:ce(o[qe])*n,m:ce(o[Ge])*n,s:ce(o[$e])*n,ms:ce(lr(1e3*o[Ke]))*n}):(o=Tr.exec(e))?(n="-"===o[1]?-1:1,i={y:Hr(o[2],n),M:Hr(o[3],n),w:Hr(o[4],n),d:Hr(o[5],n),h:Hr(o[6],n),m:Hr(o[7],n),s:Hr(o[8],n)}):null==i?i={}:"object"===typeof i&&("from"in i||"to"in i)&&(a=Or(Kn(i.from),Kn(i.to)),i={},i.ms=a.milliseconds,i.M=a.months),r=new sr(i),ur(e)&&u(e,"_locale")&&(r._locale=e._locale),ur(e)&&u(e,"_isValid")&&(r._isValid=e._isValid),r}function Hr(e,t){var n=e&&parseFloat(e.replace(",","."));return(isNaN(n)?0:n)*t}function jr(e,t){var n={};return n.months=t.month()-e.month()+12*(t.year()-e.year()),e.clone().add(n.months,"M").isAfter(t)&&--n.months,n.milliseconds=+t-+e.clone().add(n.months,"M"),n}function Or(e,t){var n;return e.isValid()&&t.isValid()?(t=_r(t,e),e.isBefore(t)?n=jr(e,t):(n=jr(t,e),n.milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function Pr(e,t){return function(n,r){var a,i;return null===r||isNaN(+r)||(S(t,"moment()."+t+"(period, number) is deprecated. Please use moment()."+t+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),i=n,n=r,r=i),a=Sr(n,r),Ar(this,a,e),this}}function Ar(e,t,n,r){var i=t._milliseconds,o=lr(t._days),s=lr(t._months);e.isValid()&&(r=null==r||r,s&&dt(e,he(e,"Month")+s*n),o&&_e(e,"Date",he(e,"Date")+o*n),i&&e._d.setTime(e._d.valueOf()+i*n),r&&a.updateOffset(e,o||s))}Sr.fn=sr.prototype,Sr.invalid=or;var Cr=Pr(1,"add"),Er=Pr(-1,"subtract");function Fr(e){return"string"===typeof e||e instanceof String}function Wr(e){return w(e)||f(e)||Fr(e)||c(e)||Ir(e)||Nr(e)||null===e||void 0===e}function Nr(e){var t,n,r=s(e)&&!l(e),a=!1,i=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"],o=i.length;for(t=0;tn.valueOf():n.valueOf()9999?V(n,t?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):H(Date.prototype.toISOString)?t?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",V(n,"Z")):V(n,t?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ")}function ta(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var e,t,n,r,a="moment",i="";return this.isLocal()||(a=0===this.utcOffset()?"moment.utc":"moment.parseZone",i="Z"),e="["+a+'("]',t=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",n="-MM-DD[T]HH:mm:ss.SSS",r=i+'[")]',this.format(e+t+n+r)}function na(e){e||(e=this.isUtc()?a.defaultFormatUtc:a.defaultFormat);var t=V(this,e);return this.localeData().postformat(t)}function ra(e,t){return this.isValid()&&(w(e)&&e.isValid()||Kn(e).isValid())?Sr({to:this,from:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function aa(e){return this.from(Kn(),e)}function ia(e,t){return this.isValid()&&(w(e)&&e.isValid()||Kn(e).isValid())?Sr({from:this,to:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function oa(e){return this.to(Kn(),e)}function sa(e){var t;return void 0===e?this._locale._abbr:(t=vn(e),null!=t&&(this._locale=t),this)}a.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",a.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var ua=x("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",(function(e){return void 0===e?this.localeData():this.locale(e)}));function la(){return this._locale}var da=1e3,ca=60*da,fa=60*ca,ha=3506328*fa;function _a(e,t){return(e%t+t)%t}function ma(e,t,n){return e<100&&e>=0?new Date(e+400,t,n)-ha:new Date(e,t,n).valueOf()}function pa(e,t,n){return e<100&&e>=0?Date.UTC(e+400,t,n)-ha:Date.UTC(e,t,n)}function ga(e){var t,n;if(e=ae(e),void 0===e||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?pa:ma,e){case"year":t=n(this.year(),0,1);break;case"quarter":t=n(this.year(),this.month()-this.month()%3,1);break;case"month":t=n(this.year(),this.month(),1);break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":t=n(this.year(),this.month(),this.date());break;case"hour":t=this._d.valueOf(),t-=_a(t+(this._isUTC?0:this.utcOffset()*ca),fa);break;case"minute":t=this._d.valueOf(),t-=_a(t,ca);break;case"second":t=this._d.valueOf(),t-=_a(t,da);break}return this._d.setTime(t),a.updateOffset(this,!0),this}function ya(e){var t,n;if(e=ae(e),void 0===e||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?pa:ma,e){case"year":t=n(this.year()+1,0,1)-1;break;case"quarter":t=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":t=n(this.year(),this.month()+1,1)-1;break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":t=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":t=this._d.valueOf(),t+=fa-_a(t+(this._isUTC?0:this.utcOffset()*ca),fa)-1;break;case"minute":t=this._d.valueOf(),t+=ca-_a(t,ca)-1;break;case"second":t=this._d.valueOf(),t+=da-_a(t,da)-1;break}return this._d.setTime(t),a.updateOffset(this,!0),this}function va(){return this._d.valueOf()-6e4*(this._offset||0)}function Ma(){return Math.floor(this.valueOf()/1e3)}function ba(){return new Date(this.valueOf())}function La(){var e=this;return[e.year(),e.month(),e.date(),e.hour(),e.minute(),e.second(),e.millisecond()]}function ka(){var e=this;return{years:e.year(),months:e.month(),date:e.date(),hours:e.hours(),minutes:e.minutes(),seconds:e.seconds(),milliseconds:e.milliseconds()}}function wa(){return this.isValid()?this.toISOString():null}function Ya(){return y(this)}function xa(){return _({},g(this))}function Da(){return g(this).overflow}function Ta(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}}function Sa(e,t){var n,r,i,o=this._eras||vn("en")._eras;for(n=0,r=o.length;n=0)return u[r]}function ja(e,t){var n=e.since<=e.until?1:-1;return void 0===t?a(e.since).year():a(e.since).year()+(t-e.offset)*n}function Oa(){var e,t,n,r=this.localeData().eras();for(e=0,t=r.length;ei&&(t=i),Xa.call(this,e,t,n,r,a))}function Xa(e,t,n,r,a){var i=Lt(e,t,n,r,a),o=Mt(i.year,0,i.dayOfYear);return this.year(o.getUTCFullYear()),this.month(o.getUTCMonth()),this.date(o.getUTCDate()),this}function Qa(e){return null==e?Math.ceil((this.month()+1)/3):this.month(3*(e-1)+this.month()%3)}R("N",0,0,"eraAbbr"),R("NN",0,0,"eraAbbr"),R("NNN",0,0,"eraAbbr"),R("NNNN",0,0,"eraName"),R("NNNNN",0,0,"eraNarrow"),R("y",["y",1],"yo","eraYear"),R("y",["yy",2],0,"eraYear"),R("y",["yyy",3],0,"eraYear"),R("y",["yyyy",4],0,"eraYear"),Ce("N",Na),Ce("NN",Na),Ce("NNN",Na),Ce("NNNN",Ia),Ce("NNNNN",Ra),Ie(["N","NN","NNN","NNNN","NNNNN"],(function(e,t,n,r){var a=n._locale.erasParse(e,r,n._strict);a?g(n).era=a:g(n).invalidEra=e})),Ce("y",Se),Ce("yy",Se),Ce("yyy",Se),Ce("yyyy",Se),Ce("yo",za),Ie(["y","yy","yyy","yyyy"],Ve),Ie(["yo"],(function(e,t,n,r){var a;n._locale._eraYearOrdinalRegex&&(a=e.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?t[Ve]=n._locale.eraYearOrdinalParse(e,a):t[Ve]=parseInt(e,10)})),R(0,["gg",2],0,(function(){return this.weekYear()%100})),R(0,["GG",2],0,(function(){return this.isoWeekYear()%100})),Va("gggg","weekYear"),Va("ggggg","weekYear"),Va("GGGG","isoWeekYear"),Va("GGGGG","isoWeekYear"),re("weekYear","gg"),re("isoWeekYear","GG"),se("weekYear",1),se("isoWeekYear",1),Ce("G",He),Ce("g",He),Ce("GG",ke,ve),Ce("gg",ke,ve),Ce("GGGG",De,be),Ce("gggg",De,be),Ce("GGGGG",Te,Le),Ce("ggggg",Te,Le),Re(["gggg","ggggg","GGGG","GGGGG"],(function(e,t,n,r){t[r.substr(0,2)]=ce(e)})),Re(["gg","GG"],(function(e,t,n,r){t[r]=a.parseTwoDigitYear(e)})),R("Q",0,"Qo","quarter"),re("quarter","Q"),se("quarter",7),Ce("Q",ye),Ie("Q",(function(e,t){t[Ue]=3*(ce(e)-1)})),R("D",["DD",2],"Do","date"),re("date","D"),se("date",9),Ce("D",ke),Ce("DD",ke,ve),Ce("Do",(function(e,t){return e?t._dayOfMonthOrdinalParse||t._ordinalParse:t._dayOfMonthOrdinalParseLenient})),Ie(["D","DD"],Je),Ie("Do",(function(e,t){t[Je]=ce(e.match(ke)[0])}));var ei=fe("Date",!0);function ti(e){var t=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==e?t:this.add(e-t,"d")}R("DDD",["DDDD",3],"DDDo","dayOfYear"),re("dayOfYear","DDD"),se("dayOfYear",4),Ce("DDD",xe),Ce("DDDD",Me),Ie(["DDD","DDDD"],(function(e,t,n){n._dayOfYear=ce(e)})),R("m",["mm",2],0,"minute"),re("minute","m"),se("minute",14),Ce("m",ke),Ce("mm",ke,ve),Ie(["m","mm"],Ge);var ni=fe("Minutes",!1);R("s",["ss",2],0,"second"),re("second","s"),se("second",15),Ce("s",ke),Ce("ss",ke,ve),Ie(["s","ss"],$e);var ri,ai,ii=fe("Seconds",!1);for(R("S",0,0,(function(){return~~(this.millisecond()/100)})),R(0,["SS",2],0,(function(){return~~(this.millisecond()/10)})),R(0,["SSS",3],0,"millisecond"),R(0,["SSSS",4],0,(function(){return 10*this.millisecond()})),R(0,["SSSSS",5],0,(function(){return 100*this.millisecond()})),R(0,["SSSSSS",6],0,(function(){return 1e3*this.millisecond()})),R(0,["SSSSSSS",7],0,(function(){return 1e4*this.millisecond()})),R(0,["SSSSSSSS",8],0,(function(){return 1e5*this.millisecond()})),R(0,["SSSSSSSSS",9],0,(function(){return 1e6*this.millisecond()})),re("millisecond","ms"),se("millisecond",16),Ce("S",xe,ye),Ce("SS",xe,ve),Ce("SSS",xe,Me),ri="SSSS";ri.length<=9;ri+="S")Ce(ri,Se);function oi(e,t){t[Ke]=ce(1e3*("0."+e))}for(ri="S";ri.length<=9;ri+="S")Ie(ri,oi);function si(){return this._isUTC?"UTC":""}function ui(){return this._isUTC?"Coordinated Universal Time":""}ai=fe("Milliseconds",!1),R("z",0,0,"zoneAbbr"),R("zz",0,0,"zoneName");var li=k.prototype;function di(e){return Kn(1e3*e)}function ci(){return Kn.apply(null,arguments).parseZone()}function fi(e){return e}li.add=Cr,li.calendar=Br,li.clone=Vr,li.diff=Zr,li.endOf=ya,li.format=na,li.from=ra,li.fromNow=aa,li.to=ia,li.toNow=oa,li.get=me,li.invalidAt=Da,li.isAfter=Ur,li.isBefore=Jr,li.isBetween=qr,li.isSame=Gr,li.isSameOrAfter=$r,li.isSameOrBefore=Kr,li.isValid=Ya,li.lang=ua,li.locale=sa,li.localeData=la,li.max=Xn,li.min=Zn,li.parsingFlags=xa,li.set=pe,li.startOf=ga,li.subtract=Er,li.toArray=La,li.toObject=ka,li.toDate=ba,li.toISOString=ea,li.inspect=ta,"undefined"!==typeof Symbol&&null!=Symbol.for&&(li[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),li.toJSON=wa,li.toString=Qr,li.unix=Ma,li.valueOf=va,li.creationData=Ta,li.eraName=Oa,li.eraNarrow=Pa,li.eraAbbr=Aa,li.eraYear=Ca,li.year=gt,li.isLeapYear=yt,li.weekYear=Ua,li.isoWeekYear=Ja,li.quarter=li.quarters=Qa,li.month=ct,li.daysInMonth=ft,li.week=li.weeks=St,li.isoWeek=li.isoWeeks=Ht,li.weeksInYear=$a,li.weeksInWeekYear=Ka,li.isoWeeksInYear=qa,li.isoWeeksInISOWeekYear=Ga,li.date=ei,li.day=li.days=Ut,li.weekday=Jt,li.isoWeekday=qt,li.dayOfYear=ti,li.hour=li.hours=an,li.minute=li.minutes=ni,li.second=li.seconds=ii,li.millisecond=li.milliseconds=ai,li.utcOffset=pr,li.utc=yr,li.local=vr,li.parseZone=Mr,li.hasAlignedHourOffset=br,li.isDST=Lr,li.isLocal=wr,li.isUtcOffset=Yr,li.isUtc=xr,li.isUTC=xr,li.zoneAbbr=si,li.zoneName=ui,li.dates=x("dates accessor is deprecated. Use date instead.",ei),li.months=x("months accessor is deprecated. Use month instead",ct),li.years=x("years accessor is deprecated. Use year instead",gt),li.zone=x("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",gr),li.isDSTShifted=x("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",kr);var hi=P.prototype;function _i(e,t,n,r){var a=vn(),i=m().set(r,t);return a[n](i,e)}function mi(e,t,n){if(c(e)&&(t=e,e=void 0),e=e||"",null!=t)return _i(e,t,n,"month");var r,a=[];for(r=0;r<12;r++)a[r]=_i(e,r,n,"month");return a}function pi(e,t,n,r){"boolean"===typeof e?(c(t)&&(n=t,t=void 0),t=t||""):(t=e,n=t,e=!1,c(t)&&(n=t,t=void 0),t=t||"");var a,i=vn(),o=e?i._week.dow:0,s=[];if(null!=n)return _i(t,(n+o)%7,r,"day");for(a=0;a<7;a++)s[a]=_i(t,(a+o)%7,r,"day");return s}function gi(e,t){return mi(e,t,"months")}function yi(e,t){return mi(e,t,"monthsShort")}function vi(e,t,n){return pi(e,t,n,"weekdays")}function Mi(e,t,n){return pi(e,t,n,"weekdaysShort")}function bi(e,t,n){return pi(e,t,n,"weekdaysMin")}hi.calendar=C,hi.longDateFormat=q,hi.invalidDate=$,hi.ordinal=X,hi.preparse=fi,hi.postformat=fi,hi.relativeTime=ee,hi.pastFuture=te,hi.set=j,hi.eras=Sa,hi.erasParse=Ha,hi.erasConvertYear=ja,hi.erasAbbrRegex=Fa,hi.erasNameRegex=Ea,hi.erasNarrowRegex=Wa,hi.months=ot,hi.monthsShort=st,hi.monthsParse=lt,hi.monthsRegex=_t,hi.monthsShortRegex=ht,hi.week=Yt,hi.firstDayOfYear=Tt,hi.firstDayOfWeek=Dt,hi.weekdays=It,hi.weekdaysMin=zt,hi.weekdaysShort=Rt,hi.weekdaysParse=Vt,hi.weekdaysRegex=Gt,hi.weekdaysShortRegex=$t,hi.weekdaysMinRegex=Kt,hi.isPM=nn,hi.meridiem=on,pn("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10,n=1===ce(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th";return e+n}}),a.lang=x("moment.lang is deprecated. Use moment.locale instead.",pn),a.langData=x("moment.langData is deprecated. Use moment.localeData instead.",vn);var Li=Math.abs;function ki(){var e=this._data;return this._milliseconds=Li(this._milliseconds),this._days=Li(this._days),this._months=Li(this._months),e.milliseconds=Li(e.milliseconds),e.seconds=Li(e.seconds),e.minutes=Li(e.minutes),e.hours=Li(e.hours),e.months=Li(e.months),e.years=Li(e.years),this}function wi(e,t,n,r){var a=Sr(t,n);return e._milliseconds+=r*a._milliseconds,e._days+=r*a._days,e._months+=r*a._months,e._bubble()}function Yi(e,t){return wi(this,e,t,1)}function xi(e,t){return wi(this,e,t,-1)}function Di(e){return e<0?Math.floor(e):Math.ceil(e)}function Ti(){var e,t,n,r,a,i=this._milliseconds,o=this._days,s=this._months,u=this._data;return i>=0&&o>=0&&s>=0||i<=0&&o<=0&&s<=0||(i+=864e5*Di(Hi(s)+o),o=0,s=0),u.milliseconds=i%1e3,e=de(i/1e3),u.seconds=e%60,t=de(e/60),u.minutes=t%60,n=de(t/60),u.hours=n%24,o+=de(n/24),a=de(Si(o)),s+=a,o-=Di(Hi(a)),r=de(s/12),s%=12,u.days=o,u.months=s,u.years=r,this}function Si(e){return 4800*e/146097}function Hi(e){return 146097*e/4800}function ji(e){if(!this.isValid())return NaN;var t,n,r=this._milliseconds;if(e=ae(e),"month"===e||"quarter"===e||"year"===e)switch(t=this._days+r/864e5,n=this._months+Si(t),e){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(t=this._days+Math.round(Hi(this._months)),e){case"week":return t/7+r/6048e5;case"day":return t+r/864e5;case"hour":return 24*t+r/36e5;case"minute":return 1440*t+r/6e4;case"second":return 86400*t+r/1e3;case"millisecond":return Math.floor(864e5*t)+r;default:throw new Error("Unknown unit "+e)}}function Oi(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*ce(this._months/12):NaN}function Pi(e){return function(){return this.as(e)}}var Ai=Pi("ms"),Ci=Pi("s"),Ei=Pi("m"),Fi=Pi("h"),Wi=Pi("d"),Ni=Pi("w"),Ii=Pi("M"),Ri=Pi("Q"),zi=Pi("y");function Bi(){return Sr(this)}function Vi(e){return e=ae(e),this.isValid()?this[e+"s"]():NaN}function Ui(e){return function(){return this.isValid()?this._data[e]:NaN}}var Ji=Ui("milliseconds"),qi=Ui("seconds"),Gi=Ui("minutes"),$i=Ui("hours"),Ki=Ui("days"),Zi=Ui("months"),Xi=Ui("years");function Qi(){return de(this.days()/7)}var eo=Math.round,to={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function no(e,t,n,r,a){return a.relativeTime(t||1,!!n,e,r)}function ro(e,t,n,r){var a=Sr(e).abs(),i=eo(a.as("s")),o=eo(a.as("m")),s=eo(a.as("h")),u=eo(a.as("d")),l=eo(a.as("M")),d=eo(a.as("w")),c=eo(a.as("y")),f=i<=n.ss&&["s",i]||i0,f[4]=r,no.apply(null,f)}function ao(e){return void 0===e?eo:"function"===typeof e&&(eo=e,!0)}function io(e,t){return void 0!==to[e]&&(void 0===t?to[e]:(to[e]=t,"s"===e&&(to.ss=t-1),!0))}function oo(e,t){if(!this.isValid())return this.localeData().invalidDate();var n,r,a=!1,i=to;return"object"===typeof e&&(t=e,e=!1),"boolean"===typeof e&&(a=e),"object"===typeof t&&(i=Object.assign({},to,t),null!=t.s&&null==t.ss&&(i.ss=t.s-1)),n=this.localeData(),r=ro(this,!a,i,n),a&&(r=n.pastFuture(+this,r)),n.postformat(r)}var so=Math.abs;function uo(e){return(e>0)-(e<0)||+e}function lo(){if(!this.isValid())return this.localeData().invalidDate();var e,t,n,r,a,i,o,s,u=so(this._milliseconds)/1e3,l=so(this._days),d=so(this._months),c=this.asSeconds();return c?(e=de(u/60),t=de(e/60),u%=60,e%=60,n=de(d/12),d%=12,r=u?u.toFixed(3).replace(/\.?0+$/,""):"",a=c<0?"-":"",i=uo(this._months)!==uo(c)?"-":"",o=uo(this._days)!==uo(c)?"-":"",s=uo(this._milliseconds)!==uo(c)?"-":"",a+"P"+(n?i+n+"Y":"")+(d?i+d+"M":"")+(l?o+l+"D":"")+(t||e||u?"T":"")+(t?s+t+"H":"")+(e?s+e+"M":"")+(u?s+r+"S":"")):"P0D"}var co=sr.prototype;return co.isValid=ir,co.abs=ki,co.add=Yi,co.subtract=xi,co.as=ji,co.asMilliseconds=Ai,co.asSeconds=Ci,co.asMinutes=Ei,co.asHours=Fi,co.asDays=Wi,co.asWeeks=Ni,co.asMonths=Ii,co.asQuarters=Ri,co.asYears=zi,co.valueOf=Oi,co._bubble=Ti,co.clone=Bi,co.get=Vi,co.milliseconds=Ji,co.seconds=qi,co.minutes=Gi,co.hours=$i,co.days=Ki,co.weeks=Qi,co.months=Zi,co.years=Xi,co.humanize=oo,co.toISOString=lo,co.toString=lo,co.toJSON=lo,co.locale=sa,co.localeData=la,co.toIsoString=x("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",lo),co.lang=ua,R("X",0,0,"unix"),R("x",0,0,"valueOf"),Ce("x",He),Ce("X",Pe),Ie("X",(function(e,t,n){n._d=new Date(1e3*parseFloat(e))})),Ie("x",(function(e,t,n){n._d=new Date(ce(e))})),//! moment.js +a.version="2.29.4",i(Kn),a.fn=li,a.min=er,a.max=tr,a.now=nr,a.utc=m,a.unix=di,a.months=gi,a.isDate=f,a.locale=pn,a.invalid=v,a.duration=Sr,a.isMoment=w,a.weekdays=vi,a.parseZone=ci,a.localeData=vn,a.isDuration=ur,a.monthsShort=yi,a.weekdaysMin=bi,a.defineLocale=gn,a.updateLocale=yn,a.locales=Mn,a.weekdaysShort=Mi,a.normalizeUnits=ae,a.relativeTimeRounding=ao,a.relativeTimeThreshold=io,a.calendarFormat=zr,a.prototype=li,a.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},a}))},2386:function(e,t,n){function r(e,t){this._elements=new Array(e||50),this._first=0,this._last=0,this._size=0,this._evictedCb=t}n(1703),e.exports=r,r.prototype.capacity=function(){return this._elements.length},r.prototype.isEmpty=function(){return 0===this.size()},r.prototype.isFull=function(){return this.size()===this.capacity()},r.prototype.peek=function(){if(this.isEmpty())throw new Error("RingBuffer is empty");return this._elements[this._first]},r.prototype.peekN=function(e){if(e>this._size)throw new Error("Not enough elements in RingBuffer");var t=Math.min(this._first+e,this.capacity()),n=this._elements.slice(this._first,t);if(t{const n=e.__vccOpts||e;for(const[r,a]of t)n[r]=a;return n}},6866:function(e,t,n){"use strict";n.r(t),n.d(t,{BaseTransition:function(){return r.P$},Comment:function(){return r.sv},EffectScope:function(){return r.Bj},Fragment:function(){return r.HY},KeepAlive:function(){return r.Ob},ReactiveEffect:function(){return r.qq},Static:function(){return r.qG},Suspense:function(){return r.n4},Teleport:function(){return r.lR},Text:function(){return r.xv},Transition:function(){return r.uT},TransitionGroup:function(){return r.W3},VueElement:function(){return r.a2},callWithAsyncErrorHandling:function(){return r.$d},callWithErrorHandling:function(){return r.KU},camelize:function(){return r._A},capitalize:function(){return r.kC},cloneVNode:function(){return r.Ho},compatUtils:function(){return r.ry},compile:function(){return a},computed:function(){return r.Fl},createApp:function(){return r.ri},createBlock:function(){return r.j4},createCommentVNode:function(){return r.kq},createElementBlock:function(){return r.iD},createElementVNode:function(){return r._},createHydrationRenderer:function(){return r.Eo},createPropsRestProxy:function(){return r.p1},createRenderer:function(){return r.Us},createSSRApp:function(){return r.vr},createSlots:function(){return r.Nv},createStaticVNode:function(){return r.uE},createTextVNode:function(){return r.Uk},createVNode:function(){return r.Wm},customRef:function(){return r.ZM},defineAsyncComponent:function(){return r.RC},defineComponent:function(){return r.aZ},defineCustomElement:function(){return r.MW},defineEmits:function(){return r.Bz},defineExpose:function(){return r.WY},defineProps:function(){return r.yb},defineSSRCustomElement:function(){return r.Ah},devtools:function(){return r.mW},effect:function(){return r.cE},effectScope:function(){return r.B},getCurrentInstance:function(){return r.FN},getCurrentScope:function(){return r.nZ},getTransitionRawChildren:function(){return r.Q6},guardReactiveProps:function(){return r.F4},h:function(){return r.h},handleError:function(){return r.S3},hydrate:function(){return r.ZB},initCustomFormatter:function(){return r.Mr},initDirectivesForSSR:function(){return r.Nd},inject:function(){return r.f3},isMemoSame:function(){return r.nQ},isProxy:function(){return r.X3},isReactive:function(){return r.PG},isReadonly:function(){return r.$y},isRef:function(){return r.dq},isRuntimeOnly:function(){return r.of},isShallow:function(){return r.yT},isVNode:function(){return r.lA},markRaw:function(){return r.Xl},mergeDefaults:function(){return r.u_},mergeProps:function(){return r.dG},nextTick:function(){return r.Y3},normalizeClass:function(){return r.C_},normalizeProps:function(){return r.vs},normalizeStyle:function(){return r.j5},onActivated:function(){return r.dl},onBeforeMount:function(){return r.wF},onBeforeUnmount:function(){return r.Jd},onBeforeUpdate:function(){return r.Xn},onDeactivated:function(){return r.se},onErrorCaptured:function(){return r.d1},onMounted:function(){return r.bv},onRenderTracked:function(){return r.bT},onRenderTriggered:function(){return r.Yq},onScopeDispose:function(){return r.EB},onServerPrefetch:function(){return r.vl},onUnmounted:function(){return r.SK},onUpdated:function(){return r.ic},openBlock:function(){return r.wg},popScopeId:function(){return r.Cn},provide:function(){return r.JJ},proxyRefs:function(){return r.WL},pushScopeId:function(){return r.dD},queuePostFlushCb:function(){return r.qb},reactive:function(){return r.qj},readonly:function(){return r.OT},ref:function(){return r.iH},registerRuntimeCompiler:function(){return r.Y1},render:function(){return r.sY},renderList:function(){return r.Ko},renderSlot:function(){return r.WI},resolveComponent:function(){return r.up},resolveDirective:function(){return r.Q2},resolveDynamicComponent:function(){return r.LL},resolveFilter:function(){return r.eq},resolveTransitionHooks:function(){return r.U2},setBlockTracking:function(){return r.qZ},setDevtoolsHook:function(){return r.ec},setTransitionHooks:function(){return r.nK},shallowReactive:function(){return r.Um},shallowReadonly:function(){return r.YS},shallowRef:function(){return r.XI},ssrContextKey:function(){return r.Uc},ssrUtils:function(){return r.G},stop:function(){return r.sT},toDisplayString:function(){return r.zw},toHandlerKey:function(){return r.hR},toHandlers:function(){return r.mx},toRaw:function(){return r.IU},toRef:function(){return r.Vh},toRefs:function(){return r.BK},transformVNodeArgs:function(){return r.C3},triggerRef:function(){return r.oR},unref:function(){return r.SU},useAttrs:function(){return r.l1},useCssModule:function(){return r.fb},useCssVars:function(){return r.sj},useSSRContext:function(){return r.Zq},useSlots:function(){return r.Rr},useTransitionState:function(){return r.Y8},vModelCheckbox:function(){return r.e8},vModelDynamic:function(){return r.YZ},vModelRadio:function(){return r.G2},vModelSelect:function(){return r.bM},vModelText:function(){return r.nr},vShow:function(){return r.F8},version:function(){return r.i8},warn:function(){return r.ZK},watch:function(){return r.YP},watchEffect:function(){return r.m0},watchPostEffect:function(){return r.Rh},watchSyncEffect:function(){return r.yX},withAsyncContext:function(){return r.mv},withCtx:function(){return r.w5},withDefaults:function(){return r.b9},withDirectives:function(){return r.wy},withKeys:function(){return r.D2},withMemo:function(){return r.MX},withModifiers:function(){return r.iM},withScopeId:function(){return r.HX}});var r=n(9242);const a=()=>{0}},6066:function(e,t,n){"use strict";n.d(t,{by:function(){return l}});var r=n(6838),a=n.n(r),i=n(4870),o=n(3396);function s(){const e=(0,i.qj)({myName:"",userData:{},userOptions:{}});function t(t){e.userData=t}function n(t){e.userOptions=t}return{state:e,setChartData:t,setChartOption:n}}function u(e,t){let{state:n,setChartData:r,setChartOption:i}=s();return(0,o.aZ)({name:"BaseChart",props:{chartId:{type:String,required:!1},chartType:{type:String,required:!1},width:{type:Number,required:!1,default:400},height:{type:Number,required:!1,default:400},cssClasses:{type:String,required:!1,default:""},styles:{type:Object,required:!1}},data(){return{state:{chartObj:null}}},beforeUnmount(){this.state.chartObj&&this.state.chartObj.destroy()},methods:{renderChart(e,n){r(e),i(n),this.state.chartObj,null!=this.state.chartObj&&null!=this.state.chartObj.data&&this.state.chartObj.data.datasets.pop();let o=this.$refs.canvas.getContext("2d");this.state.chartObj=new(a())(o,{type:t,data:e,options:n})}},beforeMount(){if(document.getElementById(e)){let n=document.getElementById(e).getContext("2d");this.state.chartObj=new(a())(n,{type:t,data:{datasets:[{data:[1,2,3,4],backgroundColor:["Red","Yellow","Blue","Green"]}],labels:["Red","Yellow","Blue","Green"]},options:{responsive:!1}})}},computed:{currentChartData(){return n.userData},currentChartOption(){return n.userOptions}},watch:{chartData(e,t){e!==t&&this.renderChart(t,this.currentChartOption)}},render(){return(0,o.h)("div",{style:this.styles,class:this.cssClasses},[(0,o.h)("canvas",{ref:"canvas",id:this.chartId,width:this.width,height:this.height})])}})}u("bar-chart","bar"),u("bubble-chart","bubble"),u("doughnut-chart","doughnut"),u("horizontalbar-chart","horizontalBar"),u("line-chart","line");const l=u("pie-chart","pie");u("polar-chart","polarArea"),u("radar-chart","radar"),u("scatter-chart","scatter")},6838:function(e,t,n){n(1703), +/*! + * Chart.js v2.9.4 + * https://www.chartjs.org + * (c) 2020 Chart.js Contributors + * Released under the MIT License + */ +function(t,r){e.exports=r(function(){try{return n(6797)}catch(e){}}())}(0,(function(e){"use strict";function t(e,t){return t={exports:{}},e(t,t.exports),t.exports}function n(e){return e&&e["default"]||e}e=e&&e.hasOwnProperty("default")?e["default"]:e;var r={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]},a=t((function(e){var t={};for(var n in r)r.hasOwnProperty(n)&&(t[r[n]]=n);var a=e.exports={rgb:{channels:3,labels:"rgb"},hsl:{channels:3,labels:"hsl"},hsv:{channels:3,labels:"hsv"},hwb:{channels:3,labels:"hwb"},cmyk:{channels:4,labels:"cmyk"},xyz:{channels:3,labels:"xyz"},lab:{channels:3,labels:"lab"},lch:{channels:3,labels:"lch"},hex:{channels:1,labels:["hex"]},keyword:{channels:1,labels:["keyword"]},ansi16:{channels:1,labels:["ansi16"]},ansi256:{channels:1,labels:["ansi256"]},hcg:{channels:3,labels:["h","c","g"]},apple:{channels:3,labels:["r16","g16","b16"]},gray:{channels:1,labels:["gray"]}};for(var i in a)if(a.hasOwnProperty(i)){if(!("channels"in a[i]))throw new Error("missing channels property: "+i);if(!("labels"in a[i]))throw new Error("missing channel labels property: "+i);if(a[i].labels.length!==a[i].channels)throw new Error("channel and label counts mismatch: "+i);var o=a[i].channels,s=a[i].labels;delete a[i].channels,delete a[i].labels,Object.defineProperty(a[i],"channels",{value:o}),Object.defineProperty(a[i],"labels",{value:s})}function u(e,t){return Math.pow(e[0]-t[0],2)+Math.pow(e[1]-t[1],2)+Math.pow(e[2]-t[2],2)}a.rgb.hsl=function(e){var t,n,r,a=e[0]/255,i=e[1]/255,o=e[2]/255,s=Math.min(a,i,o),u=Math.max(a,i,o),l=u-s;return u===s?t=0:a===u?t=(i-o)/l:i===u?t=2+(o-a)/l:o===u&&(t=4+(a-i)/l),t=Math.min(60*t,360),t<0&&(t+=360),r=(s+u)/2,n=u===s?0:r<=.5?l/(u+s):l/(2-u-s),[t,100*n,100*r]},a.rgb.hsv=function(e){var t,n,r,a,i,o=e[0]/255,s=e[1]/255,u=e[2]/255,l=Math.max(o,s,u),d=l-Math.min(o,s,u),c=function(e){return(l-e)/6/d+.5};return 0===d?a=i=0:(i=d/l,t=c(o),n=c(s),r=c(u),o===l?a=r-n:s===l?a=1/3+t-r:u===l&&(a=2/3+n-t),a<0?a+=1:a>1&&(a-=1)),[360*a,100*i,100*l]},a.rgb.hwb=function(e){var t=e[0],n=e[1],r=e[2],i=a.rgb.hsl(e)[0],o=1/255*Math.min(t,Math.min(n,r));return r=1-1/255*Math.max(t,Math.max(n,r)),[i,100*o,100*r]},a.rgb.cmyk=function(e){var t,n,r,a,i=e[0]/255,o=e[1]/255,s=e[2]/255;return a=Math.min(1-i,1-o,1-s),t=(1-i-a)/(1-a)||0,n=(1-o-a)/(1-a)||0,r=(1-s-a)/(1-a)||0,[100*t,100*n,100*r,100*a]},a.rgb.keyword=function(e){var n=t[e];if(n)return n;var a,i=1/0;for(var o in r)if(r.hasOwnProperty(o)){var s=r[o],l=u(e,s);l.04045?Math.pow((t+.055)/1.055,2.4):t/12.92,n=n>.04045?Math.pow((n+.055)/1.055,2.4):n/12.92,r=r>.04045?Math.pow((r+.055)/1.055,2.4):r/12.92;var a=.4124*t+.3576*n+.1805*r,i=.2126*t+.7152*n+.0722*r,o=.0193*t+.1192*n+.9505*r;return[100*a,100*i,100*o]},a.rgb.lab=function(e){var t,n,r,i=a.rgb.xyz(e),o=i[0],s=i[1],u=i[2];return o/=95.047,s/=100,u/=108.883,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,s=s>.008856?Math.pow(s,1/3):7.787*s+16/116,u=u>.008856?Math.pow(u,1/3):7.787*u+16/116,t=116*s-16,n=500*(o-s),r=200*(s-u),[t,n,r]},a.hsl.rgb=function(e){var t,n,r,a,i,o=e[0]/360,s=e[1]/100,u=e[2]/100;if(0===s)return i=255*u,[i,i,i];n=u<.5?u*(1+s):u+s-u*s,t=2*u-n,a=[0,0,0];for(var l=0;l<3;l++)r=o+1/3*-(l-1),r<0&&r++,r>1&&r--,i=6*r<1?t+6*(n-t)*r:2*r<1?n:3*r<2?t+(n-t)*(2/3-r)*6:t,a[l]=255*i;return a},a.hsl.hsv=function(e){var t,n,r=e[0],a=e[1]/100,i=e[2]/100,o=a,s=Math.max(i,.01);return i*=2,a*=i<=1?i:2-i,o*=s<=1?s:2-s,n=(i+a)/2,t=0===i?2*o/(s+o):2*a/(i+a),[r,100*t,100*n]},a.hsv.rgb=function(e){var t=e[0]/60,n=e[1]/100,r=e[2]/100,a=Math.floor(t)%6,i=t-Math.floor(t),o=255*r*(1-n),s=255*r*(1-n*i),u=255*r*(1-n*(1-i));switch(r*=255,a){case 0:return[r,u,o];case 1:return[s,r,o];case 2:return[o,r,u];case 3:return[o,s,r];case 4:return[u,o,r];case 5:return[r,o,s]}},a.hsv.hsl=function(e){var t,n,r,a=e[0],i=e[1]/100,o=e[2]/100,s=Math.max(o,.01);return r=(2-i)*o,t=(2-i)*s,n=i*s,n/=t<=1?t:2-t,n=n||0,r/=2,[a,100*n,100*r]},a.hwb.rgb=function(e){var t,n,r,a,i,o,s,u=e[0]/360,l=e[1]/100,d=e[2]/100,c=l+d;switch(c>1&&(l/=c,d/=c),t=Math.floor(6*u),n=1-d,r=6*u-t,0!==(1&t)&&(r=1-r),a=l+r*(n-l),t){default:case 6:case 0:i=n,o=a,s=l;break;case 1:i=a,o=n,s=l;break;case 2:i=l,o=n,s=a;break;case 3:i=l,o=a,s=n;break;case 4:i=a,o=l,s=n;break;case 5:i=n,o=l,s=a;break}return[255*i,255*o,255*s]},a.cmyk.rgb=function(e){var t,n,r,a=e[0]/100,i=e[1]/100,o=e[2]/100,s=e[3]/100;return t=1-Math.min(1,a*(1-s)+s),n=1-Math.min(1,i*(1-s)+s),r=1-Math.min(1,o*(1-s)+s),[255*t,255*n,255*r]},a.xyz.rgb=function(e){var t,n,r,a=e[0]/100,i=e[1]/100,o=e[2]/100;return t=3.2406*a+-1.5372*i+-.4986*o,n=-.9689*a+1.8758*i+.0415*o,r=.0557*a+-.204*i+1.057*o,t=t>.0031308?1.055*Math.pow(t,1/2.4)-.055:12.92*t,n=n>.0031308?1.055*Math.pow(n,1/2.4)-.055:12.92*n,r=r>.0031308?1.055*Math.pow(r,1/2.4)-.055:12.92*r,t=Math.min(Math.max(0,t),1),n=Math.min(Math.max(0,n),1),r=Math.min(Math.max(0,r),1),[255*t,255*n,255*r]},a.xyz.lab=function(e){var t,n,r,a=e[0],i=e[1],o=e[2];return a/=95.047,i/=100,o/=108.883,a=a>.008856?Math.pow(a,1/3):7.787*a+16/116,i=i>.008856?Math.pow(i,1/3):7.787*i+16/116,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,t=116*i-16,n=500*(a-i),r=200*(i-o),[t,n,r]},a.lab.xyz=function(e){var t,n,r,a=e[0],i=e[1],o=e[2];n=(a+16)/116,t=i/500+n,r=n-o/200;var s=Math.pow(n,3),u=Math.pow(t,3),l=Math.pow(r,3);return n=s>.008856?s:(n-16/116)/7.787,t=u>.008856?u:(t-16/116)/7.787,r=l>.008856?l:(r-16/116)/7.787,t*=95.047,n*=100,r*=108.883,[t,n,r]},a.lab.lch=function(e){var t,n,r,a=e[0],i=e[1],o=e[2];return t=Math.atan2(o,i),n=360*t/2/Math.PI,n<0&&(n+=360),r=Math.sqrt(i*i+o*o),[a,r,n]},a.lch.lab=function(e){var t,n,r,a=e[0],i=e[1],o=e[2];return r=o/360*2*Math.PI,t=i*Math.cos(r),n=i*Math.sin(r),[a,t,n]},a.rgb.ansi16=function(e){var t=e[0],n=e[1],r=e[2],i=1 in arguments?arguments[1]:a.rgb.hsv(e)[2];if(i=Math.round(i/50),0===i)return 30;var o=30+(Math.round(r/255)<<2|Math.round(n/255)<<1|Math.round(t/255));return 2===i&&(o+=60),o},a.hsv.ansi16=function(e){return a.rgb.ansi16(a.hsv.rgb(e),e[2])},a.rgb.ansi256=function(e){var t=e[0],n=e[1],r=e[2];if(t===n&&n===r)return t<8?16:t>248?231:Math.round((t-8)/247*24)+232;var a=16+36*Math.round(t/255*5)+6*Math.round(n/255*5)+Math.round(r/255*5);return a},a.ansi16.rgb=function(e){var t=e%10;if(0===t||7===t)return e>50&&(t+=3.5),t=t/10.5*255,[t,t,t];var n=.5*(1+~~(e>50)),r=(1&t)*n*255,a=(t>>1&1)*n*255,i=(t>>2&1)*n*255;return[r,a,i]},a.ansi256.rgb=function(e){if(e>=232){var t=10*(e-232)+8;return[t,t,t]}var n;e-=16;var r=Math.floor(e/36)/5*255,a=Math.floor((n=e%36)/6)/5*255,i=n%6/5*255;return[r,a,i]},a.rgb.hex=function(e){var t=((255&Math.round(e[0]))<<16)+((255&Math.round(e[1]))<<8)+(255&Math.round(e[2])),n=t.toString(16).toUpperCase();return"000000".substring(n.length)+n},a.hex.rgb=function(e){var t=e.toString(16).match(/[a-f0-9]{6}|[a-f0-9]{3}/i);if(!t)return[0,0,0];var n=t[0];3===t[0].length&&(n=n.split("").map((function(e){return e+e})).join(""));var r=parseInt(n,16),a=r>>16&255,i=r>>8&255,o=255&r;return[a,i,o]},a.rgb.hcg=function(e){var t,n,r=e[0]/255,a=e[1]/255,i=e[2]/255,o=Math.max(Math.max(r,a),i),s=Math.min(Math.min(r,a),i),u=o-s;return t=u<1?s/(1-u):0,n=u<=0?0:o===r?(a-i)/u%6:o===a?2+(i-r)/u:4+(r-a)/u+4,n/=6,n%=1,[360*n,100*u,100*t]},a.hsl.hcg=function(e){var t=e[1]/100,n=e[2]/100,r=1,a=0;return r=n<.5?2*t*n:2*t*(1-n),r<1&&(a=(n-.5*r)/(1-r)),[e[0],100*r,100*a]},a.hsv.hcg=function(e){var t=e[1]/100,n=e[2]/100,r=t*n,a=0;return r<1&&(a=(n-r)/(1-r)),[e[0],100*r,100*a]},a.hcg.rgb=function(e){var t=e[0]/360,n=e[1]/100,r=e[2]/100;if(0===n)return[255*r,255*r,255*r];var a=[0,0,0],i=t%1*6,o=i%1,s=1-o,u=0;switch(Math.floor(i)){case 0:a[0]=1,a[1]=o,a[2]=0;break;case 1:a[0]=s,a[1]=1,a[2]=0;break;case 2:a[0]=0,a[1]=1,a[2]=o;break;case 3:a[0]=0,a[1]=s,a[2]=1;break;case 4:a[0]=o,a[1]=0,a[2]=1;break;default:a[0]=1,a[1]=0,a[2]=s}return u=(1-n)*r,[255*(n*a[0]+u),255*(n*a[1]+u),255*(n*a[2]+u)]},a.hcg.hsv=function(e){var t=e[1]/100,n=e[2]/100,r=t+n*(1-t),a=0;return r>0&&(a=t/r),[e[0],100*a,100*r]},a.hcg.hsl=function(e){var t=e[1]/100,n=e[2]/100,r=n*(1-t)+.5*t,a=0;return r>0&&r<.5?a=t/(2*r):r>=.5&&r<1&&(a=t/(2*(1-r))),[e[0],100*a,100*r]},a.hcg.hwb=function(e){var t=e[1]/100,n=e[2]/100,r=t+n*(1-t);return[e[0],100*(r-t),100*(1-r)]},a.hwb.hcg=function(e){var t=e[1]/100,n=e[2]/100,r=1-n,a=r-t,i=0;return a<1&&(i=(r-a)/(1-a)),[e[0],100*a,100*i]},a.apple.rgb=function(e){return[e[0]/65535*255,e[1]/65535*255,e[2]/65535*255]},a.rgb.apple=function(e){return[e[0]/255*65535,e[1]/255*65535,e[2]/255*65535]},a.gray.rgb=function(e){return[e[0]/100*255,e[0]/100*255,e[0]/100*255]},a.gray.hsl=a.gray.hsv=function(e){return[0,0,e[0]]},a.gray.hwb=function(e){return[0,100,e[0]]},a.gray.cmyk=function(e){return[0,0,0,e[0]]},a.gray.lab=function(e){return[e[0],0,0]},a.gray.hex=function(e){var t=255&Math.round(e[0]/100*255),n=(t<<16)+(t<<8)+t,r=n.toString(16).toUpperCase();return"000000".substring(r.length)+r},a.rgb.gray=function(e){var t=(e[0]+e[1]+e[2])/3;return[t/255*100]}}));a.rgb,a.hsl,a.hsv,a.hwb,a.cmyk,a.xyz,a.lab,a.lch,a.hex,a.keyword,a.ansi16,a.ansi256,a.hcg,a.apple,a.gray;function i(){for(var e={},t=Object.keys(a),n=t.length,r=0;r1&&(t=Array.prototype.slice.call(arguments)),e(t))};return"conversion"in e&&(t.conversion=e.conversion),t}function h(e){var t=function(t){if(void 0===t||null===t)return t;arguments.length>1&&(t=Array.prototype.slice.call(arguments));var n=e(t);if("object"===typeof n)for(var r=n.length,a=0;a=0&&t<1?P(Math.round(255*t)):"")}function w(e,t){return t<1||e[3]&&e[3]<1?Y(e,t):"rgb("+e[0]+", "+e[1]+", "+e[2]+")"}function Y(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"rgba("+e[0]+", "+e[1]+", "+e[2]+", "+t+")"}function x(e,t){if(t<1||e[3]&&e[3]<1)return D(e,t);var n=Math.round(e[0]/255*100),r=Math.round(e[1]/255*100),a=Math.round(e[2]/255*100);return"rgb("+n+"%, "+r+"%, "+a+"%)"}function D(e,t){var n=Math.round(e[0]/255*100),r=Math.round(e[1]/255*100),a=Math.round(e[2]/255*100);return"rgba("+n+"%, "+r+"%, "+a+"%, "+(t||e[3]||1)+")"}function T(e,t){return t<1||e[3]&&e[3]<1?S(e,t):"hsl("+e[0]+", "+e[1]+"%, "+e[2]+"%)"}function S(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"hsla("+e[0]+", "+e[1]+"%, "+e[2]+"%, "+t+")"}function H(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"hwb("+e[0]+", "+e[1]+"%, "+e[2]+"%"+(void 0!==t&&1!==t?", "+t:"")+")"}function j(e){return A[e.slice(0,3)]}function O(e,t,n){return Math.min(Math.max(t,e),n)}function P(e){var t=e.toString(16).toUpperCase();return t.length<2?"0"+t:t}var A={};for(var C in m)A[m[C]]=C;var E=function(e){return e instanceof E?e:this instanceof E?(this.valid=!1,this.values={rgb:[0,0,0],hsl:[0,0,0],hsv:[0,0,0],hwb:[0,0,0],cmyk:[0,0,0,0],alpha:1},void("string"===typeof e?(t=p.getRgba(e),t?this.setValues("rgb",t):(t=p.getHsla(e))?this.setValues("hsl",t):(t=p.getHwb(e))&&this.setValues("hwb",t)):"object"===typeof e&&(t=e,void 0!==t.r||void 0!==t.red?this.setValues("rgb",t):void 0!==t.l||void 0!==t.lightness?this.setValues("hsl",t):void 0!==t.v||void 0!==t.value?this.setValues("hsv",t):void 0!==t.w||void 0!==t.whiteness?this.setValues("hwb",t):void 0===t.c&&void 0===t.cyan||this.setValues("cmyk",t)))):new E(e);var t};E.prototype={isValid:function(){return this.valid},rgb:function(){return this.setSpace("rgb",arguments)},hsl:function(){return this.setSpace("hsl",arguments)},hsv:function(){return this.setSpace("hsv",arguments)},hwb:function(){return this.setSpace("hwb",arguments)},cmyk:function(){return this.setSpace("cmyk",arguments)},rgbArray:function(){return this.values.rgb},hslArray:function(){return this.values.hsl},hsvArray:function(){return this.values.hsv},hwbArray:function(){var e=this.values;return 1!==e.alpha?e.hwb.concat([e.alpha]):e.hwb},cmykArray:function(){return this.values.cmyk},rgbaArray:function(){var e=this.values;return e.rgb.concat([e.alpha])},hslaArray:function(){var e=this.values;return e.hsl.concat([e.alpha])},alpha:function(e){return void 0===e?this.values.alpha:(this.setValues("alpha",e),this)},red:function(e){return this.setChannel("rgb",0,e)},green:function(e){return this.setChannel("rgb",1,e)},blue:function(e){return this.setChannel("rgb",2,e)},hue:function(e){return e&&(e%=360,e=e<0?360+e:e),this.setChannel("hsl",0,e)},saturation:function(e){return this.setChannel("hsl",1,e)},lightness:function(e){return this.setChannel("hsl",2,e)},saturationv:function(e){return this.setChannel("hsv",1,e)},whiteness:function(e){return this.setChannel("hwb",1,e)},blackness:function(e){return this.setChannel("hwb",2,e)},value:function(e){return this.setChannel("hsv",2,e)},cyan:function(e){return this.setChannel("cmyk",0,e)},magenta:function(e){return this.setChannel("cmyk",1,e)},yellow:function(e){return this.setChannel("cmyk",2,e)},black:function(e){return this.setChannel("cmyk",3,e)},hexString:function(){return p.hexString(this.values.rgb)},rgbString:function(){return p.rgbString(this.values.rgb,this.values.alpha)},rgbaString:function(){return p.rgbaString(this.values.rgb,this.values.alpha)},percentString:function(){return p.percentString(this.values.rgb,this.values.alpha)},hslString:function(){return p.hslString(this.values.hsl,this.values.alpha)},hslaString:function(){return p.hslaString(this.values.hsl,this.values.alpha)},hwbString:function(){return p.hwbString(this.values.hwb,this.values.alpha)},keyword:function(){return p.keyword(this.values.rgb,this.values.alpha)},rgbNumber:function(){var e=this.values.rgb;return e[0]<<16|e[1]<<8|e[2]},luminosity:function(){for(var e=this.values.rgb,t=[],n=0;nn?(t+.05)/(n+.05):(n+.05)/(t+.05)},level:function(e){var t=this.contrast(e);return t>=7.1?"AAA":t>=4.5?"AA":""},dark:function(){var e=this.values.rgb,t=(299*e[0]+587*e[1]+114*e[2])/1e3;return t<128},light:function(){return!this.dark()},negate:function(){for(var e=[],t=0;t<3;t++)e[t]=255-this.values.rgb[t];return this.setValues("rgb",e),this},lighten:function(e){var t=this.values.hsl;return t[2]+=t[2]*e,this.setValues("hsl",t),this},darken:function(e){var t=this.values.hsl;return t[2]-=t[2]*e,this.setValues("hsl",t),this},saturate:function(e){var t=this.values.hsl;return t[1]+=t[1]*e,this.setValues("hsl",t),this},desaturate:function(e){var t=this.values.hsl;return t[1]-=t[1]*e,this.setValues("hsl",t),this},whiten:function(e){var t=this.values.hwb;return t[1]+=t[1]*e,this.setValues("hwb",t),this},blacken:function(e){var t=this.values.hwb;return t[2]+=t[2]*e,this.setValues("hwb",t),this},greyscale:function(){var e=this.values.rgb,t=.3*e[0]+.59*e[1]+.11*e[2];return this.setValues("rgb",[t,t,t]),this},clearer:function(e){var t=this.values.alpha;return this.setValues("alpha",t-t*e),this},opaquer:function(e){var t=this.values.alpha;return this.setValues("alpha",t+t*e),this},rotate:function(e){var t=this.values.hsl,n=(t[0]+e)%360;return t[0]=n<0?360+n:n,this.setValues("hsl",t),this},mix:function(e,t){var n=this,r=e,a=void 0===t?.5:t,i=2*a-1,o=n.alpha()-r.alpha(),s=((i*o===-1?i:(i+o)/(1+i*o))+1)/2,u=1-s;return this.rgb(s*n.red()+u*r.red(),s*n.green()+u*r.green(),s*n.blue()+u*r.blue()).alpha(n.alpha()*a+r.alpha()*(1-a))},toJSON:function(){return this.rgb()},clone:function(){var e,t,n=new E,r=this.values,a=n.values;for(var i in r)r.hasOwnProperty(i)&&(e=r[i],t={}.toString.call(e),"[object Array]"===t?a[i]=e.slice(0):"[object Number]"===t?a[i]=e:console.error("unexpected color value:",e));return n}},E.prototype.spaces={rgb:["red","green","blue"],hsl:["hue","saturation","lightness"],hsv:["hue","saturation","value"],hwb:["hue","whiteness","blackness"],cmyk:["cyan","magenta","yellow","black"]},E.prototype.maxes={rgb:[255,255,255],hsl:[360,100,100],hsv:[360,100,100],hwb:[360,100,100],cmyk:[100,100,100,100]},E.prototype.getValues=function(e){for(var t=this.values,n={},r=0;r=0;a--)t.call(n,e[a],a);else for(a=0;a=1?e:-(Math.sqrt(1-e*e)-1)},easeOutCirc:function(e){return Math.sqrt(1-(e-=1)*e)},easeInOutCirc:function(e){return(e/=.5)<1?-.5*(Math.sqrt(1-e*e)-1):.5*(Math.sqrt(1-(e-=2)*e)+1)},easeInElastic:function(e){var t=1.70158,n=0,r=1;return 0===e?0:1===e?1:(n||(n=.3),r<1?(r=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/r),-r*Math.pow(2,10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n))},easeOutElastic:function(e){var t=1.70158,n=0,r=1;return 0===e?0:1===e?1:(n||(n=.3),r<1?(r=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/r),r*Math.pow(2,-10*e)*Math.sin((e-t)*(2*Math.PI)/n)+1)},easeInOutElastic:function(e){var t=1.70158,n=0,r=1;return 0===e?0:2===(e/=.5)?1:(n||(n=.45),r<1?(r=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/r),e<1?r*Math.pow(2,10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n)*-.5:r*Math.pow(2,-10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n)*.5+1)},easeInBack:function(e){var t=1.70158;return e*e*((t+1)*e-t)},easeOutBack:function(e){var t=1.70158;return(e-=1)*e*((t+1)*e+t)+1},easeInOutBack:function(e){var t=1.70158;return(e/=.5)<1?e*e*((1+(t*=1.525))*e-t)*.5:.5*((e-=2)*e*((1+(t*=1.525))*e+t)+2)},easeInBounce:function(e){return 1-R.easeOutBounce(1-e)},easeOutBounce:function(e){return e<1/2.75?7.5625*e*e:e<2/2.75?7.5625*(e-=1.5/2.75)*e+.75:e<2.5/2.75?7.5625*(e-=2.25/2.75)*e+.9375:7.5625*(e-=2.625/2.75)*e+.984375},easeInOutBounce:function(e){return e<.5?.5*R.easeInBounce(2*e):.5*R.easeOutBounce(2*e-1)+.5}},z={effects:R};I.easingEffects=R;var B=Math.PI,V=B/180,U=2*B,J=B/2,q=B/4,G=2*B/3,$={clear:function(e){e.ctx.clearRect(0,0,e.width,e.height)},roundedRect:function(e,t,n,r,a,i){if(i){var o=Math.min(i,a/2,r/2),s=t+o,u=n+o,l=t+r-o,d=n+a-o;e.moveTo(t,u),st.left-n&&e.xt.top-n&&e.y0&&e.requestAnimationFrame()},advance:function(){var e,t,n,r,a=this.animations,i=0;while(i=n?(de.callback(e.onAnimationComplete,[e],t),t.animating=!1,a.splice(i,1)):++i}},Le=de.options.resolve,ke=["push","pop","shift","splice","unshift"];function we(e,t){e._chartjs?e._chartjs.listeners.push(t):(Object.defineProperty(e,"_chartjs",{configurable:!0,enumerable:!1,value:{listeners:[t]}}),ke.forEach((function(t){var n="onData"+t.charAt(0).toUpperCase()+t.slice(1),r=e[t];Object.defineProperty(e,t,{configurable:!0,enumerable:!1,value:function(){var t=Array.prototype.slice.call(arguments),a=r.apply(this,t);return de.each(e._chartjs.listeners,(function(e){"function"===typeof e[n]&&e[n].apply(e,t)})),a}})})))}function Ye(e,t){var n=e._chartjs;if(n){var r=n.listeners,a=r.indexOf(t);-1!==a&&r.splice(a,1),r.length>0||(ke.forEach((function(t){delete e[t]})),delete e._chartjs)}}var xe=function(e,t){this.initialize(e,t)};de.extend(xe.prototype,{datasetElementType:null,dataElementType:null,_datasetElementOptions:["backgroundColor","borderCapStyle","borderColor","borderDash","borderDashOffset","borderJoinStyle","borderWidth"],_dataElementOptions:["backgroundColor","borderColor","borderWidth","pointStyle"],initialize:function(e,t){var n=this;n.chart=e,n.index=t,n.linkScales(),n.addElements(),n._type=n.getMeta().type},updateIndex:function(e){this.index=e},linkScales:function(){var e=this,t=e.getMeta(),n=e.chart,r=n.scales,a=e.getDataset(),i=n.options.scales;null!==t.xAxisID&&t.xAxisID in r&&!a.xAxisID||(t.xAxisID=a.xAxisID||i.xAxes[0].id),null!==t.yAxisID&&t.yAxisID in r&&!a.yAxisID||(t.yAxisID=a.yAxisID||i.yAxes[0].id)},getDataset:function(){return this.chart.data.datasets[this.index]},getMeta:function(){return this.chart.getDatasetMeta(this.index)},getScaleForId:function(e){return this.chart.scales[e]},_getValueScaleId:function(){return this.getMeta().yAxisID},_getIndexScaleId:function(){return this.getMeta().xAxisID},_getValueScale:function(){return this.getScaleForId(this._getValueScaleId())},_getIndexScale:function(){return this.getScaleForId(this._getIndexScaleId())},reset:function(){this._update(!0)},destroy:function(){this._data&&Ye(this._data,this)},createMetaDataset:function(){var e=this,t=e.datasetElementType;return t&&new t({_chart:e.chart,_datasetIndex:e.index})},createMetaData:function(e){var t=this,n=t.dataElementType;return n&&new n({_chart:t.chart,_datasetIndex:t.index,_index:e})},addElements:function(){var e,t,n=this,r=n.getMeta(),a=n.getDataset().data||[],i=r.data;for(e=0,t=a.length;er&&e.insertElements(r,a-r)},insertElements:function(e,t){for(var n=0;na?(i=a/t.innerRadius,e.arc(o,s,t.innerRadius-a,r+i,n-i,!0)):e.arc(o,s,a,r+Math.PI/2,n-Math.PI/2),e.closePath(),e.clip()}function He(e,t,n,r){var a,i=n.endAngle;for(r&&(n.endAngle=n.startAngle+Te,Se(e,n),n.endAngle=i,n.endAngle===n.startAngle&&n.fullCircles&&(n.endAngle+=Te,n.fullCircles--)),e.beginPath(),e.arc(n.x,n.y,n.innerRadius,n.startAngle+Te,n.startAngle,!0),a=0;as)a-=Te;while(a=o&&a<=s,l=i>=n.innerRadius&&i<=n.outerRadius;return u&&l}return!1},getCenterPoint:function(){var e=this._view,t=(e.startAngle+e.endAngle)/2,n=(e.innerRadius+e.outerRadius)/2;return{x:e.x+Math.cos(t)*n,y:e.y+Math.sin(t)*n}},getArea:function(){var e=this._view;return Math.PI*((e.endAngle-e.startAngle)/(2*Math.PI))*(Math.pow(e.outerRadius,2)-Math.pow(e.innerRadius,2))},tooltipPosition:function(){var e=this._view,t=e.startAngle+(e.endAngle-e.startAngle)/2,n=(e.outerRadius-e.innerRadius)/2+e.innerRadius;return{x:e.x+Math.cos(t)*n,y:e.y+Math.sin(t)*n}},draw:function(){var e,t=this._chart.ctx,n=this._view,r="inner"===n.borderAlign?.33:0,a={x:n.x,y:n.y,innerRadius:n.innerRadius,outerRadius:Math.max(n.outerRadius-r,0),pixelMargin:r,startAngle:n.startAngle,endAngle:n.endAngle,fullCircles:Math.floor(n.circumference/Te)};if(t.save(),t.fillStyle=n.backgroundColor,t.strokeStyle=n.borderColor,a.fullCircles){for(a.endAngle=a.startAngle+Te,t.beginPath(),t.arc(a.x,a.y,a.outerRadius,a.startAngle,a.endAngle),t.arc(a.x,a.y,a.innerRadius,a.endAngle,a.startAngle,!0),t.closePath(),e=0;ee.x&&(t=Ve(t,"left","right")):e.basen?n:r,r:u.right||a<0?0:a>t?t:a,b:u.bottom||i<0?0:i>n?n:i,l:u.left||o<0?0:o>t?t:o}}function qe(e){var t=Be(e),n=t.right-t.left,r=t.bottom-t.top,a=Je(e,n/2,r/2);return{outer:{x:t.left,y:t.top,w:n,h:r},inner:{x:t.left+a.l,y:t.top+a.t,w:n-a.l-a.r,h:r-a.t-a.b}}}function Ge(e,t,n){var r=null===t,a=null===n,i=!(!e||r&&a)&&Be(e);return i&&(r||t>=i.left&&t<=i.right)&&(a||n>=i.top&&n<=i.bottom)}X._set("global",{elements:{rectangle:{backgroundColor:Re,borderColor:Re,borderSkipped:"bottom",borderWidth:0}}});var $e=ye.extend({_type:"rectangle",draw:function(){var e=this._chart.ctx,t=this._view,n=qe(t),r=n.outer,a=n.inner;e.fillStyle=t.backgroundColor,e.fillRect(r.x,r.y,r.w,r.h),r.w===a.w&&r.h===a.h||(e.save(),e.beginPath(),e.rect(r.x,r.y,r.w,r.h),e.clip(),e.fillStyle=t.borderColor,e.rect(a.x,a.y,a.w,a.h),e.fill("evenodd"),e.restore())},height:function(){var e=this._view;return e.base-e.y},inRange:function(e,t){return Ge(this._view,e,t)},inLabelRange:function(e,t){var n=this._view;return ze(n)?Ge(n,e,null):Ge(n,null,t)},inXRange:function(e){return Ge(this._view,e,null)},inYRange:function(e){return Ge(this._view,null,e)},getCenterPoint:function(){var e,t,n=this._view;return ze(n)?(e=n.x,t=(n.y+n.base)/2):(e=(n.x+n.base)/2,t=n.y),{x:e,y:t}},getArea:function(){var e=this._view;return ze(e)?e.width*Math.abs(e.y-e.base):e.height*Math.abs(e.x-e.base)},tooltipPosition:function(){var e=this._view;return{x:e.x,y:e.y}}}),Ke={},Ze=Oe,Xe=Ce,Qe=Ie,et=$e;Ke.Arc=Ze,Ke.Line=Xe,Ke.Point=Qe,Ke.Rectangle=et;var tt=de._deprecated,nt=de.valueOrDefault;function rt(e,t){var n,r,a,i,o=e._length;for(a=1,i=t.length;a0?Math.min(o,Math.abs(r-n)):o,n=r;return o}function at(e,t,n){var r,a,i=n.barThickness,o=t.stackCount,s=t.pixels[e],u=de.isNullOrUndef(i)?rt(t.scale,t.pixels):-1;return de.isNullOrUndef(i)?(r=u*n.categoryPercentage,a=n.barPercentage):(r=i*o,a=1),{chunk:r/o,ratio:a,start:s-r/2}}function it(e,t,n){var r,a,i=t.pixels,o=i[e],s=e>0?i[e-1]:null,u=e=0&&p.min>=0?p.min:p.max,b=void 0===p.start?p.end:p.max>=0&&p.min>=0?p.max-p.min:p.min-p.max,L=m.length;if(y||void 0===y&&void 0!==v)for(r=0;r=0&&l.max>=0?l.max:l.min,(p.min<0&&i<0||p.max>=0&&i>0)&&(M+=i))}return o=f.getPixelForValue(M),s=f.getPixelForValue(M+b),u=s-o,void 0!==g&&Math.abs(u)=0&&!h||b<0&&h?o-g:o+g),{size:u,base:o,head:s,center:s+u/2}},calculateBarIndexPixels:function(e,t,n,r){var a=this,i="flex"===r.barThickness?it(t,n,r):at(t,n,r),o=a.getStackIndex(e,a.getMeta().stack),s=i.start+i.chunk*o+i.chunk/2,u=Math.min(nt(r.maxBarThickness,1/0),i.chunk*i.ratio);return{base:s-u/2,head:s+u/2,center:s,size:u}},draw:function(){var e=this,t=e.chart,n=e._getValueScale(),r=e.getMeta().data,a=e.getDataset(),i=r.length,o=0;for(de.canvas.clipArea(t.ctx,t.chartArea);o=ct?-ft:y<-ct?ft:0;var v=y+p,M=Math.cos(y),b=Math.sin(y),L=Math.cos(v),k=Math.sin(v),w=y<=0&&v>=0||v>=ft,Y=y<=ht&&v>=ht||v>=ft+ht,x=y===-ct||v>=ct,D=y<=-ht&&v>=-ht||v>=ct+ht,T=x?-1:Math.min(M,M*m,L,L*m),S=D?-1:Math.min(b,b*m,k,k*m),H=w?1:Math.max(M,M*m,L,L*m),j=Y?1:Math.max(b,b*m,k,k*m);l=(H-T)/2,d=(j-S)/2,c=-(H+T)/2,f=-(j+S)/2}for(r=0,a=_.length;r0&&!isNaN(e)?ft*(Math.abs(e)/t):0},getMaxBorderWidth:function(e){var t,n,r,a,i,o,s,u,l=this,d=0,c=l.chart;if(!e)for(t=0,n=c.data.datasets.length;td?s:d,d=u>d?u:d);return d},setHoverStyle:function(e){var t=e._model,n=e._options,r=de.getHoverColor;e.$previousStyle={backgroundColor:t.backgroundColor,borderColor:t.borderColor,borderWidth:t.borderWidth},t.backgroundColor=dt(n.hoverBackgroundColor,r(n.backgroundColor)),t.borderColor=dt(n.hoverBorderColor,r(n.borderColor)),t.borderWidth=dt(n.hoverBorderWidth,n.borderWidth)},_getRingWeightOffset:function(e){for(var t=0,n=0;n0&&yt(l[e-1]._model,u)&&(n.controlPointPreviousX=d(n.controlPointPreviousX,u.left,u.right),n.controlPointPreviousY=d(n.controlPointPreviousY,u.top,u.bottom)),e0&&(i=e.getDatasetMeta(i[0]._datasetIndex).data),i},"x-axis":function(e,t){return Ct(e,t,{intersect:!1})},point:function(e,t){var n=Ht(t,e);return Ot(e,n)},nearest:function(e,t,n){var r=Ht(t,e);n.axis=n.axis||"xy";var a=At(n.axis);return Pt(e,r,n.intersect,a)},x:function(e,t,n){var r=Ht(t,e),a=[],i=!1;return jt(e,(function(e){e.inXRange(r.x)&&a.push(e),e.inRange(r.x,r.y)&&(i=!0)})),n.intersect&&!i&&(a=[]),a},y:function(e,t,n){var r=Ht(t,e),a=[],i=!1;return jt(e,(function(e){e.inYRange(r.y)&&a.push(e),e.inRange(r.x,r.y)&&(i=!0)})),n.intersect&&!i&&(a=[]),a}}},Ft=de.extend;function Wt(e,t){return de.where(e,(function(e){return e.pos===t}))}function Nt(e,t){return e.sort((function(e,n){var r=t?n:e,a=t?e:n;return r.weight===a.weight?r.index-a.index:r.weight-a.weight}))}function It(e){var t,n,r,a=[];for(t=0,n=(e||[]).length;t div {\r\n\tposition: absolute;\r\n\twidth: 1000000px;\r\n\theight: 1000000px;\r\n\tleft: 0;\r\n\ttop: 0;\r\n}\r\n\r\n.chartjs-size-monitor-shrink > div {\r\n\tposition: absolute;\r\n\twidth: 200%;\r\n\theight: 200%;\r\n\tleft: 0;\r\n\ttop: 0;\r\n}\r\n",Xt=Object.freeze({__proto__:null,default:Zt}),Qt=n(Xt),en="$chartjs",tn="chartjs-",nn=tn+"size-monitor",rn=tn+"render-monitor",an=tn+"render-animation",on=["animationstart","webkitAnimationStart"],sn={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"};function un(e,t){var n=de.getStyle(e,t),r=n&&n.match(/^(\d+)(\.\d+)?px$/);return r?Number(r[1]):void 0}function ln(e,t){var n=e.style,r=e.getAttribute("height"),a=e.getAttribute("width");if(e[en]={initial:{height:r,width:a,style:{display:n.display,height:n.height,width:n.width}}},n.display=n.display||"block",null===a||""===a){var i=un(e,"width");void 0!==i&&(e.width=i)}if(null===r||""===r)if(""===e.style.height)e.height=e.width/(t.options.aspectRatio||2);else{var o=un(e,"height");void 0!==i&&(e.height=o)}return e}var dn=function(){var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){e=!0}});window.addEventListener("e",null,t)}catch(n){}return e}(),cn=!!dn&&{passive:!0};function fn(e,t,n){e.addEventListener(t,n,cn)}function hn(e,t,n){e.removeEventListener(t,n,cn)}function _n(e,t,n,r,a){return{type:e,chart:t,native:a||null,x:void 0!==n?n:null,y:void 0!==r?r:null}}function mn(e,t){var n=sn[e.type]||e.type,r=de.getRelativePosition(e,t);return _n(n,t,r.x,r.y,e)}function pn(e,t){var n=!1,r=[];return function(){r=Array.prototype.slice.call(arguments),t=t||this,n||(n=!0,de.requestAnimFrame.call(window,(function(){n=!1,e.apply(t,r)})))}}function gn(e){var t=document.createElement("div");return t.className=e||"",t}function yn(e){var t=1e6,n=gn(nn),r=gn(nn+"-expand"),a=gn(nn+"-shrink");r.appendChild(gn()),a.appendChild(gn()),n.appendChild(r),n.appendChild(a),n._reset=function(){r.scrollLeft=t,r.scrollTop=t,a.scrollLeft=t,a.scrollTop=t};var i=function(){n._reset(),e()};return fn(r,"scroll",i.bind(r,"expand")),fn(a,"scroll",i.bind(a,"shrink")),n}function vn(e,t){var n=e[en]||(e[en]={}),r=n.renderProxy=function(e){e.animationName===an&&t()};de.each(on,(function(t){fn(e,t,r)})),n.reflow=!!e.offsetParent,e.classList.add(rn)}function Mn(e){var t=e[en]||{},n=t.renderProxy;n&&(de.each(on,(function(t){hn(e,t,n)})),delete t.renderProxy),e.classList.remove(rn)}function bn(e,t,n){var r=e[en]||(e[en]={}),a=r.resizer=yn(pn((function(){if(r.resizer){var a=n.options.maintainAspectRatio&&e.parentNode,i=a?a.clientWidth:0;t(_n("resize",n)),a&&a.clientWidth0){var i=e[0];i.label?n=i.label:i.xLabel?n=i.xLabel:a>0&&i.index-1?e.split("\n"):e}function An(e){var t=e._xScale,n=e._yScale||e._scale,r=e._index,a=e._datasetIndex,i=e._chart.getDatasetMeta(a).controller,o=i._getIndexScale(),s=i._getValueScale();return{xLabel:t?t.getLabelForIndex(r,a):"",yLabel:n?n.getLabelForIndex(r,a):"",label:o?""+o.getLabelForIndex(r,a):"",value:s?""+s.getLabelForIndex(r,a):"",index:r,datasetIndex:a,x:e._model.x,y:e._model.y}}function Cn(e){var t=X.global;return{xPadding:e.xPadding,yPadding:e.yPadding,xAlign:e.xAlign,yAlign:e.yAlign,rtl:e.rtl,textDirection:e.textDirection,bodyFontColor:e.bodyFontColor,_bodyFontFamily:Sn(e.bodyFontFamily,t.defaultFontFamily),_bodyFontStyle:Sn(e.bodyFontStyle,t.defaultFontStyle),_bodyAlign:e.bodyAlign,bodyFontSize:Sn(e.bodyFontSize,t.defaultFontSize),bodySpacing:e.bodySpacing,titleFontColor:e.titleFontColor,_titleFontFamily:Sn(e.titleFontFamily,t.defaultFontFamily),_titleFontStyle:Sn(e.titleFontStyle,t.defaultFontStyle),titleFontSize:Sn(e.titleFontSize,t.defaultFontSize),_titleAlign:e.titleAlign,titleSpacing:e.titleSpacing,titleMarginBottom:e.titleMarginBottom,footerFontColor:e.footerFontColor,_footerFontFamily:Sn(e.footerFontFamily,t.defaultFontFamily),_footerFontStyle:Sn(e.footerFontStyle,t.defaultFontStyle),footerFontSize:Sn(e.footerFontSize,t.defaultFontSize),_footerAlign:e.footerAlign,footerSpacing:e.footerSpacing,footerMarginTop:e.footerMarginTop,caretSize:e.caretSize,cornerRadius:e.cornerRadius,backgroundColor:e.backgroundColor,opacity:0,legendColorBackground:e.multiKeyBackground,displayColors:e.displayColors,borderColor:e.borderColor,borderWidth:e.borderWidth}}function En(e,t){var n=e._chart.ctx,r=2*t.yPadding,a=0,i=t.body,o=i.reduce((function(e,t){return e+t.before.length+t.lines.length+t.after.length}),0);o+=t.beforeBody.length+t.afterBody.length;var s=t.title.length,u=t.footer.length,l=t.titleFontSize,d=t.bodyFontSize,c=t.footerFontSize;r+=s*l,r+=s?(s-1)*t.titleSpacing:0,r+=s?t.titleMarginBottom:0,r+=o*d,r+=o?(o-1)*t.bodySpacing:0,r+=u?t.footerMarginTop:0,r+=u*c,r+=u?(u-1)*t.footerSpacing:0;var f=0,h=function(e){a=Math.max(a,n.measureText(e).width+f)};return n.font=de.fontString(l,t._titleFontStyle,t._titleFontFamily),de.each(t.title,h),n.font=de.fontString(d,t._bodyFontStyle,t._bodyFontFamily),de.each(t.beforeBody.concat(t.afterBody),h),f=t.displayColors?d+2:0,de.each(i,(function(e){de.each(e.before,h),de.each(e.lines,h),de.each(e.after,h)})),f=0,n.font=de.fontString(c,t._footerFontStyle,t._footerFontFamily),de.each(t.footer,h),a+=2*t.xPadding,{width:a,height:r}}function Fn(e,t){var n,r,a,i,o,s=e._model,u=e._chart,l=e._chart.chartArea,d="center",c="center";s.yu.height-t.height&&(c="bottom");var f=(l.left+l.right)/2,h=(l.top+l.bottom)/2;"center"===c?(n=function(e){return e<=f},r=function(e){return e>f}):(n=function(e){return e<=t.width/2},r=function(e){return e>=u.width-t.width/2}),a=function(e){return e+t.width+s.caretSize+s.caretPadding>u.width},i=function(e){return e-t.width-s.caretSize-s.caretPadding<0},o=function(e){return e<=h?"top":"bottom"},n(s.x)?(d="left",a(s.x)&&(d="center",c=o(s.y))):r(s.x)&&(d="right",i(s.x)&&(d="center",c=o(s.y)));var _=e._options;return{xAlign:_.xAlign?_.xAlign:d,yAlign:_.yAlign?_.yAlign:c}}function Wn(e,t,n,r){var a=e.x,i=e.y,o=e.caretSize,s=e.caretPadding,u=e.cornerRadius,l=n.xAlign,d=n.yAlign,c=o+s,f=u+s;return"right"===l?a-=t.width:"center"===l&&(a-=t.width/2,a+t.width>r.width&&(a=r.width-t.width),a<0&&(a=0)),"top"===d?i+=c:i-="bottom"===d?t.height+c:t.height/2,"center"===d?"left"===l?a+=c:"right"===l&&(a-=c):"left"===l?a-=f:"right"===l&&(a+=f),{x:a,y:i}}function Nn(e,t){return"center"===t?e.x+e.width/2:"right"===t?e.x+e.width-e.xPadding:e.x+e.xPadding}function In(e){return On([],Pn(e))}var Rn=ye.extend({initialize:function(){this._model=Cn(this._options),this._lastActive=[]},getTitle:function(){var e=this,t=e._options,n=t.callbacks,r=n.beforeTitle.apply(e,arguments),a=n.title.apply(e,arguments),i=n.afterTitle.apply(e,arguments),o=[];return o=On(o,Pn(r)),o=On(o,Pn(a)),o=On(o,Pn(i)),o},getBeforeBody:function(){return In(this._options.callbacks.beforeBody.apply(this,arguments))},getBody:function(e,t){var n=this,r=n._options.callbacks,a=[];return de.each(e,(function(e){var i={before:[],lines:[],after:[]};On(i.before,Pn(r.beforeLabel.call(n,e,t))),On(i.lines,r.label.call(n,e,t)),On(i.after,Pn(r.afterLabel.call(n,e,t))),a.push(i)})),a},getAfterBody:function(){return In(this._options.callbacks.afterBody.apply(this,arguments))},getFooter:function(){var e=this,t=e._options.callbacks,n=t.beforeFooter.apply(e,arguments),r=t.footer.apply(e,arguments),a=t.afterFooter.apply(e,arguments),i=[];return i=On(i,Pn(n)),i=On(i,Pn(r)),i=On(i,Pn(a)),i},update:function(e){var t,n,r=this,a=r._options,i=r._model,o=r._model=Cn(a),s=r._active,u=r._data,l={xAlign:i.xAlign,yAlign:i.yAlign},d={x:i.x,y:i.y},c={width:i.width,height:i.height},f={x:i.caretX,y:i.caretY};if(s.length){o.opacity=1;var h=[],_=[];f=jn[a.position].call(r,s,r._eventPosition);var m=[];for(t=0,n=s.length;t0&&n.stroke()},draw:function(){var e=this._chart.ctx,t=this._view;if(0!==t.opacity){var n={width:t.width,height:t.height},r={x:t.x,y:t.y},a=Math.abs(t.opacity<.001)?0:t.opacity,i=t.title.length||t.beforeBody.length||t.body.length||t.afterBody.length||t.footer.length;this._options.enabled&&i&&(e.save(),e.globalAlpha=a,this.drawBackground(r,t,e,n),r.y+=t.yPadding,de.rtl.overrideTextDirection(e,t.textDirection),this.drawTitle(r,t,e),this.drawBody(r,t,e),this.drawFooter(r,t,e),de.rtl.restoreTextDirection(e,t.textDirection),e.restore())}},handleEvent:function(e){var t=this,n=t._options,r=!1;return t._lastActive=t._lastActive||[],"mouseout"===e.type?t._active=[]:(t._active=t._chart.getElementsAtEventForMode(e,n.mode,n),n.reverse&&t._active.reverse()),r=!de.arrayEquals(t._active,t._lastActive),r&&(t._lastActive=t._active,(n.enabled||n.custom)&&(t._eventPosition={x:e.x,y:e.y},t.update(!0),t.pivot())),r}}),zn=jn,Bn=Rn;Bn.positioners=zn;var Vn=de.valueOrDefault;function Un(){return de.merge(Object.create(null),[].slice.call(arguments),{merger:function(e,t,n,r){if("xAxes"===e||"yAxes"===e){var a,i,o,s=n[e].length;for(t[e]||(t[e]=[]),a=0;a=t[e].length&&t[e].push({}),!t[e][a].type||o.type&&o.type!==t[e][a].type?de.merge(t[e][a],[Tn.getScaleDefaults(i),o]):de.merge(t[e][a],o)}else de._merger(e,t,n,r)}})}function Jn(){return de.merge(Object.create(null),[].slice.call(arguments),{merger:function(e,t,n,r){var a=t[e]||Object.create(null),i=n[e];"scales"===e?t[e]=Un(a,i):"scale"===e?t[e]=de.merge(a,[Tn.getScaleDefaults(i.type),i]):de._merger(e,t,n,r)}})}function qn(e){e=e||Object.create(null);var t=e.data=e.data||{};return t.datasets=t.datasets||[],t.labels=t.labels||[],e.options=Jn(X.global,X[e.type],e.options||{}),e}function Gn(e){var t=e.options;de.each(e.scales,(function(t){$t.removeBox(e,t)})),t=Jn(X.global,X[e.config.type],t),e.options=e.config.options=t,e.ensureScalesHaveIDs(),e.buildOrUpdateScales(),e.tooltip._options=t.tooltips,e.tooltip.initialize()}function $n(e,t,n){var r,a=function(e){return e.id===r};do{r=t+n++}while(de.findIndex(e,a)>=0);return r}function Kn(e){return"top"===e||"bottom"===e}function Zn(e,t){return function(n,r){return n[e]===r[e]?n[t]-r[t]:n[e]-r[e]}}X._set("global",{elements:{},events:["mousemove","mouseout","click","touchstart","touchmove"],hover:{onHover:null,mode:"nearest",intersect:!0,animationDuration:400},onClick:null,maintainAspectRatio:!0,responsive:!0,responsiveAnimationDuration:0});var Xn=function(e,t){return this.construct(e,t),this};de.extend(Xn.prototype,{construct:function(e,t){var n=this;t=qn(t);var r=xn.acquireContext(e,t),a=r&&r.canvas,i=a&&a.height,o=a&&a.width;n.id=de.uid(),n.ctx=r,n.canvas=a,n.config=t,n.width=o,n.height=i,n.aspectRatio=i?o/i:null,n.options=t.options,n._bufferedRender=!1,n._layers=[],n.chart=n,n.controller=n,Xn.instances[n.id]=n,Object.defineProperty(n,"data",{get:function(){return n.config.data},set:function(e){n.config.data=e}}),r&&a?(n.initialize(),n.update()):console.error("Failed to create chart: can't acquire context from the given item")},initialize:function(){var e=this;return Dn.notify(e,"beforeInit"),de.retinaScale(e,e.options.devicePixelRatio),e.bindEvents(),e.options.responsive&&e.resize(!0),e.initToolTip(),Dn.notify(e,"afterInit"),e},clear:function(){return de.canvas.clear(this),this},stop:function(){return be.cancelAnimation(this),this},resize:function(e){var t=this,n=t.options,r=t.canvas,a=n.maintainAspectRatio&&t.aspectRatio||null,i=Math.max(0,Math.floor(de.getMaximumWidth(r))),o=Math.max(0,Math.floor(a?i/a:de.getMaximumHeight(r)));if((t.width!==i||t.height!==o)&&(r.width=t.width=i,r.height=t.height=o,r.style.width=i+"px",r.style.height=o+"px",de.retinaScale(t,n.devicePixelRatio),!e)){var s={width:i,height:o};Dn.notify(t,"resize",[s]),n.onResize&&n.onResize(t,s),t.stop(),t.update({duration:n.responsiveAnimationDuration})}},ensureScalesHaveIDs:function(){var e=this.options,t=e.scales||{},n=e.scale;de.each(t.xAxes,(function(e,n){e.id||(e.id=$n(t.xAxes,"x-axis-",n))})),de.each(t.yAxes,(function(e,n){e.id||(e.id=$n(t.yAxes,"y-axis-",n))})),n&&(n.id=n.id||"scale")},buildOrUpdateScales:function(){var e=this,t=e.options,n=e.scales||{},r=[],a=Object.keys(n).reduce((function(e,t){return e[t]=!1,e}),{});t.scales&&(r=r.concat((t.scales.xAxes||[]).map((function(e){return{options:e,dtype:"category",dposition:"bottom"}})),(t.scales.yAxes||[]).map((function(e){return{options:e,dtype:"linear",dposition:"left"}})))),t.scale&&r.push({options:t.scale,dtype:"radialLinear",isDefault:!0,dposition:"chartArea"}),de.each(r,(function(t){var r=t.options,i=r.id,o=Vn(r.type,t.dtype);Kn(r.position)!==Kn(t.dposition)&&(r.position=t.dposition),a[i]=!0;var s=null;if(i in n&&n[i].type===o)s=n[i],s.options=r,s.ctx=e.ctx,s.chart=e;else{var u=Tn.getScaleConstructor(o);if(!u)return;s=new u({id:i,type:o,options:r,ctx:e.ctx,chart:e}),n[s.id]=s}s.mergeTicksOptions(),t.isDefault&&(e.scale=s)})),de.each(a,(function(e,t){e||delete n[t]})),e.scales=n,Tn.addScalesToLayout(this)},buildOrUpdateControllers:function(){var e,t,n=this,r=[],a=n.data.datasets;for(e=0,t=a.length;e=0;--n)r.drawDataset(t[n],e);Dn.notify(r,"afterDatasetsDraw",[e])}},drawDataset:function(e,t){var n=this,r={meta:e,index:e.index,easingValue:t};!1!==Dn.notify(n,"beforeDatasetDraw",[r])&&(e.controller.draw(t),Dn.notify(n,"afterDatasetDraw",[r]))},_drawTooltip:function(e){var t=this,n=t.tooltip,r={tooltip:n,easingValue:e};!1!==Dn.notify(t,"beforeTooltipDraw",[r])&&(n.draw(),Dn.notify(t,"afterTooltipDraw",[r]))},getElementAtEvent:function(e){return Et.modes.single(this,e)},getElementsAtEvent:function(e){return Et.modes.label(this,e,{intersect:!0})},getElementsAtXAxis:function(e){return Et.modes["x-axis"](this,e,{intersect:!0})},getElementsAtEventForMode:function(e,t,n){var r=Et.modes[t];return"function"===typeof r?r(this,e,n):[]},getDatasetAtEvent:function(e){return Et.modes.dataset(this,e,{intersect:!0})},getDatasetMeta:function(e){var t=this,n=t.data.datasets[e];n._meta||(n._meta={});var r=n._meta[t.id];return r||(r=n._meta[t.id]={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null,order:n.order||0,index:e}),r},getVisibleDatasetCount:function(){for(var e=0,t=0,n=this.data.datasets.length;t=0;r--){var a=e[r];if(t(a))return a}},de.isNumber=function(e){return!isNaN(parseFloat(e))&&isFinite(e)},de.almostEquals=function(e,t,n){return Math.abs(e-t)=e},de.max=function(e){return e.reduce((function(e,t){return isNaN(t)?e:Math.max(e,t)}),Number.NEGATIVE_INFINITY)},de.min=function(e){return e.reduce((function(e,t){return isNaN(t)?e:Math.min(e,t)}),Number.POSITIVE_INFINITY)},de.sign=Math.sign?function(e){return Math.sign(e)}:function(e){return e=+e,0===e||isNaN(e)?e:e>0?1:-1},de.toRadians=function(e){return e*(Math.PI/180)},de.toDegrees=function(e){return e*(180/Math.PI)},de._decimalPlaces=function(e){if(de.isFinite(e)){var t=1,n=0;while(Math.round(e*t)/t!==e)t*=10,n++;return n}},de.getAngleFromPoint=function(e,t){var n=t.x-e.x,r=t.y-e.y,a=Math.sqrt(n*n+r*r),i=Math.atan2(r,n);return i<-.5*Math.PI&&(i+=2*Math.PI),{angle:i,distance:a}},de.distanceBetweenPoints=function(e,t){return Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2))},de.aliasPixel=function(e){return e%2===0?0:.5},de._alignPixel=function(e,t,n){var r=e.currentDevicePixelRatio,a=n/2;return Math.round((t-a)*r)/r+a},de.splineCurve=function(e,t,n,r){var a=e.skip?t:e,i=t,o=n.skip?t:n,s=Math.sqrt(Math.pow(i.x-a.x,2)+Math.pow(i.y-a.y,2)),u=Math.sqrt(Math.pow(o.x-i.x,2)+Math.pow(o.y-i.y,2)),l=s/(s+u),d=u/(s+u);l=isNaN(l)?0:l,d=isNaN(d)?0:d;var c=r*l,f=r*d;return{previous:{x:i.x-c*(o.x-a.x),y:i.y-c*(o.y-a.y)},next:{x:i.x+f*(o.x-a.x),y:i.y+f*(o.y-a.y)}}},de.EPSILON=Number.EPSILON||1e-14,de.splineCurveMonotone=function(e){var t,n,r,a,i,o,s,u,l,d=(e||[]).map((function(e){return{model:e._model,deltaK:0,mK:0}})),c=d.length;for(t=0;t0?d[t-1]:null,a=t0?d[t-1]:null,a=t=e.length-1?e[0]:e[t+1]:t>=e.length-1?e[e.length-1]:e[t+1]},de.previousItem=function(e,t,n){return n?t<=0?e[e.length-1]:e[t-1]:t<=0?e[0]:e[t-1]},de.niceNum=function(e,t){var n,r=Math.floor(de.log10(e)),a=e/Math.pow(10,r);return n=t?a<1.5?1:a<3?2:a<7?5:10:a<=1?1:a<=2?2:a<=5?5:10,n*Math.pow(10,r)},de.requestAnimFrame=function(){return"undefined"===typeof window?function(e){e()}:window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(e){return window.setTimeout(e,1e3/60)}}(),de.getRelativePosition=function(e,t){var n,r,a=e.originalEvent||e,i=e.target||e.srcElement,o=i.getBoundingClientRect(),s=a.touches;s&&s.length>0?(n=s[0].clientX,r=s[0].clientY):(n=a.clientX,r=a.clientY);var u=parseFloat(de.getStyle(i,"padding-left")),l=parseFloat(de.getStyle(i,"padding-top")),d=parseFloat(de.getStyle(i,"padding-right")),c=parseFloat(de.getStyle(i,"padding-bottom")),f=o.right-o.left-u-d,h=o.bottom-o.top-l-c;return n=Math.round((n-o.left-u)/f*i.width/t.currentDevicePixelRatio),r=Math.round((r-o.top-l)/h*i.height/t.currentDevicePixelRatio),{x:n,y:r}},de.getConstraintWidth=function(e){return n(e,"max-width","clientWidth")},de.getConstraintHeight=function(e){return n(e,"max-height","clientHeight")},de._calculatePadding=function(e,t,n){return t=de.getStyle(e,t),t.indexOf("%")>-1?n*parseInt(t,10)/100:parseInt(t,10)},de._getParentNode=function(e){var t=e.parentNode;return t&&"[object ShadowRoot]"===t.toString()&&(t=t.host),t},de.getMaximumWidth=function(e){var t=de._getParentNode(e);if(!t)return e.clientWidth;var n=t.clientWidth,r=de._calculatePadding(t,"padding-left",n),a=de._calculatePadding(t,"padding-right",n),i=n-r-a,o=de.getConstraintWidth(e);return isNaN(o)?i:Math.min(i,o)},de.getMaximumHeight=function(e){var t=de._getParentNode(e);if(!t)return e.clientHeight;var n=t.clientHeight,r=de._calculatePadding(t,"padding-top",n),a=de._calculatePadding(t,"padding-bottom",n),i=n-r-a,o=de.getConstraintHeight(e);return isNaN(o)?i:Math.min(i,o)},de.getStyle=function(e,t){return e.currentStyle?e.currentStyle[t]:document.defaultView.getComputedStyle(e,null).getPropertyValue(t)},de.retinaScale=function(e,t){var n=e.currentDevicePixelRatio=t||"undefined"!==typeof window&&window.devicePixelRatio||1;if(1!==n){var r=e.canvas,a=e.height,i=e.width;r.height=a*n,r.width=i*n,e.ctx.scale(n,n),r.style.height||r.style.width||(r.style.height=a+"px",r.style.width=i+"px")}},de.fontString=function(e,t,n){return t+" "+e+"px "+n},de.longestText=function(e,t,n,r){r=r||{};var a=r.data=r.data||{},i=r.garbageCollect=r.garbageCollect||[];r.font!==t&&(a=r.data={},i=r.garbageCollect=[],r.font=t),e.font=t;var o,s,u,l,d,c=0,f=n.length;for(o=0;on.length){for(o=0;or&&(r=i),r},de.numberOfLabelLines=function(e){var t=1;return de.each(e,(function(e){de.isArray(e)&&e.length>t&&(t=e.length)})),t},de.color=F?function(e){return e instanceof CanvasGradient&&(e=X.global.defaultColor),F(e)}:function(e){return console.error("Color.js not found!"),e},de.getHoverColor=function(e){return e instanceof CanvasPattern||e instanceof CanvasGradient?e:de.color(e).saturate(.5).darken(.1).rgbString()}};function tr(){throw new Error("This method is not implemented: either no adapter can be found or an incomplete integration was provided.")}function nr(e){this.options=e||{}}de.extend(nr.prototype,{formats:tr,parse:tr,format:tr,add:tr,diff:tr,startOf:tr,endOf:tr,_create:function(e){return e}}),nr.override=function(e){de.extend(nr.prototype,e)};var rr=nr,ar={_date:rr},ir={formatters:{values:function(e){return de.isArray(e)?e:""+e},linear:function(e,t,n){var r=n.length>3?n[2]-n[1]:n[1]-n[0];Math.abs(r)>1&&e!==Math.floor(e)&&(r=e-Math.floor(e));var a=de.log10(Math.abs(r)),i="";if(0!==e){var o=Math.max(Math.abs(n[0]),Math.abs(n[n.length-1]));if(o<1e-4){var s=de.log10(Math.abs(e)),u=Math.floor(s)-Math.floor(a);u=Math.max(Math.min(u,20),0),i=e.toExponential(u)}else{var l=-1*Math.floor(a);l=Math.max(Math.min(l,20),0),i=e.toFixed(l)}}else i="0";return i},logarithmic:function(e,t,n){var r=e/Math.pow(10,Math.floor(de.log10(e)));return 0===e?"0":1===r||2===r||5===r||0===t||t===n.length-1?e.toExponential():""}}},or=de.isArray,sr=de.isNullOrUndef,ur=de.valueOrDefault,lr=de.valueAtIndexOrDefault;function dr(e,t){for(var n=[],r=e.length/t,a=0,i=e.length;au+l)))return o}function fr(e,t){de.each(e,(function(e){var n,r=e.gc,a=r.length/2;if(a>t){for(n=0;nl)return i;return Math.max(l,1)}function br(e){var t,n,r=[];for(t=0,n=e.length;t=f||d<=1||!s.isHorizontal()?s.labelRotation=c:(e=s._getLabelSizes(),t=e.widest.width,n=e.highest.height-e.highest.offset,r=Math.min(s.maxWidth,s.chart.width-t),a=u.offset?s.maxWidth/d:r/(d-1),t+6>a&&(a=r/(d-(u.offset?.5:1)),i=s.maxHeight-_r(u.gridLines)-l.padding-mr(u.scaleLabel),o=Math.sqrt(t*t+n*n),h=de.toDegrees(Math.min(Math.asin(Math.min((e.highest.height+6)/a,1)),Math.asin(Math.min(i/o,1))-Math.asin(n/o))),h=Math.max(c,Math.min(f,h))),s.labelRotation=h)},afterCalculateTickRotation:function(){de.callback(this.options.afterCalculateTickRotation,[this])},beforeFit:function(){de.callback(this.options.beforeFit,[this])},fit:function(){var e=this,t=e.minSize={width:0,height:0},n=e.chart,r=e.options,a=r.ticks,i=r.scaleLabel,o=r.gridLines,s=e._isVisible(),u="bottom"===r.position,l=e.isHorizontal();if(l?t.width=e.maxWidth:s&&(t.width=_r(o)+mr(i)),l?s&&(t.height=_r(o)+mr(i)):t.height=e.maxHeight,a.display&&s){var d=gr(a),c=e._getLabelSizes(),f=c.first,h=c.last,_=c.widest,m=c.highest,p=.4*d.minor.lineHeight,g=a.padding;if(l){var y=0!==e.labelRotation,v=de.toRadians(e.labelRotation),M=Math.cos(v),b=Math.sin(v),L=b*_.width+M*(m.height-(y?m.offset:0))+(y?0:p);t.height=Math.min(e.maxHeight,t.height+L+g);var k,w,Y=e.getPixelForTick(0)-e.left,x=e.right-e.getPixelForTick(e.getTicks().length-1);y?(k=u?M*f.width+b*f.offset:b*(f.height-f.offset),w=u?b*(h.height-h.offset):M*h.width+b*h.offset):(k=f.width/2,w=h.width/2),e.paddingLeft=Math.max((k-Y)*e.width/(e.width-Y),0)+3,e.paddingRight=Math.max((w-x)*e.width/(e.width-x),0)+3}else{var D=a.mirror?0:_.width+g+p;t.width=Math.min(e.maxWidth,t.width+D),e.paddingTop=f.height/2,e.paddingBottom=h.height/2}}e.handleMargins(),l?(e.width=e._length=n.width-e.margins.left-e.margins.right,e.height=t.height):(e.width=t.width,e.height=e._length=n.height-e.margins.top-e.margins.bottom)},handleMargins:function(){var e=this;e.margins&&(e.margins.left=Math.max(e.paddingLeft,e.margins.left),e.margins.top=Math.max(e.paddingTop,e.margins.top),e.margins.right=Math.max(e.paddingRight,e.margins.right),e.margins.bottom=Math.max(e.paddingBottom,e.margins.bottom))},afterFit:function(){de.callback(this.options.afterFit,[this])},isHorizontal:function(){var e=this.options.position;return"top"===e||"bottom"===e},isFullWidth:function(){return this.options.fullWidth},getRightValue:function(e){if(sr(e))return NaN;if(("number"===typeof e||e instanceof Number)&&!isFinite(e))return NaN;if(e)if(this.isHorizontal()){if(void 0!==e.x)return this.getRightValue(e.x)}else if(void 0!==e.y)return this.getRightValue(e.y);return e},_convertTicksToLabels:function(e){var t,n,r,a=this;for(a.ticks=e.map((function(e){return e.value})),a.beforeTickToLabelConversion(),t=a.convertTicksToLabels(e)||a.ticks,a.afterTickToLabelConversion(),n=0,r=e.length;nr-1?null:t.getPixelForDecimal(e*a+(n?a/2:0))},getPixelForDecimal:function(e){var t=this;return t._reversePixels&&(e=1-e),t._startPixel+e*t._length},getDecimalForPixel:function(e){var t=(e-this._startPixel)/this._length;return this._reversePixels?1-t:t},getBasePixel:function(){return this.getPixelForValue(this.getBaseValue())},getBaseValue:function(){var e=this,t=e.min,n=e.max;return e.beginAtZero?0:t<0&&n<0?n:t>0&&n>0?t:0},_autoSkip:function(e){var t,n,r,a,i=this,o=i.options.ticks,s=i._length,u=o.maxTicksLimit||s/i._tickSize()+1,l=o.major.enabled?br(e):[],d=l.length,c=l[0],f=l[d-1];if(d>u)return Lr(e,l,d/u),yr(e);if(r=Mr(l,e,s,u),d>0){for(t=0,n=d-1;t1?(f-c)/(d-1):null,kr(e,r,de.isNullOrUndef(a)?0:c-a,c),kr(e,r,f,de.isNullOrUndef(a)?e.length:f+a),yr(e)}return kr(e,r),yr(e)},_tickSize:function(){var e=this,t=e.options.ticks,n=de.toRadians(e.labelRotation),r=Math.abs(Math.cos(n)),a=Math.abs(Math.sin(n)),i=e._getLabelSizes(),o=t.autoSkipPadding||0,s=i?i.widest.width+o:0,u=i?i.highest.height+o:0;return e.isHorizontal()?u*r>s*a?s/r:u/a:u*a=0&&(o=e)),void 0!==i&&(e=n.indexOf(i),e>=0&&(s=e)),t.minIndex=o,t.maxIndex=s,t.min=n[o],t.max=n[s]},buildTicks:function(){var e=this,t=e._getLabels(),n=e.minIndex,r=e.maxIndex;e.ticks=0===n&&r===t.length-1?t:t.slice(n,r+1)},getLabelForIndex:function(e,t){var n=this,r=n.chart;return r.getDatasetMeta(t).controller._getValueScaleId()===n.id?n.getRightValue(r.data.datasets[t].data[e]):n._getLabels()[e]},_configure:function(){var e=this,t=e.options.offset,n=e.ticks;Yr.prototype._configure.call(e),e.isHorizontal()||(e._reversePixels=!e._reversePixels),n&&(e._startValue=e.minIndex-(t?.5:0),e._valueRange=Math.max(n.length-(t?0:1),1))},getPixelForValue:function(e,t,n){var r,a,i,o=this;return xr(t)||xr(n)||(e=o.chart.data.datasets[n].data[t]),xr(e)||(r=o.isHorizontal()?e.x:e.y),(void 0!==r||void 0!==e&&isNaN(t))&&(a=o._getLabels(),e=de.valueOrDefault(r,e),i=a.indexOf(e),t=-1!==i?i:t,isNaN(t)&&(t=e)),o.getPixelForDecimal((t-o._startValue)/o._valueRange)},getPixelForTick:function(e){var t=this.ticks;return e<0||e>t.length-1?null:this.getPixelForValue(t[e],e+this.minIndex)},getValueForPixel:function(e){var t=this,n=Math.round(t._startValue+t.getDecimalForPixel(e)*t._valueRange);return Math.min(Math.max(n,0),t.ticks.length-1)},getBasePixel:function(){return this.bottom}}),Sr=Dr;Tr._defaults=Sr;var Hr=de.noop,jr=de.isNullOrUndef;function Or(e,t){var n,r,a,i,o=[],s=1e-14,u=e.stepSize,l=u||1,d=e.maxTicks-1,c=e.min,f=e.max,h=e.precision,_=t.min,m=t.max,p=de.niceNum((m-_)/d/l)*l;if(pd&&(p=de.niceNum(i*p/d/l)*l),u||jr(h)?n=Math.pow(10,de._decimalPlaces(p)):(n=Math.pow(10,h),p=Math.ceil(p*n)/n),r=Math.floor(_/p)*p,a=Math.ceil(m/p)*p,u&&(!jr(c)&&de.almostWhole(c/p,p/1e3)&&(r=c),!jr(f)&&de.almostWhole(f/p,p/1e3)&&(a=f)),i=(a-r)/p,i=de.almostEquals(i,Math.round(i),p/1e3)?Math.round(i):Math.ceil(i),r=Math.round(r*n)/n,a=Math.round(a*n)/n,o.push(jr(c)?r:c);for(var g=1;g0&&a>0&&(e.min=0)}var i=void 0!==n.min||void 0!==n.suggestedMin,o=void 0!==n.max||void 0!==n.suggestedMax;void 0!==n.min?e.min=n.min:void 0!==n.suggestedMin&&(null===e.min?e.min=n.suggestedMin:e.min=Math.min(e.min,n.suggestedMin)),void 0!==n.max?e.max=n.max:void 0!==n.suggestedMax&&(null===e.max?e.max=n.suggestedMax:e.max=Math.max(e.max,n.suggestedMax)),i!==o&&e.min>=e.max&&(i?e.max=e.min+1:e.min=e.max-1),e.min===e.max&&(e.max++,n.beginAtZero||e.min--)},getTickLimit:function(){var e,t=this,n=t.options.ticks,r=n.stepSize,a=n.maxTicksLimit;return r?e=Math.ceil(t.max/r)-Math.floor(t.min/r)+1:(e=t._computeTickLimit(),a=a||11),a&&(e=Math.min(a,e)),e},_computeTickLimit:function(){return Number.POSITIVE_INFINITY},handleDirectionalChanges:Hr,buildTicks:function(){var e=this,t=e.options,n=t.ticks,r=e.getTickLimit();r=Math.max(2,r);var a={maxTicks:r,min:n.min,max:n.max,precision:n.precision,stepSize:de.valueOrDefault(n.fixedStepSize,n.stepSize)},i=e.ticks=Or(a,e);e.handleDirectionalChanges(),e.max=de.max(i),e.min=de.min(i),n.reverse?(i.reverse(),e.start=e.max,e.end=e.min):(e.start=e.min,e.end=e.max)},convertTicksToLabels:function(){var e=this;e.ticksAsNumbers=e.ticks.slice(),e.zeroLineIndex=e.ticks.indexOf(0),Yr.prototype.convertTicksToLabels.call(e)},_configure:function(){var e,t=this,n=t.getTicks(),r=t.min,a=t.max;Yr.prototype._configure.call(t),t.options.offset&&n.length&&(e=(a-r)/Math.max(n.length-1,1)/2,r-=e,a+=e),t._startValue=r,t._endValue=a,t._valueRange=a-r}}),Ar={position:"left",ticks:{callback:ir.formatters.linear}},Cr=0,Er=1;function Fr(e,t,n){var r=[n.type,void 0===t&&void 0===n.stack?n.index:"",n.stack].join(".");return void 0===e[r]&&(e[r]={pos:[],neg:[]}),e[r]}function Wr(e,t,n,r){var a,i,o=e.options,s=o.stacked,u=Fr(t,s,n),l=u.pos,d=u.neg,c=r.length;for(a=0;at.length-1?null:this.getPixelForValue(t[e])}}),Rr=Ar;Ir._defaults=Rr;var zr=de.valueOrDefault,Br=de.math.log10;function Vr(e,t){var n,r,a=[],i=zr(e.min,Math.pow(10,Math.floor(Br(t.min)))),o=Math.floor(Br(t.max)),s=Math.ceil(t.max/Math.pow(10,o));0===i?(n=Math.floor(Br(t.minNotZero)),r=Math.floor(t.minNotZero/Math.pow(10,n)),a.push(i),i=r*Math.pow(10,n)):(n=Math.floor(Br(i)),r=Math.floor(i/Math.pow(10,n)));var u=n<0?Math.pow(10,Math.abs(n)):1;do{a.push(i),++r,10===r&&(r=1,++n,u=n>=0?1:u),i=Math.round(r*Math.pow(10,n)*u)/u}while(n=0?e:t}var qr=Yr.extend({determineDataLimits:function(){var e,t,n,r,a,i,o=this,s=o.options,u=o.chart,l=u.data.datasets,d=o.isHorizontal();function c(e){return d?e.xAxisID===o.id:e.yAxisID===o.id}o.min=Number.POSITIVE_INFINITY,o.max=Number.NEGATIVE_INFINITY,o.minNotZero=Number.POSITIVE_INFINITY;var f=s.stacked;if(void 0===f)for(e=0;e0){var t=de.min(e),n=de.max(e);o.min=Math.min(o.min,t),o.max=Math.max(o.max,n)}}))}else for(e=0;e0?e.minNotZero=e.min:e.max<1?e.minNotZero=Math.pow(10,Math.floor(Br(e.max))):e.minNotZero=n)},buildTicks:function(){var e=this,t=e.options.ticks,n=!e.isHorizontal(),r={min:Jr(t.min),max:Jr(t.max)},a=e.ticks=Vr(r,e);e.max=de.max(a),e.min=de.min(a),t.reverse?(n=!n,e.start=e.max,e.end=e.min):(e.start=e.min,e.end=e.max),n&&a.reverse()},convertTicksToLabels:function(){this.tickValues=this.ticks.slice(),Yr.prototype.convertTicksToLabels.call(this)},getLabelForIndex:function(e,t){return this._getScaleLabel(this.chart.data.datasets[t].data[e])},getPixelForTick:function(e){var t=this.tickValues;return e<0||e>t.length-1?null:this.getPixelForValue(t[e])},_getFirstTickValue:function(e){var t=Math.floor(Br(e)),n=Math.floor(e/Math.pow(10,t));return n*Math.pow(10,t)},_configure:function(){var e=this,t=e.min,n=0;Yr.prototype._configure.call(e),0===t&&(t=e._getFirstTickValue(e.minNotZero),n=zr(e.options.ticks.fontSize,X.global.defaultFontSize)/e._length),e._startValue=Br(t),e._valueOffset=n,e._valueRange=(Br(e.max)-Br(t))/(1-n)},getPixelForValue:function(e){var t=this,n=0;return e=+t.getRightValue(e),e>t.min&&e>0&&(n=(Br(e)-t._startValue)/t._valueRange+t._valueOffset),t.getPixelForDecimal(n)},getValueForPixel:function(e){var t=this,n=t.getDecimalForPixel(e);return 0===n&&0===t.min?0:Math.pow(10,t._startValue+(n-t._valueOffset)*t._valueRange)}}),Gr=Ur;qr._defaults=Gr;var $r=de.valueOrDefault,Kr=de.valueAtIndexOrDefault,Zr=de.options.resolve,Xr={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,color:"rgba(0,0,0,0.1)",lineWidth:1,borderDash:[],borderDashOffset:0},gridLines:{circular:!1},ticks:{showLabelBackdrop:!0,backdropColor:"rgba(255,255,255,0.75)",backdropPaddingY:2,backdropPaddingX:2,callback:ir.formatters.linear},pointLabels:{display:!0,fontSize:10,callback:function(e){return e}}};function Qr(e){var t=e.ticks;return t.display&&e.display?$r(t.fontSize,X.global.defaultFontSize)+2*t.backdropPaddingY:0}function ea(e,t,n){return de.isArray(n)?{w:de.longestText(e,e.font,n),h:n.length*t}:{w:e.measureText(n).width,h:t}}function ta(e,t,n,r,a){return e===r||e===a?{start:t-n/2,end:t+n/2}:ea?{start:t-n,end:t}:{start:t,end:t+n}}function na(e){var t,n,r,a=de.options._parseFont(e.options.pointLabels),i={l:0,r:e.width,t:0,b:e.height-e.paddingTop},o={};e.ctx.font=a.string,e._pointLabelSizes=[];var s=e.chart.data.labels.length;for(t=0;ti.r&&(i.r=d.end,o.r=u),c.starti.b&&(i.b=c.end,o.b=u)}e.setReductions(e.drawingArea,i,o)}function ra(e){return 0===e||180===e?"center":e<180?"left":"right"}function aa(e,t,n,r){var a,i,o=n.y+r/2;if(de.isArray(t))for(a=0,i=t.length;a270||e<90)&&(n.y-=t.h)}function oa(e){var t=e.ctx,n=e.options,r=n.pointLabels,a=Qr(n),i=e.getDistanceFromCenterForValue(n.ticks.reverse?e.min:e.max),o=de.options._parseFont(r);t.save(),t.font=o.string,t.textBaseline="middle";for(var s=e.chart.data.labels.length-1;s>=0;s--){var u=0===s?a/2:0,l=e.getPointPosition(s,i+u+5),d=Kr(r.fontColor,s,X.global.defaultFontColor);t.fillStyle=d;var c=e.getIndexAngle(s),f=de.toDegrees(c);t.textAlign=ra(f),ia(f,e._pointLabelSizes[s],l),aa(t,e.pointLabels[s],l,o.lineHeight)}t.restore()}function sa(e,t,n,r){var a,i=e.ctx,o=t.circular,s=e.chart.data.labels.length,u=Kr(t.color,r-1),l=Kr(t.lineWidth,r-1);if((o||s)&&u&&l){if(i.save(),i.strokeStyle=u,i.lineWidth=l,i.setLineDash&&(i.setLineDash(t.borderDash||[]),i.lineDashOffset=t.borderDashOffset||0),i.beginPath(),o)i.arc(e.xCenter,e.yCenter,n,0,2*Math.PI);else{a=e.getPointPosition(0,n),i.moveTo(a.x,a.y);for(var d=1;d0&&r>0?n:0)},_drawGrid:function(){var e,t,n,r=this,a=r.ctx,i=r.options,o=i.gridLines,s=i.angleLines,u=$r(s.lineWidth,o.lineWidth),l=$r(s.color,o.color);if(i.pointLabels.display&&oa(r),o.display&&de.each(r.ticks,(function(e,n){0!==n&&(t=r.getDistanceFromCenterForValue(r.ticksAsNumbers[n]),sa(r,o,t,n))})),s.display&&u&&l){for(a.save(),a.lineWidth=u,a.strokeStyle=l,a.setLineDash&&(a.setLineDash(Zr([s.borderDash,o.borderDash,[]])),a.lineDashOffset=Zr([s.borderDashOffset,o.borderDashOffset,0])),e=r.chart.data.labels.length-1;e>=0;e--)t=r.getDistanceFromCenterForValue(i.ticks.reverse?r.min:r.max),n=r.getPointPosition(e,t),a.beginPath(),a.moveTo(r.xCenter,r.yCenter),a.lineTo(n.x,n.y),a.stroke();a.restore()}},_drawLabels:function(){var e=this,t=e.ctx,n=e.options,r=n.ticks;if(r.display){var a,i,o=e.getIndexAngle(0),s=de.options._parseFont(r),u=$r(r.fontColor,X.global.defaultFontColor);t.save(),t.font=s.string,t.translate(e.xCenter,e.yCenter),t.rotate(o),t.textAlign="center",t.textBaseline="middle",de.each(e.ticks,(function(n,o){(0!==o||r.reverse)&&(a=e.getDistanceFromCenterForValue(e.ticksAsNumbers[o]),r.showLabelBackdrop&&(i=t.measureText(n).width,t.fillStyle=r.backdropColor,t.fillRect(-i/2-r.backdropPaddingX,-a-s.size/2-r.backdropPaddingY,i+2*r.backdropPaddingX,s.size+2*r.backdropPaddingY)),t.fillStyle=u,t.fillText(n,0,-a))})),t.restore()}},_drawTitle:de.noop}),da=Xr;la._defaults=da;var ca=de._deprecated,fa=de.options.resolve,ha=de.valueOrDefault,_a=Number.MIN_SAFE_INTEGER||-9007199254740991,ma=Number.MAX_SAFE_INTEGER||9007199254740991,pa={millisecond:{common:!0,size:1,steps:1e3},second:{common:!0,size:1e3,steps:60},minute:{common:!0,size:6e4,steps:60},hour:{common:!0,size:36e5,steps:24},day:{common:!0,size:864e5,steps:30},week:{common:!1,size:6048e5,steps:4},month:{common:!0,size:2628e6,steps:12},quarter:{common:!1,size:7884e6,steps:4},year:{common:!0,size:3154e7}},ga=Object.keys(pa);function ya(e,t){return e-t}function va(e){var t,n,r,a={},i=[];for(t=0,n=e.length;tt&&s=0&&o<=s){if(r=o+s>>1,a=e[r-1]||null,i=e[r],!a)return{lo:null,hi:i};if(i[t]n))return{lo:a,hi:i};s=r-1}}return{lo:i,hi:null}}function wa(e,t,n,r){var a=ka(e,t,n),i=a.lo?a.hi?a.lo:e[e.length-2]:e[0],o=a.lo?a.hi?a.hi:e[e.length-1]:e[1],s=o[t]-i[t],u=s?(n-i[t])/s:0,l=(o[r]-i[r])*u;return i[r]+l}function Ya(e,t){var n=e._adapter,r=e.options.time,a=r.parser,i=a||r.format,o=t;return"function"===typeof a&&(o=a(o)),de.isFinite(o)||(o="string"===typeof i?n.parse(o,i):n.parse(o)),null!==o?+o:(a||"function"!==typeof i||(o=i(t),de.isFinite(o)||(o=n.parse(o))),o)}function xa(e,t){if(de.isNullOrUndef(t))return null;var n=e.options.time,r=Ya(e,e.getRightValue(t));return null===r||n.round&&(r=+e._adapter.startOf(r,n.round)),r}function Da(e,t,n,r){var a,i,o,s=ga.length;for(a=ga.indexOf(e);a=ga.indexOf(n);i--)if(o=ga[i],pa[o].common&&e._adapter.diff(a,r,o)>=t-1)return o;return ga[n?ga.indexOf(n):0]}function Sa(e){for(var t=ga.indexOf(e)+1,n=ga.length;t1e5*l)throw t+" and "+n+" are too far apart with stepSize of "+l+" "+u;for(a=c;a=0&&(t[i].major=!0);return t}function Pa(e,t,n){var r,a,i=[],o={},s=t.length;for(r=0;r1?va(_).sort(ya):_.sort(ya),f=Math.min(f,_[0]),h=Math.max(h,_[_.length-1])),f=xa(s,Ma(d))||f,h=xa(s,ba(d))||h,f=f===ma?+l.startOf(Date.now(),c):f,h=h===_a?+l.endOf(Date.now(),c)+1:h,s.min=Math.min(f,h),s.max=Math.max(f+1,h),s._table=[],s._timestamps={data:_,datasets:m,labels:p}},buildTicks:function(){var e,t,n,r=this,a=r.min,i=r.max,o=r.options,s=o.ticks,u=o.time,l=r._timestamps,d=[],c=r.getLabelCapacity(a),f=s.source,h=o.distribution;for(l="data"===f||"auto"===f&&"series"===h?l.data:"labels"===f?l.labels:Ha(r,a,i,c),"ticks"===o.bounds&&l.length&&(a=l[0],i=l[l.length-1]),a=xa(r,Ma(o))||a,i=xa(r,ba(o))||i,e=0,t=l.length;e=a&&n<=i&&d.push(n);return r.min=a,r.max=i,r._unit=u.unit||(s.autoSkip?Da(u.minUnit,r.min,r.max,c):Ta(r,d.length,u.minUnit,r.min,r.max)),r._majorUnit=s.major.enabled&&"year"!==r._unit?Sa(r._unit):void 0,r._table=La(r._timestamps.data,a,i,h),r._offsets=ja(r._table,d,a,i,o),s.reverse&&d.reverse(),Pa(r,d,r._majorUnit)},getLabelForIndex:function(e,t){var n=this,r=n._adapter,a=n.chart.data,i=n.options.time,o=a.labels&&e=0&&e0?s:1}}),Ea=Aa;Ca._defaults=Ea;var Fa={category:Tr,linear:Ir,logarithmic:qr,radialLinear:la,time:Ca},Wa={datetime:"MMM D, YYYY, h:mm:ss a",millisecond:"h:mm:ss.SSS a",second:"h:mm:ss a",minute:"h:mm a",hour:"hA",day:"MMM D",week:"ll",month:"MMM YYYY",quarter:"[Q]Q - YYYY",year:"YYYY"};ar._date.override("function"===typeof e?{_id:"moment",formats:function(){return Wa},parse:function(t,n){return"string"===typeof t&&"string"===typeof n?t=e(t,n):t instanceof e||(t=e(t)),t.isValid()?t.valueOf():null},format:function(t,n){return e(t).format(n)},add:function(t,n,r){return e(t).add(n,r).valueOf()},diff:function(t,n,r){return e(t).diff(e(n),r)},startOf:function(t,n,r){return t=e(t),"isoWeek"===n?t.isoWeekday(r).valueOf():t.startOf(n).valueOf()},endOf:function(t,n){return e(t).endOf(n).valueOf()},_create:function(t){return e(t)}}:{}),X._set("global",{plugins:{filler:{propagate:!0}}});var Na={dataset:function(e){var t=e.fill,n=e.chart,r=n.getDatasetMeta(t),a=r&&n.isDatasetVisible(t),i=a&&r.dataset._children||[],o=i.length||0;return o?function(e,t){return t=n)&&r;switch(i){case"bottom":return"start";case"top":return"end";case"zero":return"origin";case"origin":case"start":case"end":return i;default:return!1}}function Ra(e){var t,n=e.el._model||{},r=e.el._scale||{},a=e.fill,i=null;if(isFinite(a))return null;if("start"===a?i=void 0===n.scaleBottom?r.bottom:n.scaleBottom:"end"===a?i=void 0===n.scaleTop?r.top:n.scaleTop:void 0!==n.scaleZero?i=n.scaleZero:r.getBasePixel&&(i=r.getBasePixel()),void 0!==i&&null!==i){if(void 0!==i.x&&void 0!==i.y)return i;if(de.isFinite(i))return t=r.isHorizontal(),{x:t?i:null,y:t?null:i}}return null}function za(e){var t,n,r,a,i,o=e.el._scale,s=o.options,u=o.chart.data.labels.length,l=e.fill,d=[];if(!u)return null;for(t=s.ticks.reverse?o.max:o.min,n=s.ticks.reverse?o.min:o.max,r=o.getPointPositionForValue(0,t),a=0;a0;--i)de.canvas.lineTo(e,n[i],n[i-1],!0);else for(o=n[0].cx,s=n[0].cy,u=Math.sqrt(Math.pow(n[0].x-o,2)+Math.pow(n[0].y-s,2)),i=a-1;i>0;--i)e.arc(o,s,u,n[i].angle,n[i-1].angle,!0)}}function Ga(e,t,n,r,a,i){var o,s,u,l,d,c,f,h,_=t.length,m=r.spanGaps,p=[],g=[],y=0,v=0;for(e.beginPath(),o=0,s=_;o=0;--n)t=u[n].$filler,t&&t.visible&&(r=t.el,a=r._view,i=r._children||[],o=t.mapper,s=a.backgroundColor||X.global.defaultColor,o&&s&&i.length&&(de.canvas.clipArea(l,e.chartArea),Ga(l,i,o,a,s,r._loop),de.canvas.unclipArea(l)))}},Ka=de.rtl.getRtlAdapter,Za=de.noop,Xa=de.valueOrDefault;function Qa(e,t){return e.usePointStyle&&e.boxWidth>t?t:e.boxWidth}X._set("global",{legend:{display:!0,position:"top",align:"center",fullWidth:!0,reverse:!1,weight:1e3,onClick:function(e,t){var n=t.datasetIndex,r=this.chart,a=r.getDatasetMeta(n);a.hidden=null===a.hidden?!r.data.datasets[n].hidden:null,r.update()},onHover:null,onLeave:null,labels:{boxWidth:40,padding:10,generateLabels:function(e){var t=e.data.datasets,n=e.options.legend||{},r=n.labels&&n.labels.usePointStyle;return e._getSortedDatasetMetas().map((function(n){var a=n.controller.getStyle(r?0:void 0);return{text:t[n.index].label,fillStyle:a.backgroundColor,hidden:!e.isDatasetVisible(n.index),lineCap:a.borderCapStyle,lineDash:a.borderDash,lineDashOffset:a.borderDashOffset,lineJoin:a.borderJoinStyle,lineWidth:a.borderWidth,strokeStyle:a.borderColor,pointStyle:a.pointStyle,rotation:a.rotation,datasetIndex:n.index}}),this)}}},legendCallback:function(e){var t,n,r,a,i=document.createElement("ul"),o=e.data.datasets;for(i.setAttribute("class",e.id+"-legend"),t=0,n=o.length;tu.width)&&(c+=o+n.padding,d[d.length-(t>0?0:1)]=0),s[t]={left:0,top:0,width:i,height:o},d[d.length-1]+=i+n.padding})),u.height+=c}else{var f=n.padding,h=e.columnWidths=[],_=e.columnHeights=[],m=n.padding,p=0,g=0;de.each(e.legendItems,(function(e,t){var r=Qa(n,o),i=r+o/2+a.measureText(e.text).width;t>0&&g+o+2*f>u.height&&(m+=p+n.padding,h.push(p),_.push(g),p=0,g=0),p=Math.max(p,i),g+=o+f,s[t]={left:0,top:0,width:i,height:o}})),m+=p,h.push(p),_.push(g),u.width+=m}e.width=u.width,e.height=u.height}else e.width=u.width=e.height=u.height=0},afterFit:Za,isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},draw:function(){var e=this,t=e.options,n=t.labels,r=X.global,a=r.defaultColor,i=r.elements.line,o=e.height,s=e.columnHeights,u=e.width,l=e.lineWidths;if(t.display){var d,c=Ka(t.rtl,e.left,e.minSize.width),f=e.ctx,h=Xa(n.fontColor,r.defaultFontColor),_=de.options._parseFont(n),m=_.size;f.textAlign=c.textAlign("left"),f.textBaseline="middle",f.lineWidth=.5,f.strokeStyle=h,f.fillStyle=h,f.font=_.string;var p=Qa(n,m),g=e.legendHitBoxes,y=function(e,t,r){if(!(isNaN(p)||p<=0)){f.save();var o=Xa(r.lineWidth,i.borderWidth);if(f.fillStyle=Xa(r.fillStyle,a),f.lineCap=Xa(r.lineCap,i.borderCapStyle),f.lineDashOffset=Xa(r.lineDashOffset,i.borderDashOffset),f.lineJoin=Xa(r.lineJoin,i.borderJoinStyle),f.lineWidth=o,f.strokeStyle=Xa(r.strokeStyle,a),f.setLineDash&&f.setLineDash(Xa(r.lineDash,i.borderDash)),n&&n.usePointStyle){var s=p*Math.SQRT2/2,u=c.xPlus(e,p/2),l=t+m/2;de.canvas.drawPoint(f,r.pointStyle,s,u,l,r.rotation)}else f.fillRect(c.leftForLtr(e,p),t,p,m),0!==o&&f.strokeRect(c.leftForLtr(e,p),t,p,m);f.restore()}},v=function(e,t,n,r){var a=m/2,i=c.xPlus(e,p+a),o=t+a;f.fillText(n.text,i,o),n.hidden&&(f.beginPath(),f.lineWidth=2,f.moveTo(i,o),f.lineTo(c.xPlus(i,r),o),f.stroke())},M=function(e,r){switch(t.align){case"start":return n.padding;case"end":return e-r;default:return(e-r+n.padding)/2}},b=e.isHorizontal();d=b?{x:e.left+M(u,l[0]),y:e.top+n.padding,line:0}:{x:e.left+n.padding,y:e.top+M(o,s[0]),line:0},de.rtl.overrideTextDirection(e.ctx,t.textDirection);var L=m+n.padding;de.each(e.legendItems,(function(t,r){var a=f.measureText(t.text).width,i=p+m/2+a,h=d.x,_=d.y;c.setWidth(e.minSize.width),b?r>0&&h+i+n.padding>e.left+e.minSize.width&&(_=d.y+=L,d.line++,h=d.x=e.left+M(u,l[d.line])):r>0&&_+L>e.top+e.minSize.height&&(h=d.x=h+e.columnWidths[d.line]+n.padding,d.line++,_=d.y=e.top+M(o,s[d.line]));var k=c.x(h);y(k,_,t),g[r].left=c.leftForLtr(k,g[r].width),g[r].top=_,v(k,_,t,a),b?d.x+=i+n.padding:d.y+=L})),de.rtl.restoreTextDirection(e.ctx,t.textDirection)}},_getLegendItemAt:function(e,t){var n,r,a,i=this;if(e>=i.left&&e<=i.right&&t>=i.top&&t<=i.bottom)for(a=i.legendHitBoxes,n=0;n=r.left&&e<=r.left+r.width&&t>=r.top&&t<=r.top+r.height)return i.legendItems[n];return null},handleEvent:function(e){var t,n=this,r=n.options,a="mouseup"===e.type?"click":e.type;if("mousemove"===a){if(!r.onHover&&!r.onLeave)return}else{if("click"!==a)return;if(!r.onClick)return}t=n._getLegendItemAt(e.x,e.y),"click"===a?t&&r.onClick&&r.onClick.call(n,e.native,t):(r.onLeave&&t!==n._hoveredItem&&(n._hoveredItem&&r.onLeave.call(n,e.native,n._hoveredItem),n._hoveredItem=t),r.onHover&&t&&r.onHover.call(n,e.native,t))}});function ti(e,t){var n=new ei({ctx:e.ctx,options:t,chart:e});$t.configure(e,n,t),$t.addBox(e,n),e.legend=n}var ni={id:"legend",_element:ei,beforeInit:function(e){var t=e.options.legend;t&&ti(e,t)},beforeUpdate:function(e){var t=e.options.legend,n=e.legend;t?(de.mergeIf(t,X.global.legend),n?($t.configure(e,n,t),n.options=t):ti(e,t)):n&&($t.removeBox(e,n),delete e.legend)},afterEvent:function(e,t){var n=e.legend;n&&n.handleEvent(t)}},ri=de.noop;X._set("global",{title:{display:!1,fontStyle:"bold",fullWidth:!0,padding:10,position:"top",text:"",weight:2e3}});var ai=ye.extend({initialize:function(e){var t=this;de.extend(t,e),t.legendHitBoxes=[]},beforeUpdate:ri,update:function(e,t,n){var r=this;return r.beforeUpdate(),r.maxWidth=e,r.maxHeight=t,r.margins=n,r.beforeSetDimensions(),r.setDimensions(),r.afterSetDimensions(),r.beforeBuildLabels(),r.buildLabels(),r.afterBuildLabels(),r.beforeFit(),r.fit(),r.afterFit(),r.afterUpdate(),r.minSize},afterUpdate:ri,beforeSetDimensions:ri,setDimensions:function(){var e=this;e.isHorizontal()?(e.width=e.maxWidth,e.left=0,e.right=e.width):(e.height=e.maxHeight,e.top=0,e.bottom=e.height),e.paddingLeft=0,e.paddingTop=0,e.paddingRight=0,e.paddingBottom=0,e.minSize={width:0,height:0}},afterSetDimensions:ri,beforeBuildLabels:ri,buildLabels:ri,afterBuildLabels:ri,beforeFit:ri,fit:function(){var e,t,n=this,r=n.options,a=n.minSize={},i=n.isHorizontal();r.display?(e=de.isArray(r.text)?r.text.length:1,t=e*de.options._parseFont(r).lineHeight+2*r.padding,n.width=a.width=i?n.maxWidth:t,n.height=a.height=i?t:n.maxHeight):n.width=a.width=n.height=a.height=0},afterFit:ri,isHorizontal:function(){var e=this.options.position;return"top"===e||"bottom"===e},draw:function(){var e=this,t=e.ctx,n=e.options;if(n.display){var r,a,i,o=de.options._parseFont(n),s=o.lineHeight,u=s/2+n.padding,l=0,d=e.top,c=e.left,f=e.bottom,h=e.right;t.fillStyle=de.valueOrDefault(n.fontColor,X.global.defaultFontColor),t.font=o.string,e.isHorizontal()?(a=c+(h-c)/2,i=d+u,r=h-c):(a="left"===n.position?c+u:h-u,i=d+(f-d)/2,r=f-d,l=Math.PI*("left"===n.position?-.5:.5)),t.save(),t.translate(a,i),t.rotate(l),t.textAlign="center",t.textBaseline="middle";var _=n.text;if(de.isArray(_))for(var m=0,p=0;p<_.length;++p)t.fillText(_[p],0,m,r),m+=s;else t.fillText(_,0,0,r);t.restore()}}});function ii(e,t){var n=new ai({ctx:e.ctx,options:t,chart:e});$t.configure(e,n,t),$t.addBox(e,n),e.titleBlock=n}var oi={id:"title",_element:ai,beforeInit:function(e){var t=e.options.title;t&&ii(e,t)},beforeUpdate:function(e){var t=e.options.title,n=e.titleBlock;t?(de.mergeIf(t,X.global.title),n?($t.configure(e,n,t),n.options=t):ii(e,t)):n&&($t.removeBox(e,n),delete e.titleBlock)}},si={},ui=$a,li=ni,di=oi;for(var ci in si.filler=ui,si.legend=li,si.title=di,Qn.helpers=de,er(),Qn._adapters=ar,Qn.Animation=Me,Qn.animationService=be,Qn.controllers=St,Qn.DatasetController=De,Qn.defaults=X,Qn.Element=ye,Qn.elements=Ke,Qn.Interaction=Et,Qn.layouts=$t,Qn.platform=xn,Qn.plugins=Dn,Qn.Scale=Yr,Qn.scaleService=Tn,Qn.Ticks=ir,Qn.Tooltip=Bn,Qn.helpers.each(Fa,(function(e,t){Qn.scaleService.registerScaleType(t,e,e._defaults)})),si)si.hasOwnProperty(ci)&&Qn.plugins.register(si[ci]);Qn.platform.initialize();var fi=Qn;return"undefined"!==typeof window&&(window.Chart=Qn),Qn.Chart=Qn,Qn.Legend=si.legend._element,Qn.Title=si.title._element,Qn.pluginService=Qn.plugins,Qn.PluginBase=Qn.Element.extend({}),Qn.canvasHelpers=Qn.helpers.canvas,Qn.layoutService=Qn.layouts,Qn.LinearScaleBase=Pr,Qn.helpers.each(["Bar","Bubble","Doughnut","Line","PolarArea","Radar","Scatter"],(function(e){Qn[e]=function(t,n){return new Qn(t,Qn.helpers.merge(n||{},{type:e.charAt(0).toLowerCase()+e.slice(1)}))}})),fi}))},264:function(e,t,n){n(6314),n(2087),n(1703),function(t,r){e.exports=r(n(6866))}("undefined"!==typeof self&&self,(function(e){return function(e){var t={};function n(r){if(t[r])return t[r].exports;var a=t[r]={i:r,l:!1,exports:{}};return e[r].call(a.exports,a,a.exports,n),a.l=!0,a.exports}return n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!==typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"===typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var a in e)n.d(r,a,function(t){return e[t]}.bind(null,a));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e["default"]}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="",n(n.s="fb15")}({"00ee":function(e,t,n){var r=n("b622"),a=r("toStringTag"),i={};i[a]="z",e.exports="[object z]"===String(i)},"0366":function(e,t,n){var r=n("e330"),a=n("59ed"),i=r(r.bind);e.exports=function(e,t){return a(e),void 0===t?e:i?i(e,t):function(){return e.apply(t,arguments)}}},"057f":function(e,t,n){var r=n("c6b6"),a=n("fc6a"),i=n("241c").f,o=n("f36a"),s="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],u=function(e){try{return i(e)}catch(t){return o(s)}};e.exports.f=function(e){return s&&"Window"==r(e)?u(e):i(a(e))}},"06cf":function(e,t,n){var r=n("83ab"),a=n("c65b"),i=n("d1e7"),o=n("5c6c"),s=n("fc6a"),u=n("a04b"),l=n("1a2d"),d=n("0cfb"),c=Object.getOwnPropertyDescriptor;t.f=r?c:function(e,t){if(e=s(e),t=u(t),d)try{return c(e,t)}catch(n){}if(l(e,t))return o(!a(i.f,e,t),e[t])}},"07fa":function(e,t,n){var r=n("50c4");e.exports=function(e){return r(e.length)}},"0b42":function(e,t,n){var r=n("da84"),a=n("e8b5"),i=n("68ee"),o=n("861d"),s=n("b622"),u=s("species"),l=r.Array;e.exports=function(e){var t;return a(e)&&(t=e.constructor,i(t)&&(t===l||a(t.prototype))?t=void 0:o(t)&&(t=t[u],null===t&&(t=void 0))),void 0===t?l:t}},"0cfb":function(e,t,n){var r=n("83ab"),a=n("d039"),i=n("cc12");e.exports=!r&&!a((function(){return 7!=Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},"0d51":function(e,t,n){var r=n("da84"),a=r.String;e.exports=function(e){try{return a(e)}catch(t){return"Object"}}},"159b":function(e,t,n){var r=n("da84"),a=n("fdbc"),i=n("785a"),o=n("17c2"),s=n("9112"),u=function(e){if(e&&e.forEach!==o)try{s(e,"forEach",o)}catch(t){e.forEach=o}};for(var l in a)a[l]&&u(r[l]&&r[l].prototype);u(i)},1626:function(e,t){e.exports=function(e){return"function"==typeof e}},"17c2":function(e,t,n){"use strict";var r=n("b727").forEach,a=n("a640"),i=a("forEach");e.exports=i?[].forEach:function(e){return r(this,e,arguments.length>1?arguments[1]:void 0)}},"1a2d":function(e,t,n){var r=n("e330"),a=n("7b0b"),i=r({}.hasOwnProperty);e.exports=Object.hasOwn||function(e,t){return i(a(e),t)}},"1be4":function(e,t,n){var r=n("d066");e.exports=r("document","documentElement")},"1d80":function(e,t,n){var r=n("da84"),a=r.TypeError;e.exports=function(e){if(void 0==e)throw a("Can't call method on "+e);return e}},"1dde":function(e,t,n){var r=n("d039"),a=n("b622"),i=n("2d00"),o=a("species");e.exports=function(e){return i>=51||!r((function(){var t=[],n=t.constructor={};return n[o]=function(){return{foo:1}},1!==t[e](Boolean).foo}))}},"23cb":function(e,t,n){var r=n("5926"),a=Math.max,i=Math.min;e.exports=function(e,t){var n=r(e);return n<0?a(n+t,0):i(n,t)}},"23e7":function(e,t,n){var r=n("da84"),a=n("06cf").f,i=n("9112"),o=n("6eeb"),s=n("ce4e"),u=n("e893"),l=n("94ca");e.exports=function(e,t){var n,d,c,f,h,_,m=e.target,p=e.global,g=e.stat;if(d=p?r:g?r[m]||s(m,{}):(r[m]||{}).prototype,d)for(c in t){if(h=t[c],e.noTargetGet?(_=a(d,c),f=_&&_.value):f=d[c],n=l(p?c:m+(g?".":"#")+c,e.forced),!n&&void 0!==f){if(typeof h==typeof f)continue;u(h,f)}(e.sham||f&&f.sham)&&i(h,"sham",!0),o(d,c,h,e)}}},"241c":function(e,t,n){var r=n("ca84"),a=n("7839"),i=a.concat("length","prototype");t.f=Object.getOwnPropertyNames||function(e){return r(e,i)}},"25f0":function(e,t,n){"use strict";var r=n("e330"),a=n("5e77").PROPER,i=n("6eeb"),o=n("825a"),s=n("3a9b"),u=n("577e"),l=n("d039"),d=n("ad6d"),c="toString",f=RegExp.prototype,h=f[c],_=r(d),m=l((function(){return"/a/b"!=h.call({source:"a",flags:"b"})})),p=a&&h.name!=c;(m||p)&&i(RegExp.prototype,c,(function(){var e=o(this),t=u(e.source),n=e.flags,r=u(void 0===n&&s(f,e)&&!("flags"in f)?_(e):n);return"/"+t+"/"+r}),{unsafe:!0})},"2ba4":function(e,t){var n=Function.prototype,r=n.apply,a=n.bind,i=n.call;e.exports="object"==typeof Reflect&&Reflect.apply||(a?i.bind(r):function(){return i.apply(r,arguments)})},"2d00":function(e,t,n){var r,a,i=n("da84"),o=n("342f"),s=i.process,u=i.Deno,l=s&&s.versions||u&&u.version,d=l&&l.v8;d&&(r=d.split("."),a=r[0]>0&&r[0]<4?1:+(r[0]+r[1])),!a&&o&&(r=o.match(/Edge\/(\d+)/),(!r||r[1]>=74)&&(r=o.match(/Chrome\/(\d+)/),r&&(a=+r[1]))),e.exports=a},"342f":function(e,t,n){var r=n("d066");e.exports=r("navigator","userAgent")||""},"37e8":function(e,t,n){var r=n("83ab"),a=n("9bf2"),i=n("825a"),o=n("fc6a"),s=n("df75");e.exports=r?Object.defineProperties:function(e,t){i(e);var n,r=o(t),u=s(t),l=u.length,d=0;while(l>d)a.f(e,n=u[d++],r[n]);return e}},"3a9b":function(e,t,n){var r=n("e330");e.exports=r({}.isPrototypeOf)},"3bbe":function(e,t,n){var r=n("da84"),a=n("1626"),i=r.String,o=r.TypeError;e.exports=function(e){if("object"==typeof e||a(e))return e;throw o("Can't set "+i(e)+" as a prototype")}},"408a":function(e,t,n){var r=n("e330");e.exports=r(1..valueOf)},"428f":function(e,t,n){var r=n("da84");e.exports=r},"44ad":function(e,t,n){var r=n("da84"),a=n("e330"),i=n("d039"),o=n("c6b6"),s=r.Object,u=a("".split);e.exports=i((function(){return!s("z").propertyIsEnumerable(0)}))?function(e){return"String"==o(e)?u(e,""):s(e)}:s},"476c":function(e,t,n){"use strict";n("7263")},"485a":function(e,t,n){var r=n("da84"),a=n("c65b"),i=n("1626"),o=n("861d"),s=r.TypeError;e.exports=function(e,t){var n,r;if("string"===t&&i(n=e.toString)&&!o(r=a(n,e)))return r;if(i(n=e.valueOf)&&!o(r=a(n,e)))return r;if("string"!==t&&i(n=e.toString)&&!o(r=a(n,e)))return r;throw s("Can't convert object to primitive value")}},4930:function(e,t,n){var r=n("2d00"),a=n("d039");e.exports=!!Object.getOwnPropertySymbols&&!a((function(){var e=Symbol();return!String(e)||!(Object(e)instanceof Symbol)||!Symbol.sham&&r&&r<41}))},"4d64":function(e,t,n){var r=n("fc6a"),a=n("23cb"),i=n("07fa"),o=function(e){return function(t,n,o){var s,u=r(t),l=i(u),d=a(o,l);if(e&&n!=n){while(l>d)if(s=u[d++],s!=s)return!0}else for(;l>d;d++)if((e||d in u)&&u[d]===n)return e||d||0;return!e&&-1}};e.exports={includes:o(!0),indexOf:o(!1)}},"4de4":function(e,t,n){"use strict";var r=n("23e7"),a=n("b727").filter,i=n("1dde"),o=i("filter");r({target:"Array",proto:!0,forced:!o},{filter:function(e){return a(this,e,arguments.length>1?arguments[1]:void 0)}})},"50c4":function(e,t,n){var r=n("5926"),a=Math.min;e.exports=function(e){return e>0?a(r(e),9007199254740991):0}},5692:function(e,t,n){var r=n("c430"),a=n("c6cd");(e.exports=function(e,t){return a[e]||(a[e]=void 0!==t?t:{})})("versions",[]).push({version:"3.19.1",mode:r?"pure":"global",copyright:"© 2021 Denis Pushkarev (zloirock.ru)"})},"56ef":function(e,t,n){var r=n("d066"),a=n("e330"),i=n("241c"),o=n("7418"),s=n("825a"),u=a([].concat);e.exports=r("Reflect","ownKeys")||function(e){var t=i.f(s(e)),n=o.f;return n?u(t,n(e)):t}},"577e":function(e,t,n){var r=n("da84"),a=n("f5df"),i=r.String;e.exports=function(e){if("Symbol"===a(e))throw TypeError("Cannot convert a Symbol value to a string");return i(e)}},5899:function(e,t){e.exports="\t\n\v\f\r                 \u2028\u2029\ufeff"},"58a8":function(e,t,n){var r=n("e330"),a=n("1d80"),i=n("577e"),o=n("5899"),s=r("".replace),u="["+o+"]",l=RegExp("^"+u+u+"*"),d=RegExp(u+u+"*$"),c=function(e){return function(t){var n=i(a(t));return 1&e&&(n=s(n,l,"")),2&e&&(n=s(n,d,"")),n}};e.exports={start:c(1),end:c(2),trim:c(3)}},5926:function(e,t){var n=Math.ceil,r=Math.floor;e.exports=function(e){var t=+e;return t!==t||0===t?0:(t>0?r:n)(t)}},"59ed":function(e,t,n){var r=n("da84"),a=n("1626"),i=n("0d51"),o=r.TypeError;e.exports=function(e){if(a(e))return e;throw o(i(e)+" is not a function")}},"5c6c":function(e,t){e.exports=function(e,t){return{enumerable:!(1&e),configurable:!(2&e),writable:!(4&e),value:t}}},"5e77":function(e,t,n){var r=n("83ab"),a=n("1a2d"),i=Function.prototype,o=r&&Object.getOwnPropertyDescriptor,s=a(i,"name"),u=s&&"something"===function(){}.name,l=s&&(!r||r&&o(i,"name").configurable);e.exports={EXISTS:s,PROPER:u,CONFIGURABLE:l}},"65f0":function(e,t,n){var r=n("0b42");e.exports=function(e,t){return new(r(e))(0===t?0:t)}},"68ee":function(e,t,n){var r=n("e330"),a=n("d039"),i=n("1626"),o=n("f5df"),s=n("d066"),u=n("8925"),l=function(){},d=[],c=s("Reflect","construct"),f=/^\s*(?:class|function)\b/,h=r(f.exec),_=!f.exec(l),m=function(e){if(!i(e))return!1;try{return c(l,d,e),!0}catch(t){return!1}},p=function(e){if(!i(e))return!1;switch(o(e)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}return _||!!h(f,u(e))};e.exports=!c||a((function(){var e;return m(m.call)||!m(Object)||!m((function(){e=!0}))||e}))?p:m},"69f3":function(e,t,n){var r,a,i,o=n("7f9a"),s=n("da84"),u=n("e330"),l=n("861d"),d=n("9112"),c=n("1a2d"),f=n("c6cd"),h=n("f772"),_=n("d012"),m="Object already initialized",p=s.TypeError,g=s.WeakMap,y=function(e){return i(e)?a(e):r(e,{})},v=function(e){return function(t){var n;if(!l(t)||(n=a(t)).type!==e)throw p("Incompatible receiver, "+e+" required");return n}};if(o||f.state){var M=f.state||(f.state=new g),b=u(M.get),L=u(M.has),k=u(M.set);r=function(e,t){if(L(M,e))throw new p(m);return t.facade=e,k(M,e,t),t},a=function(e){return b(M,e)||{}},i=function(e){return L(M,e)}}else{var w=h("state");_[w]=!0,r=function(e,t){if(c(e,w))throw new p(m);return t.facade=e,d(e,w,t),t},a=function(e){return c(e,w)?e[w]:{}},i=function(e){return c(e,w)}}e.exports={set:r,get:a,has:i,enforce:y,getterFor:v}},"6b0d":function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=(e,t)=>{const n=e.__vccOpts||e;for(const[r,a]of t)n[r]=a;return n}},"6eeb":function(e,t,n){var r=n("da84"),a=n("1626"),i=n("1a2d"),o=n("9112"),s=n("ce4e"),u=n("8925"),l=n("69f3"),d=n("5e77").CONFIGURABLE,c=l.get,f=l.enforce,h=String(String).split("String");(e.exports=function(e,t,n,u){var l,c=!!u&&!!u.unsafe,_=!!u&&!!u.enumerable,m=!!u&&!!u.noTargetGet,p=u&&void 0!==u.name?u.name:t;a(n)&&("Symbol("===String(p).slice(0,7)&&(p="["+String(p).replace(/^Symbol\(([^)]*)\)/,"$1")+"]"),(!i(n,"name")||d&&n.name!==p)&&o(n,"name",p),l=f(n),l.source||(l.source=h.join("string"==typeof p?p:""))),e!==r?(c?!m&&e[t]&&(_=!0):delete e[t],_?e[t]=n:o(e,t,n)):_?e[t]=n:s(t,n)})(Function.prototype,"toString",(function(){return a(this)&&c(this).source||u(this)}))},7156:function(e,t,n){var r=n("1626"),a=n("861d"),i=n("d2bb");e.exports=function(e,t,n){var o,s;return i&&r(o=t.constructor)&&o!==n&&a(s=o.prototype)&&s!==n.prototype&&i(e,s),e}},7263:function(e,t,n){},7418:function(e,t){t.f=Object.getOwnPropertySymbols},"746f":function(e,t,n){var r=n("428f"),a=n("1a2d"),i=n("e538"),o=n("9bf2").f;e.exports=function(e){var t=r.Symbol||(r.Symbol={});a(t,e)||o(t,e,{value:i.f(e)})}},7839:function(e,t){e.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},"785a":function(e,t,n){var r=n("cc12"),a=r("span").classList,i=a&&a.constructor&&a.constructor.prototype;e.exports=i===Object.prototype?void 0:i},"7b0b":function(e,t,n){var r=n("da84"),a=n("1d80"),i=r.Object;e.exports=function(e){return i(a(e))}},"7c73":function(e,t,n){var r,a=n("825a"),i=n("37e8"),o=n("7839"),s=n("d012"),u=n("1be4"),l=n("cc12"),d=n("f772"),c=">",f="<",h="prototype",_="script",m=d("IE_PROTO"),p=function(){},g=function(e){return f+_+c+e+f+"/"+_+c},y=function(e){e.write(g("")),e.close();var t=e.parentWindow.Object;return e=null,t},v=function(){var e,t=l("iframe"),n="java"+_+":";return t.style.display="none",u.appendChild(t),t.src=String(n),e=t.contentWindow.document,e.open(),e.write(g("document.F=Object")),e.close(),e.F},M=function(){try{r=new ActiveXObject("htmlfile")}catch(t){}M="undefined"!=typeof document?document.domain&&r?y(r):v():y(r);var e=o.length;while(e--)delete M[h][o[e]];return M()};s[m]=!0,e.exports=Object.create||function(e,t){var n;return null!==e?(p[h]=a(e),n=new p,p[h]=null,n[m]=e):n=M(),void 0===t?n:i(n,t)}},"7f9a":function(e,t,n){var r=n("da84"),a=n("1626"),i=n("8925"),o=r.WeakMap;e.exports=a(o)&&/native code/.test(i(o))},"825a":function(e,t,n){var r=n("da84"),a=n("861d"),i=r.String,o=r.TypeError;e.exports=function(e){if(a(e))return e;throw o(i(e)+" is not an object")}},"83ab":function(e,t,n){var r=n("d039");e.exports=!r((function(){return 7!=Object.defineProperty({},1,{get:function(){return 7}})[1]}))},8418:function(e,t,n){"use strict";var r=n("a04b"),a=n("9bf2"),i=n("5c6c");e.exports=function(e,t,n){var o=r(t);o in e?a.f(e,o,i(0,n)):e[o]=n}},"861d":function(e,t,n){var r=n("1626");e.exports=function(e){return"object"==typeof e?null!==e:r(e)}},8875:function(e,t,n){var r,a,i;(function(n,o){a=[],r=o,i="function"===typeof r?r.apply(t,a):r,void 0===i||(e.exports=i)})("undefined"!==typeof self&&self,(function(){function e(){var t=Object.getOwnPropertyDescriptor(document,"currentScript");if(!t&&"currentScript"in document&&document.currentScript)return document.currentScript;if(t&&t.get!==e&&document.currentScript)return document.currentScript;try{throw new Error}catch(h){var n,r,a,i=/.*at [^(]*\((.*):(.+):(.+)\)$/gi,o=/@([^@]*):(\d+):(\d+)\s*$/gi,s=i.exec(h.stack)||o.exec(h.stack),u=s&&s[1]||!1,l=s&&s[2]||!1,d=document.location.href.replace(document.location.hash,""),c=document.getElementsByTagName("script");u===d&&(n=document.documentElement.outerHTML,r=new RegExp("(?:[^\\n]+?\\n){0,"+(l-2)+"}[^<]* diff --git a/src/components/TradingPage/StockChart.vue b/src/components/Charts/StockChart.vue similarity index 98% rename from src/components/TradingPage/StockChart.vue rename to src/components/Charts/StockChart.vue index d20c6e0..1f9cbce 100644 --- a/src/components/TradingPage/StockChart.vue +++ b/src/components/Charts/StockChart.vue @@ -37,7 +37,7 @@ import * as d3 from 'd3' - import { watch, ref} from "vue"; + import { watchEffect, ref} from "vue"; import { select, } from "d3"; @@ -66,7 +66,6 @@ const activeData = ref(props.allTimeStockData) const getStockDataForPeriod = (period) => { if (period === 'YTD') { - console.log(rootData.value.length) activeData.value = rootData.value } else if (period === '6M') { activeData.value = rootData.value.slice(rootData.value.length - 180, rootData.value.length) @@ -81,7 +80,7 @@ } } - watch(() => { + watchEffect(() => { // SVG object const svg = select(svgRef.value); diff --git a/src/components/Icons/ClockIcon.vue b/src/components/Icons/ClockIcon.vue index fb0a481..1f1f7ea 100644 --- a/src/components/Icons/ClockIcon.vue +++ b/src/components/Icons/ClockIcon.vue @@ -59,7 +59,7 @@ export default { right: 0; bottom: 0; left: 5%; - animation: rotate 2.5s infinite linear; + animation: rotate 4s infinite linear; } .hours-container { @@ -177,7 +177,7 @@ export default { height: 2px; width: 1px; background: black; - animation: tick 2.5s infinite linear; + animation: tick 4s infinite linear; animation-timing-function: cubic-bezier(0,0.1,0,0.6); } diff --git a/src/components/StaticPages/EndPage.vue b/src/components/StaticPages/EndPage.vue new file mode 100644 index 0000000..e169d43 --- /dev/null +++ b/src/components/StaticPages/EndPage.vue @@ -0,0 +1,338 @@ + + + + + \ No newline at end of file diff --git a/src/components/StaticPages/InfoPage.vue b/src/components/StaticPages/InfoPage.vue new file mode 100644 index 0000000..649469e --- /dev/null +++ b/src/components/StaticPages/InfoPage.vue @@ -0,0 +1,493 @@ + + + + + \ No newline at end of file diff --git a/src/components/StaticPages/InputPage.vue b/src/components/StaticPages/InputPage.vue new file mode 100644 index 0000000..30d5a4c --- /dev/null +++ b/src/components/StaticPages/InputPage.vue @@ -0,0 +1,316 @@ + + + + + \ No newline at end of file diff --git a/src/components/StaticPages/IntroPage.vue b/src/components/StaticPages/IntroPage.vue new file mode 100644 index 0000000..b3ff30f --- /dev/null +++ b/src/components/StaticPages/IntroPage.vue @@ -0,0 +1,103 @@ + + + + + \ No newline at end of file diff --git a/src/components/TradingPage/AdvisorCard.vue b/src/components/TradingPage/AdvisorCard.vue new file mode 100644 index 0000000..8b564be --- /dev/null +++ b/src/components/TradingPage/AdvisorCard.vue @@ -0,0 +1,148 @@ + + + + + \ No newline at end of file diff --git a/src/components/TradingPage/NewsCard.vue b/src/components/TradingPage/NewsCard.vue index fb8fe13..6e0e483 100644 --- a/src/components/TradingPage/NewsCard.vue +++ b/src/components/TradingPage/NewsCard.vue @@ -1,24 +1,47 @@ @@ -33,26 +56,121 @@ @include mds-level-3-heading($bold: true); background: white; border: 2px solid grey; + border-right: 4px solid black; + text-align: left; border-radius: 5px; - width: 435px; - height: 125px; - padding: 15px; + width: 100%; + max-height: 300px; margin-top: 15px; transition: 0.5s; box-shadow: 2px 2px 2px rgba(4,4,4,0.1); - display: inline-flex; + display: flex; + flex-direction: column; justify-content: space-between; } - .title-container { + .news-card-main-deactivated { + @include mds-level-3-heading($bold: true); + background: white; + border: 2px solid grey; + border-right: 4px solid rgb(175, 172, 172); + text-align: left; + border-radius: 5px; + width: 100%; + max-height: 300px; + margin-top: 15px; + transition: 0.5s; + box-shadow: 2px 2px 2px rgba(4,4,4,0.1); display: flex; flex-direction: column; + justify-content: space-between; + opacity:0.9 + } + + .advisor-card-main { + @include mds-level-3-heading($bold: true); + background: white; + border: 2px solid grey; + border-right: 4px solid rgb(255, 0, 0); text-align: left; + border-radius: 5px; + width: 100%; + max-height: 300px; + margin-top: 15px; + transition: 0.5s; + box-shadow: 2px 2px 2px rgba(4,4,4,0.1); + display: flex; + flex-direction: column; + justify-content: space-between; + } + + .advisor-message-header { + @include mds-level-3-heading($bold: false); + color: red; + } + + .title-container { + display: inline-flex; + padding: 10px; + } + + .morningstar-logo { + height: 35px; + width: 125px; } .subtitle-container { @include mds-level-6-heading($bold: false); + position: relative; + bottom: 10px; + padding: 10px; + } + + .collapsible { + @include mds-body-text-l($bold: false); + cursor: pointer; + width: 98%; + padding-left: 10px; + color: #909090; + height: 40px; + border: none; text-align: left; + background: none; + border-top: 1px solid #cccccc; + } + + .content-container-hidden { + @include mds-body-text-l($bold: false); + color: black; + -webkit-mask-image: -webkit-gradient(linear, left top, left bottom, from(rgb(54, 54, 54)), to(rgba(200, 200, 200, 0))); + height: 50px; + width: 90%; + overflow: hidden; + transition: max-height 0.2s ease-out; + padding: 0px 10px 0px 10px; + } + + .content-container { + @include mds-body-text-l($bold: false); + overflow: hidden; + width: 90%; + transition: max-height 0.2s ease-out; + padding: 0px 10px 10px 10px; + transition: all ease 0.5; + } + + .read-more-link:hover { + text-decoration: underline; + cursor: pointer; } + .nice-boxshadow { + box-shadow: 0 1px 2px rgba(36, 36, 36, 0.07), + 0 2px 4px rgba(41, 41, 41, 0.07), + 0 4px 8px rgba(37, 37, 37, 0.07), + 0 8px 16px rgba(49, 49, 49, 0.07), + } + + .greyText { color: #7c7c7c;} + \ No newline at end of file diff --git a/src/components/TradingPage/StockCard.vue b/src/components/TradingPage/StockCard.vue index 8b982d7..5a99f72 100644 --- a/src/components/TradingPage/StockCard.vue +++ b/src/components/TradingPage/StockCard.vue @@ -69,7 +69,7 @@ border-radius: 5px; width: 450px; padding: 5px; - margin-top: 15px; + margin-top: 10px; transition: 0.5s; box-shadow: 2px 2px 2px rgba(4,4,4,0.1); display: inline-flex; @@ -83,7 +83,7 @@ border-radius: 5px; width: 450px; padding: 5px; - margin-top: 15px; + margin-top: 10px; transition: 0.5s; box-shadow: 2px 2px 2px rgba(4,4,4,0.1); display: inline-flex; @@ -94,7 +94,6 @@ .stock-card-main:hover { transform: scale(1.02); border-left: 4.5px solid red; - //box-shadow: 2.5px 5px 8px rgba(255, 0, 0, 0.3); } .name-container { diff --git a/src/components/TradingPage/StockCardPortfolio.vue b/src/components/TradingPage/StockCardPortfolio.vue new file mode 100644 index 0000000..f33f9c4 --- /dev/null +++ b/src/components/TradingPage/StockCardPortfolio.vue @@ -0,0 +1,147 @@ + + + + + \ No newline at end of file diff --git a/src/components/TradingPage/TradingForm.vue b/src/components/TradingPage/TradingForm.vue index df4e7b0..63feece 100644 --- a/src/components/TradingPage/TradingForm.vue +++ b/src/components/TradingPage/TradingForm.vue @@ -1,29 +1,93 @@ @@ -46,13 +110,34 @@ export default { background: white; } + .trading-form-blocked { + @include mds-body-text-l($bold: false); + height: 100px; + margin-top: 15px; + border: 2px solid grey; + border-radius: 5px; + display: flex; + justify-content: center; + line-height: 100px; + background: white; + } + + .v-enter-active, + .v-leave-active { + transition: opacity 0.8s ease; + } + + .v-enter-from, + .v-leave-to { + opacity: 0; + } + .trading-form-header { @include mds-level-1-heading($bold: true); text-align: left; margin-left: 25px; margin-right: 25px; border-bottom: 2px solid black; - padding-bottom: 5px; } .stock-select-button { @@ -64,13 +149,24 @@ export default { padding-top: 5px; padding-bottom: 5px; background: white; - border: 2px solid #a1a1a1; + border: 2px solid #cccccc; box-sizing: border-box; transition: 0.5s; } - .stock-select-button:hover { - transform: scale(1.02); + .stock-select-button-selected { + @include mds-body-text-l($bold: true); + width: 15%; + margin-left: 10px; + margin-right: 10px; + border-radius: 10px; + padding-top: 5px; + padding-bottom: 5px; + border: none; + background: #ff0000; + color: white; + box-sizing: border-box; + transition: 0.5s; box-shadow: 0 1px 2px rgba(36, 36, 36, 0.07), 0 2px 4px rgba(41, 41, 41, 0.07), 0 4px 8px rgba(37, 37, 37, 0.07), @@ -78,10 +174,13 @@ export default { 0 4px 32px rgba(37, 37, 37, 0.07), } - .stock-select-button:focus { - @include mds-body-text-l($bold: true); - background: #ff0000; - color: white; + .stock-select-button:hover { + transform: scale(1.02); + box-shadow: 0 1px 2px rgba(36, 36, 36, 0.07), + 0 2px 4px rgba(41, 41, 41, 0.07), + 0 4px 8px rgba(37, 37, 37, 0.07), + 0 4px 16px rgba(37, 37, 37, 0.07), + 0 4px 32px rgba(37, 37, 37, 0.07), } .buy-sell-button { @@ -94,6 +193,16 @@ export default { border: none; } + .buy-sell-button-selected { + @include mds-body-text-l($bold: true); + width: 25%; + margin-left: 10px; + margin-right: 10px; + border-radius: 10px; + background: white; + border: none; + } + .confirm-order-form { border-top: 2px solid #cccccc; margin-top: 15px; @@ -112,6 +221,17 @@ export default { transition: 0.5s; } + .confirm-order-button-disabled { + @include mds-body-text-l($bold: true); + background: #cccccc; + color: white; + width: 100%; + height: 40px; + border-radius: 10px; + border: none; + transition: 0.5s; + } + .stock-form { @include mds-body-text-l($bold: false); display: inline-flex; @@ -121,15 +241,17 @@ export default { } .my-hover { - box-sizing: border-box; + transition: 0.5s; } .my-hover:hover { transform: scale(1.01); - } + box-shadow: 0 1px 2px rgba(36, 36, 36, 0.07), + 0 2px 4px rgba(41, 41, 41, 0.07), + 0 4px 8px rgba(37, 37, 37, 0.07), + 0 4px 16px rgba(37, 37, 37, 0.07), + 0 4px 32px rgba(37, 37, 37, 0.07), - .my-hover:focus { - @include mds-body-text-l($bold: true); } .buy-sell-form { @@ -159,8 +281,6 @@ export default { border: none; } - - .nice-boxshadow { box-shadow: 0 1px 2px rgba(36, 36, 36, 0.07), 0 2px 4px rgba(41, 41, 41, 0.07), diff --git a/src/components/TradingPage/TradingPage.vue b/src/components/TradingPage/TradingPage.vue index ef27341..c040a97 100644 --- a/src/components/TradingPage/TradingPage.vue +++ b/src/components/TradingPage/TradingPage.vue @@ -2,24 +2,29 @@
- Welcome,  Luke + Welcome,  {{playerDataStore.playerName.slice(0,15)}}
- Account Balance:   $10,000 + Account Balance: {{formatCurrency(playerDataStore.accountBalance)}}
- +
- +
-
Day: {{ currentDay }} / 200
+
+ Portfolio Value: {{formatCurrency(playerDataStore.portfolioValue)}} +
+
+ Day: {{ currentDay }} / {{ simulationDuration }} +
Watchlist @@ -27,6 +32,10 @@
+
+ Holdings +
+
@@ -47,52 +56,213 @@
- + +
+
+ Portfolio +
+
+
+ + +
+
+ + + +
+
+ + +
+
+
Events
- -
+
+ +
+
- - + - -