hexsha
string
size
int64
ext
string
lang
string
max_stars_repo_path
string
max_stars_repo_name
string
max_stars_repo_head_hexsha
string
max_stars_repo_licenses
list
max_stars_count
int64
max_stars_repo_stars_event_min_datetime
string
max_stars_repo_stars_event_max_datetime
string
max_issues_repo_path
string
max_issues_repo_name
string
max_issues_repo_head_hexsha
string
max_issues_repo_licenses
list
max_issues_count
int64
max_issues_repo_issues_event_min_datetime
string
max_issues_repo_issues_event_max_datetime
string
max_forks_repo_path
string
max_forks_repo_name
string
max_forks_repo_head_hexsha
string
max_forks_repo_licenses
list
max_forks_count
int64
max_forks_repo_forks_event_min_datetime
string
max_forks_repo_forks_event_max_datetime
string
content
string
avg_line_length
float64
max_line_length
int64
alphanum_fraction
float64
c87a2f4e2c5a259bce1d323804b32b5c7ae479c0
893
js
JavaScript
src/command/app.js
chenchenalex/javascript-patterns
83d7dc1c055b73bfb39ae2ecec7d7ab1f0848062
[ "MIT" ]
null
null
null
src/command/app.js
chenchenalex/javascript-patterns
83d7dc1c055b73bfb39ae2ecec7d7ab1f0848062
[ "MIT" ]
null
null
null
src/command/app.js
chenchenalex/javascript-patterns
83d7dc1c055b73bfb39ae2ecec7d7ab1f0848062
[ "MIT" ]
null
null
null
// The application class sets up object relations. It acts as a // sender: when something needs to be done, it creates a command // object and executes it. import { copy } from './commands'; const App = { clipboard: "", state: {}, history: [], undo() { const command = history.pop(); if (command !== null) { command.undo(); } // alternatively this part can be swapped out by a momento pattern which is // a snapshot of the state, this.state.restore(momento) will recover its state /* const momento = history.pop(); if (momento !== null) { this.state.restore(momento) } */ }, init(){ document.onKeyPress("Ctrl+C", () => this.executeCommand(copy);); }, executeCommand(command) { // pushes the command into history for redo; if (command.execute) this.history.push(command); }, }; export default App;
24.805556
82
0.621501
c87a773b78a2bc0532bf94f7a89a3a1c880a540a
10,528
js
JavaScript
src/tools/annotation/CobbAngleTool.js
enkinary/cornerstoneTools
09a364a6364c589894c809e6b02b177a075742a5
[ "MIT" ]
1
2019-12-12T07:34:24.000Z
2019-12-12T07:34:24.000Z
src/tools/annotation/CobbAngleTool.js
enkinary/cornerstoneTools
09a364a6364c589894c809e6b02b177a075742a5
[ "MIT" ]
1
2020-03-02T03:40:59.000Z
2020-03-02T03:40:59.000Z
src/tools/annotation/CobbAngleTool.js
enkinary/cornerstoneTools
09a364a6364c589894c809e6b02b177a075742a5
[ "MIT" ]
null
null
null
import external from './../../externalModules.js'; import BaseAnnotationTool from '../base/BaseAnnotationTool.js'; // State import textStyle from './../../stateManagement/textStyle.js'; import { addToolState, getToolState, } from './../../stateManagement/toolState.js'; import toolStyle from './../../stateManagement/toolStyle.js'; import toolColors from './../../stateManagement/toolColors.js'; // Manipulators import { moveNewHandle } from './../../manipulators/index.js'; // Drawing import { getNewContext, draw, setShadow, drawLine, } from './../../drawing/index.js'; import drawHandles from './../../drawing/drawHandles.js'; import drawLinkedTextBox from './../../drawing/drawLinkedTextBox.js'; import lineSegDistance from './../../util/lineSegDistance.js'; import roundToDecimal from './../../util/roundToDecimal.js'; import EVENTS from './../../events.js'; import { cobbAngleCursor } from '../cursors/index.js'; import triggerEvent from '../../util/triggerEvent.js'; import throttle from '../../util/throttle'; import getPixelSpacing from '../../util/getPixelSpacing'; /** * @public * @class CobbAngleTool * @memberof Tools.Annotation * @classdesc Tool for measuring the angle between two straight lines. * @extends Tools.Base.BaseAnnotationTool */ export default class CobbAngleTool extends BaseAnnotationTool { constructor(props = {}) { const defaultProps = { name: 'CobbAngle', supportedInteractionTypes: ['Mouse', 'Touch'], svgCursor: cobbAngleCursor, configuration: { drawHandles: true, }, }; super(props, defaultProps); this.hasIncomplete = false; this.throttledUpdateCachedStats = throttle(this.updateCachedStats, 110); } createNewMeasurement(eventData) { // Create the measurement data for this tool with the end handle activated this.hasIncomplete = true; return { visible: true, active: true, color: undefined, invalidated: true, complete: false, value: '', handles: { start: { x: eventData.currentPoints.image.x, y: eventData.currentPoints.image.y, highlight: true, active: false, }, end: { x: eventData.currentPoints.image.x, y: eventData.currentPoints.image.y, highlight: true, active: true, }, start2: { x: eventData.currentPoints.image.x, y: eventData.currentPoints.image.y, highlight: true, active: false, drawnIndependently: true, }, end2: { x: eventData.currentPoints.image.x + 1, y: eventData.currentPoints.image.y, highlight: true, active: false, drawnIndependently: true, }, textBox: { active: false, hasMoved: false, movesIndependently: false, drawnIndependently: true, allowedOutsideImage: true, hasBoundingBox: true, }, }, }; } /** * * * @param {*} element * @param {*} data * @param {*} coords * @returns {Boolean} */ pointNearTool(element, data, coords) { if (data.visible === false) { return false; } if (this.hasIncomplete) { return false; } return ( lineSegDistance(element, data.handles.start, data.handles.end, coords) < 25 || lineSegDistance(element, data.handles.start2, data.handles.end2, coords) < 25 ); } updateCachedStats(image, element, data) { const { rowPixelSpacing, colPixelSpacing } = getPixelSpacing(image); const dx1 = (Math.ceil(data.handles.start.x) - Math.ceil(data.handles.end.x)) * colPixelSpacing; const dy1 = (Math.ceil(data.handles.start.y) - Math.ceil(data.handles.end.y)) * rowPixelSpacing; const dx2 = (Math.ceil(data.handles.start2.x) - Math.ceil(data.handles.end2.x)) * colPixelSpacing; const dy2 = (Math.ceil(data.handles.start2.y) - Math.ceil(data.handles.end2.y)) * rowPixelSpacing; let angle = Math.acos( Math.abs( (dx1 * dx2 + dy1 * dy2) / (Math.sqrt(dx1 * dx1 + dy1 * dy1) * Math.sqrt(dx2 * dx2 + dy2 * dy2)) ) ); angle *= 180 / Math.PI; data.rAngle = roundToDecimal(angle, 2); data.invalidated = false; } renderToolData(evt) { const eventData = evt.detail; const { handleRadius, drawHandlesOnHover } = this.configuration; // If we have no toolData for this element, return immediately as there is nothing to do const toolData = getToolState(evt.currentTarget, this.name); if (!toolData) { return; } // We have tool data for this element - iterate over each one and draw it const context = getNewContext(eventData.canvasContext.canvas); const lineWidth = toolStyle.getToolWidth(); const font = textStyle.getFont(); for (let i = 0; i < toolData.data.length; i++) { const data = toolData.data[i]; if (data.visible === false) { continue; } draw(context, context => { setShadow(context, this.configuration); // Differentiate the color of activation tool const color = toolColors.getColorIfActive(data); drawLine( context, eventData.element, data.handles.start, data.handles.end, { color, } ); if (data.complete) { drawLine( context, eventData.element, data.handles.start2, data.handles.end2, { color, } ); } // Draw the handles const handleOptions = { color, handleRadius, drawHandlesIfActive: drawHandlesOnHover, }; if (this.configuration.drawHandles) { drawHandles(context, eventData, data.handles, handleOptions); } // Draw the text context.fillStyle = color; const text = data.value; if (!data.handles.textBox.hasMoved) { const textCoords = { x: (data.handles.start.x + data.handles.end.x) / 2, y: (data.handles.start.y + data.handles.end.y) / 2 - 10, }; context.font = font; data.handles.textBox.x = textCoords.x; data.handles.textBox.y = textCoords.y; } drawLinkedTextBox( context, eventData.element, data.handles.textBox, text, data.handles, textBoxAnchorPoints, color, lineWidth, 0, true ); }); } function textBoxAnchorPoints(handles) { return [handles.start, handles.start2, handles.end, handles.end2]; } } getIncomplete(element) { const toolState = getToolState(element, this.name); if (toolState && Array.isArray(toolState.data)) { return toolState.data.find(({ complete }) => complete === false); } } addNewMeasurement(evt, interactionType) { evt.preventDefault(); evt.stopPropagation(); const eventData = evt.detail; let measurementData; let toMoveHandle; let doneMovingCallback; // Search for incomplete measurements const element = evt.detail.element; const pendingMeasurement = this.getIncomplete(element); if (pendingMeasurement) { measurementData = pendingMeasurement; measurementData.complete = true; measurementData.handles.start2 = { x: eventData.currentPoints.image.x, y: eventData.currentPoints.image.y, drawnIndependently: false, highlight: true, active: false, }; measurementData.handles.end2 = { x: eventData.currentPoints.image.x, y: eventData.currentPoints.image.y, drawnIndependently: false, highlight: true, active: true, }; toMoveHandle = measurementData.handles.end2; this.hasIncomplete = false; doneMovingCallback = () => { const eventType = EVENTS.MEASUREMENT_COMPLETED; const eventData = { toolType: this.name, element, measurementData, }; triggerEvent(element, eventType, eventData); }; } else { measurementData = this.createNewMeasurement(eventData); addToolState(element, this.name, measurementData); toMoveHandle = measurementData.handles.end; } // Associate this data with this imageId so we can render it and manipulate it external.cornerstone.updateImage(element); moveNewHandle( eventData, this.name, measurementData, toMoveHandle, this.options, interactionType, doneMovingCallback ); } onMeasureModified(ev) { const { element } = ev.detail; const image = external.cornerstone.getEnabledElement(element).image; const { rowPixelSpacing, colPixelSpacing } = getPixelSpacing(image); if (ev.detail.toolName !== this.name) { return; } const data = ev.detail.measurementData; // Update textbox stats if (data.invalidated === true) { if (data.rAngle) { this.throttledUpdateCachedStats(image, element, data); } else { this.updateCachedStats(image, element, data); } } const { rAngle } = data; data.value = ''; if (!Number.isNaN(rAngle)) { data.value = textBoxText(rAngle, rowPixelSpacing, colPixelSpacing); } function textBoxText(rAngle, rowPixelSpacing, colPixelSpacing) { const suffix = !rowPixelSpacing || !colPixelSpacing ? ' (isotropic)' : ''; const str = '00B0'; // Degrees symbol return ( rAngle.toString() + String.fromCharCode(parseInt(str, 16)) + suffix ); } } activeCallback(element) { this.onMeasureModified = this.onMeasureModified.bind(this); element.addEventListener( EVENTS.MEASUREMENT_MODIFIED, this.onMeasureModified ); } passiveCallback(element) { this.onMeasureModified = this.onMeasureModified.bind(this); element.addEventListener( EVENTS.MEASUREMENT_MODIFIED, this.onMeasureModified ); } enabledCallback(element) { element.removeEventListener( EVENTS.MEASUREMENT_MODIFIED, this.onMeasureModified ); } disabledCallback(element) { element.removeEventListener( EVENTS.MEASUREMENT_MODIFIED, this.onMeasureModified ); } }
26.653165
92
0.609328
c87b523cb0ce2fc8d8718d6546705ea8c8b79f91
1,996
js
JavaScript
docs/html/class_uni_engine_1_1_texture2_d.js
edisonlee0212/UniEngine
62278ae811235179e6a1c24eb35acf73e400fe28
[ "BSD-3-Clause" ]
22
2020-05-18T02:37:09.000Z
2022-03-13T18:44:30.000Z
docs/html/class_uni_engine_1_1_texture2_d.js
edisonlee0212/UniEngine
62278ae811235179e6a1c24eb35acf73e400fe28
[ "BSD-3-Clause" ]
null
null
null
docs/html/class_uni_engine_1_1_texture2_d.js
edisonlee0212/UniEngine
62278ae811235179e6a1c24eb35acf73e400fe28
[ "BSD-3-Clause" ]
3
2020-12-21T01:21:03.000Z
2021-09-06T08:07:41.000Z
var class_uni_engine_1_1_texture2_d = [ [ "GetResolution", "class_uni_engine_1_1_texture2_d.html#a167fa78c9bc00d3110bb71e75334a986", null ], [ "LoadInternal", "class_uni_engine_1_1_texture2_d.html#a2f82eee8ee67ea94fb6b9a2a19c122ab", null ], [ "OnCreate", "class_uni_engine_1_1_texture2_d.html#af4cbd33df2d89ccf355e143f60054e3e", null ], [ "OnInspect", "class_uni_engine_1_1_texture2_d.html#aba7905fbefdb62229a867d77a2d92306", null ], [ "SaveInternal", "class_uni_engine_1_1_texture2_d.html#a50686f644993198423bcf99bb1892b86", null ], [ "StoreToJpg", "class_uni_engine_1_1_texture2_d.html#a4195e58469baf6a22981fe788a48f116", null ], [ "StoreToPng", "class_uni_engine_1_1_texture2_d.html#a209aa87e394067a5e2786eb3fa0a6ea8", null ], [ "UnsafeGetGLTexture", "class_uni_engine_1_1_texture2_d.html#ab9552d62904430e378eb20377b99c081", null ], [ "AssetManager", "class_uni_engine_1_1_texture2_d.html#aafe72876a584aedb5a5546d4fe7746fb", null ], [ "Bloom", "class_uni_engine_1_1_texture2_d.html#a7a5c3ec37904ce2802f1272224c0f69e", null ], [ "Camera", "class_uni_engine_1_1_texture2_d.html#ad8bd9afbbd7af19d996da80e9d25890d", null ], [ "Cubemap", "class_uni_engine_1_1_texture2_d.html#a9ddca07aaca12b907f4c33c70588a9ca", null ], [ "DefaultResources", "class_uni_engine_1_1_texture2_d.html#a55ba8a10748d222a2f6fe9a16c071998", null ], [ "EnvironmentalMap", "class_uni_engine_1_1_texture2_d.html#a848afdc471aca4977a499a86aca55399", null ], [ "LightProbe", "class_uni_engine_1_1_texture2_d.html#aa17324d5a9fdeecbf5fc0ab253da1197", null ], [ "Material", "class_uni_engine_1_1_texture2_d.html#aa1212b6e372a0f45d2c01f3cd203af77", null ], [ "ReflectionProbe", "class_uni_engine_1_1_texture2_d.html#a5dabf0ae2f2e588bc540cae29cbab3d6", null ], [ "RenderManager", "class_uni_engine_1_1_texture2_d.html#ac2f8d8a30258c4e46c827c1a7ebb5db9", null ], [ "m_gamma", "class_uni_engine_1_1_texture2_d.html#a54b5521981dc07ef20c8b679aa7c7ebd", null ] ];
90.727273
109
0.806112
c87b7952d1bbf25cf72eaf079af93c1a423a0e0e
773
js
JavaScript
src/pages/index.js
GerritHoskins/mapgatsbox
7beff4035dfa67e74ca37a3f52f31cadd23a40a5
[ "MIT" ]
null
null
null
src/pages/index.js
GerritHoskins/mapgatsbox
7beff4035dfa67e74ca37a3f52f31cadd23a40a5
[ "MIT" ]
null
null
null
src/pages/index.js
GerritHoskins/mapgatsbox
7beff4035dfa67e74ca37a3f52f31cadd23a40a5
[ "MIT" ]
null
null
null
import React, { useState, useEffect } from "react" import Layout from "../components/layout" import SEO from "../components/seo" import { Map } from "../components/map" //Latitude: 49.457758 °, Longitude: 11.0701349 ° const IndexPage = () => { /* const [coordinates, setCoordinates] = useState([]) useEffect(() => { navigator.geolocation.getCurrentPosition( position => { setCoordinates({ coordinates: { latitude: position.coords.latitude, longitude: position.coords.longitude } }); }, error => { console.log(error.message); } ) }, []) */ return ( <Layout> <Map center={[11.576124, 48.137154]} zoom={13} /> </Layout> ) } export default IndexPage
23.424242
55
0.578266
c87ba92061decd7a5199793001f52b43d15a64f8
363
js
JavaScript
router.js
glenrage/node-beginner-book
2ca91798106eb1942a761cdb843800a0b55b8091
[ "MIT" ]
null
null
null
router.js
glenrage/node-beginner-book
2ca91798106eb1942a761cdb843800a0b55b8091
[ "MIT" ]
null
null
null
router.js
glenrage/node-beginner-book
2ca91798106eb1942a761cdb843800a0b55b8091
[ "MIT" ]
null
null
null
function route(handle, pathname) { console.log(`ABout to route a request for ${pathname}`); if(typeof handle[pathname] === 'function') { handle[pathname](); } else { console.log('No handler found'); response.writeHead(404, {'Content-Type' : 'text/plain'}); response.write('404 not found'); response.end(); } } exports.route = route;
24.2
61
0.639118
c87c0ec8f5998cd1daa2d5df919ad352e37843a2
272
js
JavaScript
src/lib/injectZepto.js
leahciMic/scraper.js
09ade0b5175d8d1d3e2a42f1c0cc38eb6b1e0228
[ "MIT" ]
5
2016-12-06T05:41:02.000Z
2019-04-17T20:37:52.000Z
src/lib/injectZepto.js
leahciMic/scraper.js
09ade0b5175d8d1d3e2a42f1c0cc38eb6b1e0228
[ "MIT" ]
1
2019-01-22T02:32:16.000Z
2019-01-22T02:32:16.000Z
src/lib/injectZepto.js
leahciMic/scraper.js
09ade0b5175d8d1d3e2a42f1c0cc38eb6b1e0228
[ "MIT" ]
2
2017-05-04T00:16:17.000Z
2020-03-27T07:09:42.000Z
const getZeptoSource = require('./getZeptoSource'); module.exports = async function injectZepto(browser) { await browser.evaluate(` ${getZeptoSource()} if (window.Zepto === window.$) { delete window.$; } window.$scraperJS = window.Zepto; `); };
22.666667
54
0.643382
c87cc3fb1521050aae90cb6f9546d462c2315125
782
js
JavaScript
src/server.js
islam-Attar/basic-api-server
413b097a238da4a64dd48289e71f3df67de3acea
[ "MIT" ]
null
null
null
src/server.js
islam-Attar/basic-api-server
413b097a238da4a64dd48289e71f3df67de3acea
[ "MIT" ]
null
null
null
src/server.js
islam-Attar/basic-api-server
413b097a238da4a64dd48289e71f3df67de3acea
[ "MIT" ]
null
null
null
'use strict'; const express = require('express'); const app = express(); const cors = require('cors'); app.use(express.json()); const logger = require('./middleware/logger.js') // const validator = require('./middleware/validator.js'); const notFound = require('./error-handlers/404.js'); const serverError = require('./error-handlers/500.js'); const clothesRouter = require('./routes/clothes'); const foodRouter = require('./routes/food'); app.use(cors()); app.use(logger); app.use(clothesRouter); app.use(foodRouter); app.get('/', (req, res) => { res.send('Home Route') }) app.use(notFound); app.use(serverError); function start(port) { app.listen(port,()=> { console.log(`running on PORT ${port}`); }) } module.exports = { app: app, start: start }
16.638298
58
0.659847
c87e0c9ca0a33e3f8744dd3c868644692d3bf643
1,910
js
JavaScript
src/LN.js
rbndg/Lightning-Invoice-Queue
4c0e98ee348653e3729ac0158fcfb8dff4bcdb6c
[ "Apache-2.0" ]
5
2020-04-20T14:16:35.000Z
2020-04-22T12:22:52.000Z
src/LN.js
rbndg/Lightning-Invoice-Queue
4c0e98ee348653e3729ac0158fcfb8dff4bcdb6c
[ "Apache-2.0" ]
null
null
null
src/LN.js
rbndg/Lightning-Invoice-Queue
4c0e98ee348653e3729ac0158fcfb8dff4bcdb6c
[ "Apache-2.0" ]
null
null
null
const { EventEmitter } = require('events') const { readFileSync } = require('fs') const async = require('async') const WebSocket = require('ws') const lns = require('ln-service') const toB64 = (path) => readFileSync(path, { encoding: 'base64' }) class LightningNode extends EventEmitter { constructor (options) { super() if (options.type === 'LND') { this.listenToLND(options) } if (options.type === 'CLN') { this.listenToCLN(options) } } listenToCLN (config) { const ws = new WebSocket(config.host) ws.on('message', (data) => { const msg = JSON.parse(data) if (msg.invoice_payment) { console.log(msg.invoice_payment) this.emit('invoice_updated', { id: msg.invoice_payment.label, node_pub: config.node_pub }) } }) ws.on('error', (err) => { console.log(err) }) } listenToLND (config) { let lnd try { lnd = lns.authenticatedLndGrpc({ cert: toB64(config.cert), macaroon: toB64(config.macaroon), socket: config.socket }).lnd } catch (err) { console.log(err) return } async.waterfall([ (next) => { lns.getWalletInfo({ lnd }, (err, result) => { next(err, result) }) }, (info, next) => { const sub = lns.subscribeToInvoices({ lnd }) sub.on('invoice_updated', (invoice) => { if (!invoice.is_confirmed) return this.emit('invoice_updated', { node_pub: info.public_key, id: invoice.id }) }) sub.on('end', (err) => { this.emit('end', err) }) sub.on('error', (err) => { console.log('Connectin to LND threw error ') console.log(err) this.emit('end', err) }) next() } ]) } } module.exports = LightningNode
23.580247
66
0.531414
c87f3cc4dcc5d4491bfcd463d9f724068197081d
1,426
js
JavaScript
frontend/node_modules/@shopify/polaris-icons/dist/icons/polaris/shopcodes_major_monotone.svg.js
lubitelpospat/CFM-source
4e6af33ee68c6f2f05b6952b64a6b3f0591d5b03
[ "MIT" ]
null
null
null
frontend/node_modules/@shopify/polaris-icons/dist/icons/polaris/shopcodes_major_monotone.svg.js
lubitelpospat/CFM-source
4e6af33ee68c6f2f05b6952b64a6b3f0591d5b03
[ "MIT" ]
1
2021-06-04T10:05:05.000Z
2021-06-04T10:05:05.000Z
frontend/node_modules/@shopify/polaris-icons/dist/icons/polaris/shopcodes_major_monotone.svg.js
lubitelpospat/CFM-source
4e6af33ee68c6f2f05b6952b64a6b3f0591d5b03
[ "MIT" ]
null
null
null
'use strict'; function _interopDefault (ex) { return (ex && (typeof ex === 'object') && 'default' in ex) ? ex['default'] : ex; } var React = _interopDefault(require('react')); var _ref = /*#__PURE__*/ React.createElement("path", { fillRule: "evenodd", d: "M1 11a1 1 0 1 1 0-2h2a1 1 0 1 1 0 2H1zm1 7h3v-3H2v3zm4-5H1a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1v-5a1 1 0 0 0-1-1zM2 5h3V2H2v3zM1 7h5a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1H1a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1zm14-2h3V2h-3v3zm4-5h-5a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1zm-8 18v-1a1 1 0 1 0-2 0v2a1 1 0 0 0 1 1h1a1 1 0 1 0 0-2M10 3a1 1 0 0 0 1-1V1a1 1 0 1 0-2 0v1a1 1 0 0 0 1 1m5 10a1 1 0 0 0-1 1v5a1 1 0 1 0 2 0v-5a1 1 0 0 0-1-1m-5-6a.994.994 0 0 0 1-1c0-.13-.03-.26-.08-.38-.05-.13-.12-.23-.21-.33-.38-.37-1.04-.37-1.42 0-.09.1-.16.2-.21.33a.995.995 0 0 0 .21 1.09c.19.189.44.29.71.29m8.29 11.29c-.18.189-.29.45-.29.71a.993.993 0 0 0 1 1c.27 0 .52-.101.71-.29.09-.101.16-.21.21-.33.06-.12.08-.25.08-.38 0-.26-.11-.521-.29-.71-.38-.37-1.05-.37-1.42 0M19 13a1 1 0 0 0-1 1v1a1 1 0 1 0 2 0v-1a1 1 0 0 0-1-1m0-4h-5a1 1 0 1 0 0 2h5a1 1 0 1 0 0-2M9 13a1 1 0 1 0 2 0v-3a1 1 0 0 0-1-1H7a1 1 0 1 0 0 2h2v2z" }); var SvgShopcodesMajorMonotone = function SvgShopcodesMajorMonotone(props) { return React.createElement("svg", Object.assign({ viewBox: "0 0 20 20" }, props), _ref); }; exports.SvgShopcodesMajorMonotone = SvgShopcodesMajorMonotone;
67.904762
923
0.647265
c8801e4a510225e9f772406ac6cef761601759fb
7,864
js
JavaScript
src/UI/drawer/FSLDrawerView.js
chendengwen/react-native-kpframework
9171e9c452ba1050a43dad19f6c304dac36082b4
[ "MIT" ]
null
null
null
src/UI/drawer/FSLDrawerView.js
chendengwen/react-native-kpframework
9171e9c452ba1050a43dad19f6c304dac36082b4
[ "MIT" ]
null
null
null
src/UI/drawer/FSLDrawerView.js
chendengwen/react-native-kpframework
9171e9c452ba1050a43dad19f6c304dac36082b4
[ "MIT" ]
null
null
null
/** * @author xukj * @date 2019/03/29 * @class * @description 抽屉 */ import React from 'react'; import PropTypes from 'prop-types'; import { StyleSheet, Animated, TouchableOpacity, Dimensions, View, } from 'react-native'; import theme from '../theme'; const window = Dimensions.get('window'); const Bounce = 8; // 弹性长度 const defaultConfig = { mask: true, // 是否显示蒙层 maskColor: 'rgba(0, 0, 0, 0.4)', // 蒙层颜色 closeable: true, // 是否可以点击蒙层关闭 drawerColor: 'white', // 抽屉的背景颜色 bounce: true, // 弹性动画 duration: 0, // 如果不为0则自动关闭 }; export default class FSLDrawerView extends React.PureComponent { static propTypes = { expand: PropTypes.number, position: PropTypes.oneOf(['left', 'right', 'top', 'bottom']), children: PropTypes.node, onClose: PropTypes.func, onAnimationEnd: PropTypes.func, config: PropTypes.object, // 相关配置 }; static defaultProps = { expand: 280, position: 'left', config: defaultConfig, }; constructor(props) { super(props); this.animatedValue = this._getAnimatedValue( props.position, props.expand, ); this.state = { translateXY: new Animated.ValueXY({ x: 0, y: 0 }), fadeAnim: new Animated.Value(0), }; this.anim = null; } componentDidMount() { this._open(); const { duration } = this._getDrawerConfig(); if (duration > 0) setTimeout(this._close, duration * 1000); } componentWillUnmount() { if (this.anim) { this.anim.stop(); this.anim = null; } } render() { const { translateXY, fadeAnim } = this.state; const { children } = this.props; const { closeable, mask, maskColor, drawerColor, } = this._getDrawerConfig(); let TouchComponent = View; if (closeable && mask) TouchComponent = TouchableOpacity; return ( <Animated.View style={[ styles.container, mask && maskColor && { backgroundColor: maskColor }, { opacity: fadeAnim }, ]} pointerEvents={mask ? null : 'box-none'} > <TouchComponent style={StyleSheet.absoluteFill} activeOpacity={1} onPress={this._close} pointerEvents={mask ? null : 'box-none'} > <Animated.View style={[ this.animatedValue.initialStyle, drawerColor && { backgroundColor: drawerColor }, { transform: translateXY.getTranslateTransform() }, ]} onStartShouldSetResponder={ this._onStartShouldSetResponder } > {children} </Animated.View> </TouchComponent> </Animated.View> ); } /** * 显示侧边组件 */ _open = () => { if (this.anim) this.anim = null; const { bounce } = this._getDrawerConfig(); const animateFunc = bounce ? Animated.spring : Animated.timing; const drawAnim = animateFunc(this.state.translateXY, { toValue: this.animatedValue.openXY, duration: 250, useNativeDriver: true, }); const fadeAnim = Animated.timing(this.state.fadeAnim, { toValue: 1, duration: 250, useNativeDriver: true, }); this.anim = Animated.parallel([drawAnim, fadeAnim], { stopTogether: false, }); this.anim.start(() => (this.anim = null)); }; /** * 关闭侧边组件 */ _close = () => { if (this.anim) this.anim = null; const timing = Animated.timing; const drawAnim = timing(this.state.translateXY, { toValue: this.animatedValue.closeXY, duration: 250, useNativeDriver: true, }); const fadeAnim = timing(this.state.fadeAnim, { toValue: 0, duration: 250, useNativeDriver: true, }); this.anim = Animated.parallel([drawAnim, fadeAnim], { stopTogether: false, }); this.anim.start(() => { this.anim = null; if (this.props.onClose) this.props.onClose(); if (this.props.onAnimationEnd) this.props.onAnimationEnd(); }); }; _onStartShouldSetResponder = evt => { return true; }; _getAnimatedValue = (position, expand) => { let animatValues = {}; switch (position) { case 'right': animatValues = { initialStyle: { left: window.width, top: 0, position: 'absolute', overflow: 'hidden', width: expand + Bounce, paddingRight: Bounce, height: window.height, backgroundColor: 'white', }, openXY: { x: 0 - expand, y: 0 }, closeXY: { x: expand, y: 0 }, }; break; case 'top': animatValues = { initialStyle: { left: 0, top: 0 - expand - Bounce, position: 'absolute', overflow: 'hidden', width: window.width, height: expand + Bounce, paddingTop: Bounce, backgroundColor: 'white', }, openXY: { x: 0, y: expand }, closeXY: { x: 0, y: 0 - expand }, }; break; case 'bottom': animatValues = { initialStyle: { left: 0, top: window.height, position: 'absolute', overflow: 'hidden', width: window.width, height: expand + Bounce, paddingBottom: Bounce, backgroundColor: 'white', }, openXY: { x: 0, y: 0 - expand }, closeXY: { x: 0, y: expand }, }; break; case 'left': default: animatValues = { initialStyle: { left: 0 - expand - Bounce, top: 0, position: 'absolute', overflow: 'hidden', width: expand + Bounce, paddingLeft: Bounce, height: window.height, backgroundColor: 'white', overflow: 'hidden', }, openXY: { x: expand, y: 0 }, closeXY: { x: 0 - expand, y: 0 }, }; break; } return animatValues; }; _getDrawerConfig = () => ({ ...defaultConfig, ...this.props.config }); } const styles = StyleSheet.create({ container: { position: 'absolute', top: 0, left: 0, bottom: 0, right: 0, backgroundColor: 'transparent', flexDirection: 'row', zIndex: theme.modal_zindex, }, });
30.362934
79
0.439598
c8806d744d2026961f62ef03eb6bb97c5ee39a15
806
js
JavaScript
js-test-suite/testsuite/90df907003f609dceb7379a6bae339f3.js
hao-wang/Montage
d1c98ec7dbe20d0449f0d02694930cf1f69a5cea
[ "MIT" ]
16
2020-03-23T12:53:10.000Z
2021-10-11T02:31:50.000Z
js-test-suite/testsuite/90df907003f609dceb7379a6bae339f3.js
hao-wang/Montage
d1c98ec7dbe20d0449f0d02694930cf1f69a5cea
[ "MIT" ]
null
null
null
js-test-suite/testsuite/90df907003f609dceb7379a6bae339f3.js
hao-wang/Montage
d1c98ec7dbe20d0449f0d02694930cf1f69a5cea
[ "MIT" ]
1
2020-08-17T14:06:59.000Z
2020-08-17T14:06:59.000Z
load("bf4b12814bc95f34eeb130127d8438ab.js"); load("93fae755edd261212639eed30afa2ca4.js"); // Copyright 2009 the Sputnik authors. All rights reserved. // This code is governed by the BSD license found in the LICENSE file. /*--- info: The toString property of Array has the attribute DontEnum es5id: 15.4.4.2_A4.5 description: Checking use propertyIsEnumerable, for-in ---*/ //CHECK#1 if (Array.propertyIsEnumerable('toString') !== false) { $ERROR('#1: Array.propertyIsEnumerable(\'toString\') === false. Actual: ' + (Array.propertyIsEnumerable('toString'))); } //CHECK#2 var result = true; for (var p in Array){ if (p === "toString") { result = false; } } if (result !== true) { $ERROR('#2: result = true; for (p in Array) { if (p === "toString") result = false; } result === true;'); }
28.785714
120
0.677419
c88090afa0746b6d3f01ee47fa1f42d6975b64fe
1,974
js
JavaScript
src/front-end.js
mhughes2012/netlify-lambda-example
41d6e9b558f364359387c1d0528a3cb5286cd216
[ "MIT" ]
null
null
null
src/front-end.js
mhughes2012/netlify-lambda-example
41d6e9b558f364359387c1d0528a3cb5286cd216
[ "MIT" ]
3
2021-05-07T22:19:37.000Z
2021-05-07T22:21:09.000Z
src/front-end.js
mhughes2012/netlify-lambda-example
41d6e9b558f364359387c1d0528a3cb5286cd216
[ "MIT" ]
null
null
null
import uuid from 'uuid/v4'; const amount = parseFloat(document.getElementById("total").innerHTML); console.warn('a', amount); const $messageBox = document.getElementById('messageBox'); const $button = document.querySelector('button'); function resetButtonText() { $button.innerHTML = 'Click to Buy! <strong>$10</strong>'; } var stripe = Stripe('pk_test_TYooMQauvdEDq54NiTphI7jx'); var checkoutButton = document.querySelector('#checkout-button'); checkoutButton.addEventListener('click', function () { stripe.redirectToCheckout({ items: [{ // Define the product and SKU in the Dashboard first, and use the SKU // ID in your client-side code. sku: 'sku_123', quantity: 1 }], successUrl: 'https://www.example.com/success', cancelUrl: 'https://www.example.com/cancel' }); }); const handler = StripeCheckout.configure({ key: STRIPE_PUBLISHABLE_KEY, image: 'https://stripe.com/img/documentation/checkout/marketplace.png', locale: 'auto', closed: function () { resetButtonText(); }, token: async function(token) { let response, data; try { response = await fetch(LAMBDA_ENDPOINT, { method: 'POST', body: JSON.stringify({ token, amount, idempotency_key: uuid() }), headers: new Headers({ 'Content-Type': 'application/json' }) }); data = await response.json(); } catch (error) { console.error(error.message); return; } resetButtonText(); let message = typeof data === 'object' && data.status === 'succeeded' ? 'Charge was successful!' : 'Charge failed.' $messageBox.querySelector('h2').innerHTML = message; console.log(data); } }); $button.addEventListener('click', () => { setTimeout(() => { $button.innerHTML = 'Waiting for response...'; }, 500); handler.open({ amount, name: 'Eau Natural', description: 'Lip Balm' }); });
24.37037
75
0.625127
c880ab23ecd45ef6ecf7027a348e6986afd1bc35
1,075
js
JavaScript
web/js/tophotels_welcome_team/our-projects.js
Denis-Vasilyev/yii2
3877b12acf2e2b839c66914ad534f964fd46fa8a
[ "BSD-3-Clause" ]
null
null
null
web/js/tophotels_welcome_team/our-projects.js
Denis-Vasilyev/yii2
3877b12acf2e2b839c66914ad534f964fd46fa8a
[ "BSD-3-Clause" ]
null
null
null
web/js/tophotels_welcome_team/our-projects.js
Denis-Vasilyev/yii2
3877b12acf2e2b839c66914ad534f964fd46fa8a
[ "BSD-3-Clause" ]
null
null
null
$(function () { $('#list').click(function () { line($(this)); _hashState('#list'); $('#listPanel').show(); $('#projectPanel').hide(); }); $('#project').click(function () { line($(this)); _hashState('#project'); $('#listPanel').hide(); $('#projectPanel').show(); }); var line = function (obj) { var w = obj.width(); var p = obj.position().left; var el = $('.line '); $('.tab').removeClass('active'); obj.addClass('active'); el.clearQueue().animate({ left: p, width: w }, 300); }; var _hashState = function (_hash) { if (history.pushState) { history.pushState(null, null, _hash); } else { location.hash = _hash; } }; if (!window.location.hash) $('.tab.active').first().click(); else $(window.location.hash).click(); $(window).bind('hashchange', function () { $(window.location.hash).click(); }); });
23.369565
49
0.454884
c880dea934ac000d59035d3b1c2aa96868d381a4
843
js
JavaScript
www/js/index_uib_w_22_popup.js
Guz1992/Game-Order
66f493fbb3cd07a69f8cd1771fe5d531fd5ac8ac
[ "BSD-3-Clause" ]
null
null
null
www/js/index_uib_w_22_popup.js
Guz1992/Game-Order
66f493fbb3cd07a69f8cd1771fe5d531fd5ac8ac
[ "BSD-3-Clause" ]
null
null
null
www/js/index_uib_w_22_popup.js
Guz1992/Game-Order
66f493fbb3cd07a69f8cd1771fe5d531fd5ac8ac
[ "BSD-3-Clause" ]
null
null
null
function uib_w_22_popup_controller($scope, $ionicPopup) { $scope.data = {} // A confirm dialog $scope.show = function() { var confirmPopup = $ionicPopup.show({ template: '<input autofocus type="text" ng-model="data.wifi" placeholder="Nome do Jogador">', title: 'Digite o nome do jogador.', scope: $scope, buttons: [ { text: 'Cancelar' }, { text: '<b>Salvar</b>', type: 'button-positive', onTap: function(e) { if (!$scope.data.wifi) { e.preventDefault(); } else { return $scope.data.wifi; } } } ] }); confirmPopup.then(function(res) { if(res) { onCreate($scope.data.wifi); } else { console.log('You are not sure'); } }); }; };
24.794118
99
0.494662
c8829e0e3d1c260ea76d0ffd458604b060504c44
819
js
JavaScript
client/helpers/map-domain-description.js
samarabbas/temporal-web
fa5acf5d41b70448a4fbeb9ca786d4937fe75bab
[ "MIT" ]
null
null
null
client/helpers/map-domain-description.js
samarabbas/temporal-web
fa5acf5d41b70448a4fbeb9ca786d4937fe75bab
[ "MIT" ]
null
null
null
client/helpers/map-domain-description.js
samarabbas/temporal-web
fa5acf5d41b70448a4fbeb9ca786d4937fe75bab
[ "MIT" ]
null
null
null
export default function(d) { // eslint-disable-next-line no-param-reassign d.configuration = d.configuration || {}; // eslint-disable-next-line no-param-reassign d.replicationConfiguration = d.replicationConfiguration || { clusters: [] }; return { description: d.domainInfo.description, owner: d.domainInfo.ownerEmail, 'Global?': d.isGlobalDomain ? 'Yes' : 'No', 'Retention Period': `${d.configuration.workflowExecutionRetentionPeriodInDays} days`, 'Emit Metrics': d.configuration.emitMetric ? 'Yes' : 'No', 'Failover Version': d.failoverVersion, clusters: d.replicationConfiguration.clusters .map(c => c.clusterName === d.replicationConfiguration.activeClusterName ? `${c.clusterName} (active)` : c.clusterName ) .join(', '), }; }
35.608696
89
0.666667
c882d62ffb7164d5b015041ed4b1c5224af63276
4,083
js
JavaScript
__tests__/type-object-method-syntax-test.js
fkling/flow-typestrip
484d1749c9bab2b9e58732d42465ea955dde1f0f
[ "Apache-2.0" ]
5
2015-08-14T08:30:59.000Z
2021-07-16T14:32:09.000Z
__tests__/type-object-method-syntax-test.js
fkling/flow-typestrip
484d1749c9bab2b9e58732d42465ea955dde1f0f
[ "Apache-2.0" ]
null
null
null
__tests__/type-object-method-syntax-test.js
fkling/flow-typestrip
484d1749c9bab2b9e58732d42465ea955dde1f0f
[ "Apache-2.0" ]
2
2015-06-18T18:52:38.000Z
2015-07-09T15:52:22.000Z
/** * Copyright 2013 Facebook, Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ jest.autoMockOff(); describe('static type object-method syntax', function() { var flowStrip; var esnext; var transform; beforeEach(function() { flowStrip = require('../'); esnext = require('esnext'); transform = function(sourceArray) { return esnext.compile(flowStrip.compile(sourceArray.join('\n')).code).code; }; }); describe('param type annotations', function() { it('strips single param annotation', function() { var code = transform([ 'var foo = {', ' bar(param1: bool) {', ' return param1;', ' }', '};', ]); eval(code); expect(foo.bar(42)).toBe(42); }); it('strips multiple param annotations', function() { var code = transform([ 'var foo = {', ' bar(param1: bool, param2: number) {', ' return [param1, param2];', ' }', '};' ]); eval(code); expect(foo.bar(true, 42)).toEqual([true, 42]); }); it('strips higher-order param annotations', function() { var code = transform([ 'var foo = {', ' bar(param1: (_:bool) => number) {', ' return param1;', ' }', '};' ]); eval(code); var callback = function(param) { return param ? 42 : 0; }; expect(foo.bar(callback)).toBe(callback); }); it('strips annotated params next to non-annotated params', function() { var code = transform([ 'var foo = {', ' bar(param1, param2: number) {', ' return [param1, param2];', ' }', '}', ]); eval(code); expect(foo.bar('p1', 42)).toEqual(['p1', 42]); }); it('strips annotated params before a rest parameter', function() { var code = transform([ 'var foo = {', ' bar(param1: number, ...args) {', ' return [param1, args];', ' }', '}', ]); eval(code); expect(foo.bar(42, 43, 44)).toEqual([42, [43, 44]]); }); it('strips annotated rest parameter', function() { var code = transform([ 'var foo = {', ' bar(param1: number, ...args: Array<number>): Array<any> {', ' return [param1, args];', ' }', '}', ]); eval(code); expect(foo.bar(42, 43, 44)).toEqual([42, [43, 44]]); }); }); describe('return type annotations', function() { it('strips function return types', function() { var code = transform([ 'var foo = {', ' bar(param1:number): () => number {', ' return function() { return param1; };', ' }', '}', ]); eval(code); expect(foo.bar(42)()).toBe(42); }); }); describe('parametric type annotation', function() { // TODO: Fix esprima parsing for these cases /* it('strips parametric type annotations', function() { // TODO: Doesnt parse var code = transform([ 'var foo = {', ' bar<T>(param1) {', ' return param1;', ' }', '}', ]); eval(code); expect(foo.bar(42)).toBe(42); }); it('strips multi-parameter type annotations', function() { // TODO: Doesnt parse var code = transform([ 'var foo = {', ' bar<T, S>(param1) {', ' return param1;', ' }', '}', ]): eval(code); expect(foo.bar(42)).toBe(42); }); */ }); });
26.341935
81
0.512858
c882ecd16abc77f6c5f5a408b6942c4a2792eadd
6,409
js
JavaScript
js/src/tab.js
danparm/bootstrap
630d51691b974fa332f44c47255fe2bac8a2f3dd
[ "MIT" ]
null
null
null
js/src/tab.js
danparm/bootstrap
630d51691b974fa332f44c47255fe2bac8a2f3dd
[ "MIT" ]
152
2020-12-10T22:07:05.000Z
2022-03-22T11:08:05.000Z
js/src/tab.js
Hemphill/bootstrap-5-docs
c9c0ffa66b7def1834c23e789ccd812d0d5af3c1
[ "MIT" ]
null
null
null
/** * -------------------------------------------------------------------------- * Bootstrap (v5.0.0-beta1): tab.js * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE) * -------------------------------------------------------------------------- */ import { defineJQueryPlugin, emulateTransitionEnd, getElementFromSelector, getTransitionDurationFromElement, reflow } from './util/index' import Data from './dom/data' import EventHandler from './dom/event-handler' import SelectorEngine from './dom/selector-engine' import BaseComponent from './base-component' /** * ------------------------------------------------------------------------ * Constants * ------------------------------------------------------------------------ */ const NAME = 'tab' const DATA_KEY = 'bs.tab' const EVENT_KEY = `.${DATA_KEY}` const DATA_API_KEY = '.data-api' const EVENT_HIDE = `hide${EVENT_KEY}` const EVENT_HIDDEN = `hidden${EVENT_KEY}` const EVENT_SHOW = `show${EVENT_KEY}` const EVENT_SHOWN = `shown${EVENT_KEY}` const EVENT_CLICK_DATA_API = `click${EVENT_KEY}${DATA_API_KEY}` const CLASS_NAME_DROPDOWN_MENU = 'dropdown-menu' const CLASS_NAME_ACTIVE = 'active' const CLASS_NAME_DISABLED = 'disabled' const CLASS_NAME_FADE = 'fade' const CLASS_NAME_SHOW = 'show' const SELECTOR_DROPDOWN = '.dropdown' const SELECTOR_NAV_LIST_GROUP = '.nav, .list-group' const SELECTOR_ACTIVE = '.active' const SELECTOR_ACTIVE_UL = ':scope > li > .active' const SELECTOR_DATA_TOGGLE = '[data-bs-toggle="tab"], [data-bs-toggle="pill"], [data-bs-toggle="list"]' const SELECTOR_DROPDOWN_TOGGLE = '.dropdown-toggle' const SELECTOR_DROPDOWN_ACTIVE_CHILD = ':scope > .dropdown-menu .active' /** * ------------------------------------------------------------------------ * Class Definition * ------------------------------------------------------------------------ */ class Tab extends BaseComponent { // Getters static get DATA_KEY() { return DATA_KEY } // Public show() { if ((this._element.parentNode && this._element.parentNode.nodeType === Node.ELEMENT_NODE && this._element.classList.contains(CLASS_NAME_ACTIVE)) || this._element.classList.contains(CLASS_NAME_DISABLED)) { return } let previous const target = getElementFromSelector(this._element) const listElement = this._element.closest(SELECTOR_NAV_LIST_GROUP) if (listElement) { const itemSelector = listElement.nodeName === 'UL' || listElement.nodeName === 'OL' ? SELECTOR_ACTIVE_UL : SELECTOR_ACTIVE previous = SelectorEngine.find(itemSelector, listElement) previous = previous[previous.length - 1] } let hideEvent = null if (previous) { hideEvent = EventHandler.trigger(previous, EVENT_HIDE, { relatedTarget: this._element }) } const showEvent = EventHandler.trigger(this._element, EVENT_SHOW, { relatedTarget: previous }) if (showEvent.defaultPrevented || (hideEvent !== null && hideEvent.defaultPrevented)) { return } this._activate(this._element, listElement) const complete = () => { EventHandler.trigger(previous, EVENT_HIDDEN, { relatedTarget: this._element }) EventHandler.trigger(this._element, EVENT_SHOWN, { relatedTarget: previous }) } if (target) { this._activate(target, target.parentNode, complete) } else { complete() } } // Private _activate(element, container, callback) { const activeElements = container && (container.nodeName === 'UL' || container.nodeName === 'OL') ? SelectorEngine.find(SELECTOR_ACTIVE_UL, container) : SelectorEngine.children(container, SELECTOR_ACTIVE) const active = activeElements[0] const isTransitioning = callback && (active && active.classList.contains(CLASS_NAME_FADE)) const complete = () => this._transitionComplete(element, active, callback) if (active && isTransitioning) { const transitionDuration = getTransitionDurationFromElement(active) active.classList.remove(CLASS_NAME_SHOW) EventHandler.one(active, 'transitionend', complete) emulateTransitionEnd(active, transitionDuration) } else { complete() } } _transitionComplete(element, active, callback) { if (active) { active.classList.remove(CLASS_NAME_ACTIVE) const dropdownChild = SelectorEngine.findOne(SELECTOR_DROPDOWN_ACTIVE_CHILD, active.parentNode) if (dropdownChild) { dropdownChild.classList.remove(CLASS_NAME_ACTIVE) } if (active.getAttribute('role') === 'tab') { active.setAttribute('aria-selected', false) } } element.classList.add(CLASS_NAME_ACTIVE) if (element.getAttribute('role') === 'tab') { element.setAttribute('aria-selected', true) } reflow(element) if (element.classList.contains(CLASS_NAME_FADE)) { element.classList.add(CLASS_NAME_SHOW) } if (element.parentNode && element.parentNode.classList.contains(CLASS_NAME_DROPDOWN_MENU)) { const dropdownElement = element.closest(SELECTOR_DROPDOWN) if (dropdownElement) { SelectorEngine.find(SELECTOR_DROPDOWN_TOGGLE) .forEach(dropdown => dropdown.classList.add(CLASS_NAME_ACTIVE)) } element.setAttribute('aria-expanded', true) } if (callback) { callback() } } // Static static jQueryInterface(config) { return this.each(function () { const data = Data.getData(this, DATA_KEY) || new Tab(this) if (typeof config === 'string') { if (typeof data[config] === 'undefined') { throw new TypeError(`No method named "${config}"`) } data[config]() } }) } } /** * ------------------------------------------------------------------------ * Data Api implementation * ------------------------------------------------------------------------ */ EventHandler.on(document, EVENT_CLICK_DATA_API, SELECTOR_DATA_TOGGLE, function (event) { event.preventDefault() const data = Data.getData(this, DATA_KEY) || new Tab(this) data.show() }) /** * ------------------------------------------------------------------------ * jQuery * ------------------------------------------------------------------------ * add .Tab to jQuery only if jQuery is present */ defineJQueryPlugin(NAME, Tab) export default Tab
28.73991
128
0.602746
c8835c8b12cbb746ca5c1199a9faf0b460a7cf7d
8,520
js
JavaScript
tests/acceptance/tariff-plan/tp-destinations/index-test.js
cgrates-web/cgrates_web_frontend
9d956b43b926877ad033171d247db07f67e4c8b0
[ "MIT" ]
2
2019-09-22T12:08:59.000Z
2021-03-21T11:26:57.000Z
tests/acceptance/tariff-plan/tp-destinations/index-test.js
cgrates-web/cgrates_web_frontend
9d956b43b926877ad033171d247db07f67e4c8b0
[ "MIT" ]
8
2017-10-03T07:32:24.000Z
2022-02-12T12:59:23.000Z
tests/acceptance/tariff-plan/tp-destinations/index-test.js
cgrates-web/cgrates_web_frontend
9d956b43b926877ad033171d247db07f67e4c8b0
[ "MIT" ]
11
2017-09-20T05:31:40.000Z
2021-10-20T15:11:12.000Z
import { describe, it, beforeEach } from 'mocha'; import { expect } from 'chai'; import { setupApplicationTest } from 'ember-mocha'; import { authenticateSession } from 'ember-simple-auth/test-support'; import setupMirage from 'ember-cli-mirage/test-support/setup-mirage'; import { visit, click, find, findAll, currentRouteName, fillIn, currentURL, } from '@ember/test-helpers'; import { isBlank } from '@ember/utils'; describe('Acceptance: TpDestinations.Index', function () { let hooks = setupApplicationTest(); setupMirage(hooks); beforeEach(async function () { this.tariffPlan = server.create('tariff-plan', { id: '1', name: 'Test', alias: 'tptest', }); this.tpDestinations = server.createList('tp-destination', 2, { tpid: this.tariffPlan.alias, }); this.other = server.createList('tp-destination', 2, { tpid: 'other' }); const user = server.create('user'); await authenticateSession({ email: 'user@example.com', user_id: user.id }); }); describe('visit /tariff-plans/1/tp-destinations', () => it('renders table with tp-destinations', async function () { await visit('/tariff-plans/1/tp-destinations'); expect(find('main h2')).to.have.trimmed.text('TpDestinations list'); expect(findAll('table tbody tr').length).to.eq(2); })); describe('server responsed with meta: total_records', function () { it('displays total records', async function () { server.get('/tp-destinations', function () { return { data: [], meta: { total_records: 55 } }; }); await visit('/tariff-plans/1/tp-destinations'); expect(find('.tp-total-records').textContent.trim()).to.eq('Total: 55'); }); }); describe('select tp-destination', () => it('reditects to tp-destination page', async function () { await visit('/tariff-plans/1/tp-destinations'); await click('table tbody tr:first-child td:first-child a'); expect(currentRouteName()).to.equal( 'tariff-plan.tp-destinations.tp-destination.index' ); })); describe('click edit button', () => it('reditects to edit tp-destination page', async function () { await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-destination-edit]'); expect(currentRouteName()).to.equal( 'tariff-plan.tp-destinations.tp-destination.edit' ); })); describe('click remove button', () => it('removes tp-destination', async function () { await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-destination-remove]'); expect(findAll('table tbody tr').length).to.eq(1); })); describe('click add button', () => it('redirects to new tp-destination page', async function () { await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-add]'); expect(currentRouteName()).to.equal('tariff-plan.tp-destinations.new'); })); const setFilters = async () => { await fillIn('[data-test-filter-tag] input', 'tagtest'); await fillIn('[data-test-filter-prefix] input', '+44'); }; const expectFiltersQueryParams = (request) => { expect(request.queryParams['tpid']).to.eq('tptest'); expect(request.queryParams['filter[tag]']).to.eq('tagtest'); expect(request.queryParams['filter[prefix]']).to.eq('+44'); }; describe('set filters and click search button', () => it('makes a correct filter query', async function () { let counter = 0; server.get('/tp-destinations/', function (schema, request) { counter = counter + 1; const filterTag = request.queryParams['filter[tag]']; const filterPrefix = request.queryParams['filter[prefix]']; switch (counter) { case 1: expect(isBlank(filterTag)).to.eq(true); expect(isBlank(filterPrefix)).to.eq(true); break; default: expectFiltersQueryParams(request); } return { data: [{ id: '1', type: 'tp-destination' }] }; }); await visit('/tariff-plans/1/tp-destinations'); await setFilters(); await click('[data-test-filter-search-btn]'); expect(counter).to.eq(2); })); describe('filter and click download csv', function () { it('sends request to the server with filters', async function () { let expectRequestToBeCorrect = () => expect(false).to.eq(true); server.get('/tp-destinations/export-to-csv/', function ( _schema, request ) { expectRequestToBeCorrect = () => { expectFiltersQueryParams(request); }; return { data: [{ id: '1', type: 'tp-destination' }] }; }); await visit('/tariff-plans/1/tp-destinations'); await setFilters(); await click('[data-test-filter-search-btn]'); await click('[data-test-download]'); expectRequestToBeCorrect(); }); }); describe('click to upload csv link', function () { it('redirects to upload csv page', async function () { await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-upload]'); expect(currentURL()).to.eq('/tariff-plans/1/tp-destinations/csv-import'); }); }); describe('click refresh button', function () { it('makes a correct query', async function () { let expectRequestToBeCorrect = () => expect(false).to.eq(true); server.get('/tp-destinations/', function (_schema, request) { expectRequestToBeCorrect = () => { expectFiltersQueryParams(request); }; return { data: [{ id: '1', type: 'tp-destination' }] }; }); await visit('/tariff-plans/1/tp-destinations'); await setFilters(); await click('[data-test-filter-search-btn]'); await click('[data-test-refresh]'); expectRequestToBeCorrect(); }); }); describe('filter and delete all', function () { let expectRequestToBeCorrect = () => expect(false).to.eq(true); beforeEach(async function () { server.post('/tp-destinations/delete-all', function (_schema, request) { expectRequestToBeCorrect = () => { const params = JSON.parse(request.requestBody); expect(params.tpid).to.eq('tptest'); expect(params.filter.tag).to.eq('tagtest'); expect(params.filter.prefix).to.eq('+44'); }; return { tp_destination: { id: '0' } }; }); await visit('/tariff-plans/1/tp-destinations'); await setFilters(); await click('[data-test-filter-search-btn]'); await click('[data-test-delete-all]'); }); it('sends request to the server with filters', function () { expectRequestToBeCorrect(); }); it('shows success flash message', function () { expect(find('.flash-message.alert-success')).to.exist; }); }); describe('click column header', () => it('makes a correct sort query', async function () { let counter = 0; server.get('/tp-destinations/', function (schema, request) { counter = counter + 1; const sort = request.queryParams['sort']; switch (counter) { case 1: expect(sort).to.eq('-id'); break; case 2: expect(sort).to.eq('tag'); break; default: expect(sort).to.eq('-tag'); } return { data: [{ id: '1', type: 'tp-destination' }] }; }); await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-sort-tag] a'); await click('[data-test-sort-tag] a'); expect(counter).to.eq(3); })); describe('click pagination link', () => it('makes a correct pagination query', async function () { let counter = 0; server.get('/tp-destinations/', function (schema, request) { counter = counter + 1; const pagePage = request.queryParams['page[page]']; const pagePageSize = request.queryParams['page[page-size]']; switch (counter) { case 1: expect(pagePage).to.eq('1'); expect(pagePageSize).to.eq('10'); break; default: expect(pagePage).to.eq('2'); expect(pagePageSize).to.eq('10'); } return { data: [{ id: '1', type: 'tp-destination' }], meta: { total_pages: 2 }, }; }); await visit('/tariff-plans/1/tp-destinations'); await click('[data-test-pagination-forward]'); expect(counter).to.eq(2); })); });
35.061728
79
0.596127
c883db17ec4c10f234f2f7cfeeb810c5922cf9d9
3,012
js
JavaScript
src/js/common/storage.js
mierzwid/TimeMaster
d9ed19b23de261acbe2d1e1c7b3578de08fb263c
[ "Apache-2.0" ]
4
2017-09-12T10:13:57.000Z
2017-11-27T14:03:53.000Z
src/js/common/storage.js
mierzwid/TimeMaster
d9ed19b23de261acbe2d1e1c7b3578de08fb263c
[ "Apache-2.0" ]
1
2017-09-25T09:53:07.000Z
2017-09-27T19:38:46.000Z
src/js/common/storage.js
mierzwid/TimeMaster
d9ed19b23de261acbe2d1e1c7b3578de08fb263c
[ "Apache-2.0" ]
2
2017-09-13T19:40:49.000Z
2017-10-13T09:14:05.000Z
/******************************************************************************* * Copyright © 2017 Hoffmann-La Roche * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. ******************************************************************************/ import log from './log.js'; // Storage based on chrome extension storage mechanism: https://developer.chrome.com/extensions/storage const save = function (id, object) { let storageObject = {[id]: object}; const savePromise = new Promise((resolve, reject) => { chrome.storage.local.set(storageObject, function() { if (chrome.runtime.lastError) { reject('Unable to save objects to storage: ' + chrome.runtime.lastError); } else { log.info('Object saved to storage:', id, '=', JSON.stringify(object)); resolve(object); } }); }); return savePromise; }; const get = function (id){ const getObjectPromise = new Promise((resolve, reject) => { chrome.storage.local.get(id, function(storageObject){ if (storageObject && storageObject[id]){ const object = storageObject[id]; log.info('Object read from storage: ', id, '=', JSON.stringify(object)); resolve(object); } else { reject('Object not found for id: '+id); } }); }); return getObjectPromise; }; const getAll = function () { const getAllPromise = new Promise((resolve, reject) => { chrome.storage.local.get(null, function(allItems){ if (chrome.runtime.lastError) { reject('Unable to get all items from storage: ' + chrome.runtime.lastError); } else { log.info('Keys currently in the storage:', Object.keys(allItems)); resolve(allItems); } }); }); return getAllPromise; }; const remove = function (ids) { const removePromise = new Promise((resolve, reject) => { chrome.storage.local.remove(ids, function () { if (chrome.runtime.lastError) { reject('Unable to remove objects from storage: ' + chrome.runtime.lastError); } else { log.info('Keys removed from storage:', ids); resolve(); } }); }); return removePromise; }; const storage = { save: save, get: get, getAll: getAll, remove: remove }; export default storage;
33.842697
103
0.564741
c884947ff2d294900591de392380d95b421cc8f3
197
js
JavaScript
test/spec/test.merge.es6.js
jamesrhaley/es2015-babel-gulp-jasmine
5170ecb96d5a15f47fc8a979b239637378a3f5b0
[ "MIT" ]
null
null
null
test/spec/test.merge.es6.js
jamesrhaley/es2015-babel-gulp-jasmine
5170ecb96d5a15f47fc8a979b239637378a3f5b0
[ "MIT" ]
null
null
null
test/spec/test.merge.es6.js
jamesrhaley/es2015-babel-gulp-jasmine
5170ecb96d5a15f47fc8a979b239637378a3f5b0
[ "MIT" ]
null
null
null
import { mergeSort } from '../../src/js/mergeSort/mergeSort'; describe('mergeSort', () => { it('sort', () => { expect(mergeSort([3,2,5], (a,b) => a < b )).toEqual([2,3,5]); }); });
28.142857
69
0.492386
c8850c77362abb194c84b45b31278ccd86de6d99
1,072
js
JavaScript
src/ipc/files.js
EyeTrackingCSE/client
ce60f3e855c484b174470373271076ee7609887a
[ "Apache-2.0" ]
10
2021-01-27T06:41:55.000Z
2022-03-07T13:41:28.000Z
src/ipc/files.js
EyeTrackingCSE/client
ce60f3e855c484b174470373271076ee7609887a
[ "Apache-2.0" ]
1
2021-02-22T02:32:05.000Z
2021-02-22T02:32:05.000Z
src/ipc/files.js
EyeTrackingCSE/client
ce60f3e855c484b174470373271076ee7609887a
[ "Apache-2.0" ]
null
null
null
const { ipcMain, dialog } = require('electron'); const fs = require('fs'); const { events } = require('../constants/index'); /** * When the user wishes to save a file, * open the windows save file dialog. * * Save the string to the file */ ipcMain.on(events.SYNC_SAVE_FILE, (event, arg) => { let filename = dialog.showSaveDialogSync(); if (!filename.length) return; let path = `${filename}.txt`; // Write arg to filename console.log(`Writing ${arg} to ${path}`); fs.writeFileSync(filename, arg); }); /** * When the user wishes to load a file, open * the windows open dialog and read the content. Send the * content back over IPC. */ ipcMain.on(events.SYNC_LOAD_FILE, (event, arg) => { filenames = dialog.showOpenDialogSync(); if (filenames.length > 1) { throw new Error("User selected too many files."); } let content = fs.readFileSync(filenames[0], { encoding: 'utf8', flag: 'r' }); console.log(`Read ${content} from ${filenames[0]}`); event.reply(events.SYNC_FILE_CONTENT, content); });
25.52381
81
0.639925
c885e0a8c470a43a2b22b7f39d26384d4a0214d9
423
js
JavaScript
bin/server.js
sleep-atomic/sleep-atomic
7e0cd23cc448be454e7660cce2603be9c287847a
[ "CC0-1.0" ]
null
null
null
bin/server.js
sleep-atomic/sleep-atomic
7e0cd23cc448be454e7660cce2603be9c287847a
[ "CC0-1.0" ]
1
2020-09-15T01:36:11.000Z
2020-09-22T01:37:19.000Z
bin/server.js
sleep-atomic/sleep-atomic
7e0cd23cc448be454e7660cce2603be9c287847a
[ "CC0-1.0" ]
null
null
null
#!/usr/bin/env node /* Author: Drewry Pope * Any copyright is dedicated to the Public Domain. * https://creativecommons.org/publicdomain/zero/1.0/ */ import { sleepWithLog } from 'sleep-atomic' import path from 'path'; console.log('{ "app" : "' + path.basename(path.dirname(process.argv[1])) + '" } , "details" : { "directly-called": true } }'); sleepWithLog((process.argv[2] || process.env.SLEEP_SECONDS || 10) * 1000);
47
126
0.678487
c88645e83770326308b9a6f614fefd5c1f449abc
3,053
js
JavaScript
kliq-admin/src/views/components/accordion/AccordionHover.js
kliqadmin/kliq.club
64394200faafd73e52072524d593442b74439667
[ "MIT" ]
null
null
null
kliq-admin/src/views/components/accordion/AccordionHover.js
kliqadmin/kliq.club
64394200faafd73e52072524d593442b74439667
[ "MIT" ]
1
2022-02-06T16:24:17.000Z
2022-02-06T16:24:17.000Z
kliq-admin/src/views/components/accordion/AccordionHover.js
kliqadmin/kliq.club
64394200faafd73e52072524d593442b74439667
[ "MIT" ]
null
null
null
// ** React Imports import { useState } from 'react' // ** Reactstrap Imports import { Accordion, AccordionBody, AccordionHeader, AccordionItem } from 'reactstrap' const AccordionHover = () => { // ** State const [open, setOpen] = useState('') const toggle = id => { open === id ? setOpen() : setOpen(id) } return ( <Accordion open={open} toggle={toggle}> <AccordionItem onMouseEnter={() => toggle('1')} onMouseLeave={() => toggle('1')}> <AccordionHeader targetId='1'>Accordion Item 1</AccordionHeader> <AccordionBody accordionId='1'> Gummi bears toffee soufflé jelly carrot cake pudding sweet roll bear claw. Sweet roll gingerbread wafer liquorice cake tiramisu. Gummi bears caramels bonbon icing croissant lollipop topping lollipop danish. Marzipan tootsie roll bonbon toffee icing lollipop cotton candy pie gummies. Gingerbread bear claw chocolate cake bonbon. Liquorice marzipan cotton candy liquorice tootsie roll macaroon marzipan danish. </AccordionBody> </AccordionItem> <AccordionItem onMouseEnter={() => toggle('2')} onMouseLeave={() => toggle('2')}> <AccordionHeader targetId='2'>Accordion Item 2</AccordionHeader> <AccordionBody accordionId='2'> Soufflé sugar plum bonbon lemon drops candy canes icing brownie. Dessert tart dessert apple pie. Muffin wafer cookie. Soufflé fruitcake lollipop chocolate bar. Muffin gummi bears marzipan sesame snaps gummi bears topping toffee. Cupcake bonbon muffin. Cake caramels candy lollipop cheesecake bonbon soufflé apple pie cake. </AccordionBody> </AccordionItem> <AccordionItem onMouseEnter={() => toggle('3')} onMouseLeave={() => toggle('3')}> <AccordionHeader targetId='3'>Accordion Item 3</AccordionHeader> <AccordionBody accordionId='3'> Soufflé sugar plum bonbon lemon drops candy canes icing brownie. Dessert tart dessert apple pie. Muffin wafer cookie. Soufflé fruitcake lollipop chocolate bar. Muffin gummi bears marzipan sesame snaps gummi bears topping toffee. Cupcake bonbon muffin. Cake caramels candy lollipop cheesecake bonbon soufflé apple pie cake. </AccordionBody> </AccordionItem> <AccordionItem onMouseEnter={() => toggle('4')} onMouseLeave={() => toggle('4')}> <AccordionHeader targetId='4'>Accordion Item 4</AccordionHeader> <AccordionBody accordionId='4'> Marzipan candy apple pie icing. Sweet roll pudding dragée icing icing cookie pie fruitcake caramels. Bonbon candy canes candy canes. Dragée jelly beans chocolate bar dragée biscuit fruitcake gingerbread toffee apple pie. Gingerbread donut powder ice cream sesame snaps jelly beans oat cake. Candy wafer pudding dragée gummies. Carrot cake macaroon cake sesame snaps caramels. </AccordionBody> </AccordionItem> </Accordion> ) } export default AccordionHover
55.509091
121
0.687193
c8865200fe5301125eed2782d6ad2e80ac11d952
11,969
js
JavaScript
dist/_nuxt/28fff6c.js
webdozerz/crypton-frontend-tips
cb1ebe5d699dda4196d7ef89cd425abf65965105
[ "MIT" ]
null
null
null
dist/_nuxt/28fff6c.js
webdozerz/crypton-frontend-tips
cb1ebe5d699dda4196d7ef89cd425abf65965105
[ "MIT" ]
null
null
null
dist/_nuxt/28fff6c.js
webdozerz/crypton-frontend-tips
cb1ebe5d699dda4196d7ef89cd425abf65965105
[ "MIT" ]
null
null
null
(window.webpackJsonp=window.webpackJsonp||[]).push([[3],{311:function(t,e,r){"use strict";var o=r(162);e.a=o.a},329:function(t,e,r){var content=r(330);content.__esModule&&(content=content.default),"string"==typeof content&&(content=[[t.i,content,""]]),content.locals&&(t.exports=content.locals);(0,r(16).default)("5db1c400",content,!0,{sourceMap:!1})},330:function(t,e,r){var o=r(15)(!1);o.push([t.i,'.theme--light.v-alert .v-alert--prominent .v-alert__icon:after{background:rgba(0,0,0,.12)}.theme--dark.v-alert .v-alert--prominent .v-alert__icon:after{background:hsla(0,0%,100%,.12)}.v-sheet.v-alert{border-radius:4px}.v-sheet.v-alert:not(.v-sheet--outlined){box-shadow:0 0 0 0 rgba(0,0,0,.2),0 0 0 0 rgba(0,0,0,.14),0 0 0 0 rgba(0,0,0,.12)}.v-sheet.v-alert.v-sheet--shaped{border-radius:24px 4px}.v-alert{display:block;font-size:16px;margin-bottom:16px;padding:16px;position:relative;transition:.3s cubic-bezier(.25,.8,.5,1)}.v-alert:not(.v-sheet--tile){border-radius:4px}.v-application--is-ltr .v-alert>.v-alert__content,.v-application--is-ltr .v-alert>.v-icon{margin-right:16px}.v-application--is-rtl .v-alert>.v-alert__content,.v-application--is-rtl .v-alert>.v-icon{margin-left:16px}.v-application--is-ltr .v-alert>.v-icon+.v-alert__content{margin-right:0}.v-application--is-rtl .v-alert>.v-icon+.v-alert__content{margin-left:0}.v-application--is-ltr .v-alert>.v-alert__content+.v-icon{margin-right:0}.v-application--is-rtl .v-alert>.v-alert__content+.v-icon{margin-left:0}.v-alert__border{border-style:solid;border-width:4px;content:"";position:absolute}.v-alert__border:not(.v-alert__border--has-color){opacity:.26}.v-alert__border--left,.v-alert__border--right{bottom:0;top:0}.v-alert__border--bottom,.v-alert__border--top{left:0;right:0}.v-alert__border--bottom{border-bottom-left-radius:inherit;border-bottom-right-radius:inherit;bottom:0}.v-application--is-ltr .v-alert__border--left{border-top-left-radius:inherit;border-bottom-left-radius:inherit;left:0}.v-application--is-ltr .v-alert__border--right,.v-application--is-rtl .v-alert__border--left{border-top-right-radius:inherit;border-bottom-right-radius:inherit;right:0}.v-application--is-rtl .v-alert__border--right{border-top-left-radius:inherit;border-bottom-left-radius:inherit;left:0}.v-alert__border--top{border-top-left-radius:inherit;border-top-right-radius:inherit;top:0}.v-alert__content{flex:1 1 auto}.v-application--is-ltr .v-alert__dismissible{margin:-16px -8px -16px 8px}.v-application--is-rtl .v-alert__dismissible{margin:-16px 8px -16px -8px}.v-alert__icon{align-self:flex-start;border-radius:50%;height:24px;min-width:24px;position:relative}.v-application--is-ltr .v-alert__icon{margin-right:16px}.v-application--is-rtl .v-alert__icon{margin-left:16px}.v-alert__icon.v-icon{font-size:24px}.v-alert__wrapper{align-items:center;border-radius:inherit;display:flex}.v-application--is-ltr .v-alert--border.v-alert--prominent .v-alert__icon{margin-left:8px}.v-application--is-rtl .v-alert--border.v-alert--prominent .v-alert__icon{margin-right:8px}.v-alert--dense{padding-top:8px;padding-bottom:8px}.v-alert--dense .v-alert__border{border-width:medium}.v-alert--outlined{background:transparent!important;border:thin solid!important}.v-alert--outlined .v-alert__icon{color:inherit!important}.v-alert--prominent .v-alert__icon{align-self:center;height:48px;min-width:48px}.v-alert--prominent .v-alert__icon.v-icon{font-size:32px}.v-alert--prominent .v-alert__icon.v-icon:after{background:currentColor!important;border-radius:50%;bottom:0;content:"";left:0;opacity:.16;position:absolute;right:0;top:0}.v-alert--prominent.v-alert--dense .v-alert__icon.v-icon:after{transform:scale(1)}.v-alert--text{background:transparent!important}.v-alert--text:before{background-color:currentColor;border-radius:inherit;bottom:0;content:"";left:0;opacity:.12;position:absolute;pointer-events:none;right:0;top:0}',""]),t.exports=o},335:function(t,e,r){"use strict";r(3),r(2),r(1),r(4),r(5);var o=r(0),n=(r(45),r(329),r(76)),l=r(311),c=r(90),d=r(49),v=r(33),h=r(7).default.extend({name:"transitionable",props:{mode:String,origin:String,transition:String}}),_=r(11),m=r(14);function f(object,t){var e=Object.keys(object);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(object);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(object,t).enumerable}))),e.push.apply(e,r)}return e}function x(t){for(var i=1;i<arguments.length;i++){var source=null!=arguments[i]?arguments[i]:{};i%2?f(Object(source),!0).forEach((function(e){Object(o.a)(t,e,source[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(source)):f(Object(source)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(source,e))}))}return t}e.a=Object(_.a)(n.a,d.a,h).extend({name:"v-alert",props:{border:{type:String,validator:function(t){return["top","right","bottom","left"].includes(t)}},closeLabel:{type:String,default:"$vuetify.close"},coloredBorder:Boolean,dense:Boolean,dismissible:Boolean,closeIcon:{type:String,default:"$cancel"},icon:{default:"",type:[Boolean,String],validator:function(t){return"string"==typeof t||!1===t}},outlined:Boolean,prominent:Boolean,text:Boolean,type:{type:String,validator:function(t){return["info","error","success","warning"].includes(t)}},value:{type:Boolean,default:!0}},computed:{__cachedBorder:function(){if(!this.border)return null;var data={staticClass:"v-alert__border",class:Object(o.a)({},"v-alert__border--".concat(this.border),!0)};return this.coloredBorder&&((data=this.setBackgroundColor(this.computedColor,data)).class["v-alert__border--has-color"]=!0),this.$createElement("div",data)},__cachedDismissible:function(){var t=this;if(!this.dismissible)return null;var e=this.iconColor;return this.$createElement(l.a,{staticClass:"v-alert__dismissible",props:{color:e,icon:!0,small:!0},attrs:{"aria-label":this.$vuetify.lang.t(this.closeLabel)},on:{click:function(){return t.isActive=!1}}},[this.$createElement(c.a,{props:{color:e}},this.closeIcon)])},__cachedIcon:function(){return this.computedIcon?this.$createElement(c.a,{staticClass:"v-alert__icon",props:{color:this.iconColor}},this.computedIcon):null},classes:function(){var t=x(x({},n.a.options.computed.classes.call(this)),{},{"v-alert--border":Boolean(this.border),"v-alert--dense":this.dense,"v-alert--outlined":this.outlined,"v-alert--prominent":this.prominent,"v-alert--text":this.text});return this.border&&(t["v-alert--border-".concat(this.border)]=!0),t},computedColor:function(){return this.color||this.type},computedIcon:function(){return!1!==this.icon&&("string"==typeof this.icon&&this.icon?this.icon:!!["error","info","success","warning"].includes(this.type)&&"$".concat(this.type))},hasColoredIcon:function(){return this.hasText||Boolean(this.border)&&this.coloredBorder},hasText:function(){return this.text||this.outlined},iconColor:function(){return this.hasColoredIcon?this.computedColor:void 0},isDark:function(){return!(!this.type||this.coloredBorder||this.outlined)||v.a.options.computed.isDark.call(this)}},created:function(){this.$attrs.hasOwnProperty("outline")&&Object(m.a)("outline","outlined",this)},methods:{genWrapper:function(){var t=[this.$slots.prepend||this.__cachedIcon,this.genContent(),this.__cachedBorder,this.$slots.append,this.$scopedSlots.close?this.$scopedSlots.close({toggle:this.toggle}):this.__cachedDismissible];return this.$createElement("div",{staticClass:"v-alert__wrapper"},t)},genContent:function(){return this.$createElement("div",{staticClass:"v-alert__content"},this.$slots.default)},genAlert:function(){var data={staticClass:"v-alert",attrs:{role:"alert"},on:this.listeners$,class:this.classes,style:this.styles,directives:[{name:"show",value:this.isActive}]};this.coloredBorder||(data=(this.hasText?this.setTextColor:this.setBackgroundColor)(this.computedColor,data));return this.$createElement("div",data,[this.genWrapper()])},toggle:function(){this.isActive=!this.isActive}},render:function(t){var e=this.genAlert();return this.transition?t("transition",{props:{name:this.transition,origin:this.origin,mode:this.mode}},[e]):e}})},353:function(t,e,r){"use strict";r.r(e);var o={name:"Axios"},n=r(75),l=r(163),c=r.n(l),d=r(335),component=Object(n.a)(o,(function(){var t=this,e=t.$createElement,r=t._self._c||e;return r("div",[r("h4",[t._v("Работа с Axios")]),t._v(" "),t._m(0),t._v(" "),r("p",[t._v("\n Реализуем обычные запросы. Условно это можно разделить на несколько этапов:\n ")]),t._v(" "),t._m(1),t._v(" "),r("p",[t._v("\n Пример, реализующий получение данных (GET запрос):\n ")]),t._v(" "),r("div",{directives:[{name:"highlight",rawName:"v-highlight"}],staticClass:"code"},[t._m(2)]),t._v("\n Пример, реализующий отправку данных (POST запрос):\n "),r("div",{directives:[{name:"highlight",rawName:"v-highlight"}],staticClass:"code"},[t._m(3)]),t._v(" "),r("v-alert",{staticClass:"code mt-3",attrs:{type:"info",dense:"",outlined:""}},[r("p",{staticClass:"mb-0"},[t._v("\n Вы всегда можете найти подробную документацию по нужным методам, добавив к url "),r("code",[t._v("/api/documentation")]),t._v(". Например:\n "),r("a",{staticClass:"red--text",attrs:{href:"https://devnet-gate.decimalchain.com/api/documentation#/",target:"_blank"}},[t._v("https://devnet-gate.decimalchain.com/api/documentation#/")])])])],1)}),[function(){var t=this,e=t.$createElement,r=t._self._c||e;return r("p",{staticClass:"mt-2"},[t._v("\n Для обмена данными с backend, необходимо использовать библиотеку "),r("code",[t._v("axios")]),t._v(".\n ")])},function(){var t=this,e=t.$createElement,r=t._self._c||e;return r("ul",[r("li",[t._v("\n Создание "),r("code",[t._v("actions")]),t._v(", "),r("code",[t._v("mutations")]),t._v(" (если необходимо) во Vuex.\n ")]),t._v(" "),r("li",[t._v("\n Создание функции в "),r("code",[t._v("methods")]),t._v(".\n ")]),t._v(" "),r("li",[t._v("\n Использование конструкции "),r("code",[t._v("try...catch")]),t._v(" внутри функции.\n ")]),t._v(" "),r("li",[t._v("\n Вызов "),r("code",[t._v("actions")]),t._v(" внутри конструкции.\n ")])])},function(){var t=this,e=t.$createElement,r=t._self._c||e;return r("pre",{staticClass:"language-javascript"},[t._v(" "),r("code",[t._v("\n // внутри methods\n async getSomethingData() {\n try {\n const response = await this.$store.dispatch('fetchSomething');\n if (response?.ok) {\n // do something\n }\n } catch (e) {\n // do something\n }\n };\n\n // внутри actions\n async fetchSomething({ commit }) {\n const response = await this.$axios.$get('https://example.com/api/method');\n // commit('setSomething', response.result);\n return response;\n }\n ")]),t._v("\n ")])},function(){var t=this,e=t.$createElement,r=t._self._c||e;return r("pre",{staticClass:"language-javascript"},[t._v(" "),r("code",[t._v("\n // внутри methods\n async sendSomethingData() {\n try {\n const payload = {\n variable: this.value, // Берем из data || computed\n };\n\n const response = await this.$store.dispatch('postSomething', payload);\n if (response?.ok) {\n // do something\n }\n } catch (e) {\n // do something\n }\n };\n\n // внутри actions\n async postSomething({ commit }, payload) {\n const response = await this.$axios.$post('https://example.com/api/method', payload);\n // commit('setSomething', response.result);\n return response;\n }\n ")]),t._v("\n ")])}],!1,null,"a3719aa4",null);e.default=component.exports;c()(component,{VAlert:d.a})}}]);
11,969
11,969
0.691369
c886817799fdc624c3c66dbab3ed3b1cdba74531
2,869
js
JavaScript
apps/mediawiki/htdocs/resources/src/mediawiki/mediawiki.log.js
ramonperezVRB/WikiVote
11ebba66f26884f701b84bd2879780c60e4afedb
[ "ECL-2.0", "Apache-2.0" ]
null
null
null
apps/mediawiki/htdocs/resources/src/mediawiki/mediawiki.log.js
ramonperezVRB/WikiVote
11ebba66f26884f701b84bd2879780c60e4afedb
[ "ECL-2.0", "Apache-2.0" ]
null
null
null
apps/mediawiki/htdocs/resources/src/mediawiki/mediawiki.log.js
ramonperezVRB/WikiVote
11ebba66f26884f701b84bd2879780c60e4afedb
[ "ECL-2.0", "Apache-2.0" ]
null
null
null
/*! * Logger for MediaWiki javascript. * Implements the stub left by the main 'mediawiki' module. * * @author Michael Dale <mdale@wikimedia.org> * @author Trevor Parscal <tparscal@wikimedia.org> */ ( function ( mw, $ ) { // Keep reference to the dummy placeholder from mediawiki.js // The root is replaced below, but it has other methods that we need to restore. var original = mw.log, slice = Array.prototype.slice; /** * Logs a message to the console in debug mode. * * In the case the browser does not have a console API, a console is created on-the-fly by appending * a `<div id="mw-log-console">` element to the bottom of the body and then appending this and future * messages to that, instead of the console. * * @member mw.log * @param {...string} msg Messages to output to console. */ mw.log = function () { // Turn arguments into an array var args = slice.call( arguments ), // Allow log messages to use a configured prefix to identify the source window (ie. frame) prefix = mw.config.exists( 'mw.log.prefix' ) ? mw.config.get( 'mw.log.prefix' ) + '> ' : ''; // Try to use an existing console // Generally we can cache this, but in this case we want to re-evaluate this as a // global property live so that things like Firebug Lite can take precedence. if ( window.console && window.console.log && window.console.log.apply ) { args.unshift( prefix ); window.console.log.apply( window.console, args ); return; } // If there is no console, use our own log box mw.loader.using( 'jquery.footHovzer', function () { var hovzer, d = new Date(), // Create HH:MM:SS.MIL timestamp time = ( d.getHours() < 10 ? '0' + d.getHours() : d.getHours() ) + ':' + ( d.getMinutes() < 10 ? '0' + d.getMinutes() : d.getMinutes() ) + ':' + ( d.getSeconds() < 10 ? '0' + d.getSeconds() : d.getSeconds() ) + '.' + ( d.getMilliseconds() < 10 ? '00' + d.getMilliseconds() : ( d.getMilliseconds() < 100 ? '0' + d.getMilliseconds() : d.getMilliseconds() ) ), $log = $( '#mw-log-console' ); if ( !$log.length ) { $log = $( '<div id="mw-log-console"></div>' ).css( { overflow: 'auto', height: '150px', backgroundColor: 'white', borderTop: 'solid 2px #ADADAD' } ); hovzer = $.getFootHovzer(); hovzer.$.append( $log ); hovzer.update(); } $log.append( $( '<div>' ) .css( { borderBottom: 'solid 1px #DDDDDD', fontSize: 'small', fontFamily: 'monospace', whiteSpace: 'pre-wrap', padding: '0.125em 0.25em' } ) .text( prefix + args.join( ', ' ) ) .prepend( '<span style="float: right;">[' + time + ']</span>' ) ); } ); }; // Restore original methods mw.log.warn = original.warn; mw.log.error = original.error; mw.log.deprecate = original.deprecate; }( mediaWiki, jQuery ) );
33.752941
151
0.614151
c886c5b4e9d26b93e361253b183304c6383c020f
14,631
js
JavaScript
webapi/webapi-realsense-xwalk-tests/realsense/sceneperception.js
zqzhang/crosswalk-test-suite
76c177279d7554c0c2b00b3060cab92f2a7b7810
[ "BSD-3-Clause" ]
null
null
null
webapi/webapi-realsense-xwalk-tests/realsense/sceneperception.js
zqzhang/crosswalk-test-suite
76c177279d7554c0c2b00b3060cab92f2a7b7810
[ "BSD-3-Clause" ]
null
null
null
webapi/webapi-realsense-xwalk-tests/realsense/sceneperception.js
zqzhang/crosswalk-test-suite
76c177279d7554c0c2b00b3060cab92f2a7b7810
[ "BSD-3-Clause" ]
null
null
null
/* Copyright (c) 2016 Intel Corporation. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of works must retain the original copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the original copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of Intel Corporation nor the names of its contributors may be used to endorse or promote products derived from this work without specific prior written permission. THIS SOFTWARE IS PROVIDED BY INTEL CORPORATION "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL INTEL CORPORATION BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ var sp; test(function() { assert_own_property(realsense, "ScenePerception", "realsense should expose ScenePerception"); }, "Check that ScenePerception is present on realsense"); test(function() { sp = realsense.ScenePerception; assert_true(sp instanceof EventTarget, "ScenePerception inherts EventTarget"); }, "Check that ScenePerception inherts from EventTarget"); test(function() { assert_own_property(sp, "init"); assert_equals(typeof sp.init, "function", "sp.init is function type"); }, "Check that init() exists"); test(function() { assert_own_property(sp, "start"); assert_equals(typeof sp.start, "function", "sp.start is function type"); }, "Check that start() exists"); test(function() { assert_own_property(sp, "stop"); assert_equals(typeof sp.stop, "function", "sp.stop is function type"); }, "Check that stop() exists"); test(function() { assert_own_property(sp, "reset"); assert_equals(typeof sp.reset, "function", "sp.reset is function type"); }, "Check that reset() exists"); test(function() { assert_own_property(sp, "destroy"); assert_equals(typeof sp.destroy, "function", "sp.destroy is function type"); }, "Check that destroy() exists"); test(function() { assert_own_property(sp, "enableReconstruction"); assert_equals(typeof sp.enableReconstruction, "function", "sp.enableReconstruction is function type"); }, "Check that enableReconstruction() exists"); test(function() { assert_own_property(sp, "enableRelocalization"); assert_equals(typeof sp.enableRelocalization, "function", "sp.enableRelocalization is function type"); }, "Check that enableRelocalization() exists"); test(function() { assert_own_property(sp, "isReconstructionEnabled"); assert_equals(typeof sp.isReconstructionEnabled, "function", "sp.isReconstructionEnabled is function type"); }, "Check that isReconstructionEnabled() exists"); test(function() { assert_own_property(sp, "getSample"); assert_equals(typeof sp.getSample, "function", "sp.getSample is function type"); }, "Check that getSample() exists"); test(function() { assert_own_property(sp, "getVertices"); assert_equals(typeof sp.getVertices, "function", "sp.getVertices is function type"); }, "Check that getVertices() exists"); test(function() { assert_own_property(sp, "getVolumePreview"); assert_equals(typeof sp.getVolumePreview, "function", "sp.getVolumePreview is function type"); }, "Check that getVolumePreview() exists"); test(function() { assert_own_property(sp, "getNormals"); assert_equals(typeof sp.getNormals, "function", "sp.getNormals is function type"); }, "Check that getNormals() exists"); test(function() { assert_own_property(sp, "queryVolumePreview"); assert_equals(typeof sp.queryVolumePreview, "function", "sp.queryVolumePreview is function type"); }, "Check that queryVolumePreview() exists"); test(function() { assert_own_property(sp, "getVoxelResolution"); assert_equals(typeof sp.getVoxelResolution, "function", "sp.getVoxelResolution is function type"); }, "Check that getVoxelResolution() exists"); test(function() { assert_own_property(sp, "getVoxelSize"); assert_equals(typeof sp.getVoxelSize, "function", "sp.getVoxelSize is function type"); }, "Check that getVoxelSize() exists"); test(function() { assert_own_property(sp, "getInternalCameraIntrinsics"); assert_equals(typeof sp.getInternalCameraIntrinsics, "function", "sp.getInternalCameraIntrinsics is function type"); }, "Check that getInternalCameraIntrinsics() exists"); test(function() { assert_own_property(sp, "getMeshingThresholds"); assert_equals(typeof sp.getMeshingThresholds, "function", "sp.getMeshingThresholds is function type"); }, "Check that getMeshingThresholds() exists"); test(function() { assert_own_property(sp, "getMeshingResolution"); assert_equals(typeof sp.getMeshingResolution, "function", "sp.getMeshingResolution is function type"); }, "Check that getMeshingResolution() exists"); test(function() { assert_own_property(sp, "getMeshData"); assert_equals(typeof sp.getMeshData, "function", "sp.getMeshData is function type"); }, "Check that getMeshData() exists"); test(function() { assert_own_property(sp, "getSurfaceVoxels"); assert_equals(typeof sp.getSurfaceVoxels, "function", "sp.getSurfaceVoxels is function type"); }, "Check that getSurfaceVoxels() exists"); test(function() { assert_own_property(sp, "saveMesh"); assert_equals(typeof sp.saveMesh, "function", "sp.saveMesh is function type"); }, "Check that saveMesh() exists"); test(function() { assert_own_property(sp, "setMeshingResolution"); assert_equals(typeof sp.setMeshingResolution, "function", "sp.setMeshingResolution is function type"); }, "Check that setMeshingResolution() exists"); test(function() { assert_own_property(sp, "setMeshingThresholds"); assert_equals(typeof sp.setMeshingThresholds, "function", "sp.setMeshingThresholds is function type"); }, "Check that setMeshingThresholds() exists"); test(function() { assert_own_property(sp, "setCameraPose"); assert_equals(typeof sp.setCameraPose, "function", "sp.setCameraPose is function type"); }, "Check that setCameraPose() exists"); test(function() { assert_own_property(sp, "setMeshingUpdateConfigs"); assert_equals(typeof sp.setMeshingUpdateConfigs, "function", "sp.setMeshingUpdateConfigs is function type"); }, "Check that setMeshingUpdateConfigs() exists"); test(function() { assert_own_property(sp, "configureSurfaceVoxelsData"); assert_equals(typeof sp.configureSurfaceVoxelsData, "function", "sp.configureSurfaceVoxelsData is function type"); }, "Check that configureSurfaceVoxelsData() exists"); test(function() { assert_own_property(sp, "setMeshingRegion"); assert_equals(typeof sp.setMeshingRegion, "function", "sp.setMeshingRegion is function type"); }, "Check that setMeshingRegion() exists"); test(function() { assert_own_property(sp, "clearMeshingRegion"); assert_equals(typeof sp.clearMeshingRegion, "function", "sp.clearMeshingRegion is function type"); }, "Check that clearMeshingRegion() exists"); test(function() { assert_own_property(sp, "onchecking"); }, "Check that onchecking exists"); test(function() { assert_own_property(sp, "onerror"); }, "Check that onerror exists"); test(function() { assert_own_property(sp, "onmeshupdated"); }, "Check that onmeshupdated exists"); test(function() { assert_own_property(sp, "onsampleprocessed"); }, "Check that onsampleprocessed exists"); async_test(function(t) { sp.init() .then(function() { t.done(); }) .catch(function(ex) { assert_unreached("unreached here, get error: " + ex.name); }); }, "Check that initialize a Scene Perception without config"); async_test(function(t) { sp.start() .then(function() { t.done(); }) .catch(function(ex) { assert_unreached("unreached here, get error: " + ex.name); }); }, "Check that start a scene perception"); promise_test(function() { return sp.isReconstructionEnabled() .then(function(enable) { assert_equals(typeof enable, "boolean"); }) .catch(function(ex) { assert_unreached("unreached here, get error: " + ex.name); }); }, "Check that whether integration of upcoming camera stream into 3D volume is enabled"); promise_test(function() { return sp.enableReconstruction() .then(function() { assert_unreached("unreached here when miss enable parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that enableReconstruction should throw a SPError when miss enable parameter"); promise_test(function() { return sp.enableReconstruction(null) .then(function() { assert_unreached("unreached here when enable is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that enableReconstruction should reject with a SPError when enable is null"); promise_test(function() { return sp.enableRelocalization() .then(function() { assert_unreached("unreached here when miss enable parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that enableRelocalization should reject with a SPError when miss enable parameter"); promise_test(function() { return sp.enableRelocalization(null) .then(function() { assert_unreached("unreached here when enable is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that enableRelocalization should reject with a SPError when enable is null"); promise_test(function() { return sp.getSurfaceVoxels(null) .then(function() { assert_unreached("unreached here when region is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that getSurfaceVoxels should reject with a SPError when region is null"); promise_test(function() { return sp.queryVolumePreview(null) .then(function() { assert_unreached("unreached here when cameraPose is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that queryVolumePreview should reject with a SPError when cameraPose is null"); promise_test(function() { return sp.saveMesh(null) .then(function() { assert_unreached("unreached here when info is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that saveMesh should reject with a SPError when info is null"); promise_test(function() { return sp.setCameraPose() .then(function() { assert_unreached("unreached here when miss cameraPose parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setCameraPose should reject with a SPError when miss cameraPose parameter"); promise_test(function() { return sp.setCameraPose(null) .then(function() { assert_unreached("unreached here when cameraPose is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setCameraPose should throw a Error exception when cameraPose is null"); promise_test(function() { return sp.setMeshingRegion() .then(function() { assert_unreached("unreached here when miss region parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setMeshingRegion should reject with a SPError when miss region parameter"); promise_test(function() { return sp.setMeshingRegion(null) .then(function() { assert_unreached("unreached here when region is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setMeshingRegion should reject with a SPError when region is null"); promise_test(function() { return sp.setMeshingResolution() .then(function() { assert_unreached("unreached here when miss resolution parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setMeshingResolution should reject with a SPError when miss resolution parameter"); promise_test(function() { return sp.setMeshingResolution(null) .then(function() { assert_unreached("unreached here when resolution is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that setMeshingResolution should reject with a SPError when resolution is null"); promise_test(function() { return sp.configureSurfaceVoxelsData() .then(function() { assert_unreached("unreached here when miss config parameter"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that configureSurfaceVoxelsData should reject with a SPError when miss config parameter"); promise_test(function() { return sp.configureSurfaceVoxelsData(null) .then(function() { assert_unreached("unreached here when config is null"); }) .catch(function(ex) { assert_equals(ex.error, "param_unsupported"); }); }, "Check that configureSurfaceVoxelsData should reject with a SPError when config is null"); promise_test(function() { return sp.stop() .then(function() { assert_true(true, "stop successfully"); }) .catch(function(ex) { assert_unreached("unreached here, get error: " + ex.name); }); }, "Check that stop scene perception"); promise_test(function() { return sp.destroy() .then(function() { assert_true(true, "destroy successfully"); }) .catch(function(ex) { assert_unreached("unreached here, get error: " + ex.name); }); }, "Check that destroy scene perception");
37.134518
119
0.70706
c8875859684aa305347bc8a3e4d3e9ed570c29f4
17,905
js
JavaScript
src/vs/css.build.js
sbj42/vscode
3e5c7e2c570a729e664253baceaf443b69e82da6
[ "MIT" ]
2,602
2021-09-14T08:47:10.000Z
2022-03-30T20:54:44.000Z
src/vs/css.build.js
sbj42/vscode
3e5c7e2c570a729e664253baceaf443b69e82da6
[ "MIT" ]
152
2021-09-15T06:23:32.000Z
2022-03-30T09:06:43.000Z
src/vs/css.build.js
sbj42/vscode
3e5c7e2c570a729e664253baceaf443b69e82da6
[ "MIT" ]
256
2021-09-14T15:13:23.000Z
2022-03-30T09:17:42.000Z
/*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /*--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- * Please make sure to make edits in the .ts file at https://github.com/microsoft/vscode-loader/ *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------- *--------------------------------------------------------------------------------------------*/ 'use strict'; var _cssPluginGlobal = this; var CSSBuildLoaderPlugin; (function (CSSBuildLoaderPlugin) { var global = (_cssPluginGlobal || {}); var BrowserCSSLoader = /** @class */ (function () { function BrowserCSSLoader() { this._pendingLoads = 0; } BrowserCSSLoader.prototype.attachListeners = function (name, linkNode, callback, errorback) { var unbind = function () { linkNode.removeEventListener('load', loadEventListener); linkNode.removeEventListener('error', errorEventListener); }; var loadEventListener = function (e) { unbind(); callback(); }; var errorEventListener = function (e) { unbind(); errorback(e); }; linkNode.addEventListener('load', loadEventListener); linkNode.addEventListener('error', errorEventListener); }; BrowserCSSLoader.prototype._onLoad = function (name, callback) { this._pendingLoads--; callback(); }; BrowserCSSLoader.prototype._onLoadError = function (name, errorback, err) { this._pendingLoads--; errorback(err); }; BrowserCSSLoader.prototype._insertLinkNode = function (linkNode) { this._pendingLoads++; var head = document.head || document.getElementsByTagName('head')[0]; var other = head.getElementsByTagName('link') || head.getElementsByTagName('script'); if (other.length > 0) { head.insertBefore(linkNode, other[other.length - 1]); } else { head.appendChild(linkNode); } }; BrowserCSSLoader.prototype.createLinkTag = function (name, cssUrl, externalCallback, externalErrorback) { var _this = this; var linkNode = document.createElement('link'); linkNode.setAttribute('rel', 'stylesheet'); linkNode.setAttribute('type', 'text/css'); linkNode.setAttribute('data-name', name); var callback = function () { return _this._onLoad(name, externalCallback); }; var errorback = function (err) { return _this._onLoadError(name, externalErrorback, err); }; this.attachListeners(name, linkNode, callback, errorback); linkNode.setAttribute('href', cssUrl); return linkNode; }; BrowserCSSLoader.prototype._linkTagExists = function (name, cssUrl) { var i, len, nameAttr, hrefAttr, links = document.getElementsByTagName('link'); for (i = 0, len = links.length; i < len; i++) { nameAttr = links[i].getAttribute('data-name'); hrefAttr = links[i].getAttribute('href'); if (nameAttr === name || hrefAttr === cssUrl) { return true; } } return false; }; BrowserCSSLoader.prototype.load = function (name, cssUrl, externalCallback, externalErrorback) { if (this._linkTagExists(name, cssUrl)) { externalCallback(); return; } var linkNode = this.createLinkTag(name, cssUrl, externalCallback, externalErrorback); this._insertLinkNode(linkNode); }; return BrowserCSSLoader; }()); var NodeCSSLoader = /** @class */ (function () { function NodeCSSLoader() { this.fs = require.nodeRequire('fs'); } NodeCSSLoader.prototype.load = function (name, cssUrl, externalCallback, externalErrorback) { var contents = this.fs.readFileSync(cssUrl, 'utf8'); // Remove BOM if (contents.charCodeAt(0) === NodeCSSLoader.BOM_CHAR_CODE) { contents = contents.substring(1); } externalCallback(contents); }; NodeCSSLoader.BOM_CHAR_CODE = 65279; return NodeCSSLoader; }()); // ------------------------------ Finally, the plugin var CSSPlugin = /** @class */ (function () { function CSSPlugin(cssLoader) { this.cssLoader = cssLoader; } CSSPlugin.prototype.load = function (name, req, load, config) { config = config || {}; var myConfig = config['vs/css'] || {}; global.inlineResources = myConfig.inlineResources; global.inlineResourcesLimit = myConfig.inlineResourcesLimit || 5000; var cssUrl = req.toUrl(name + '.css'); this.cssLoader.load(name, cssUrl, function (contents) { // Contents has the CSS file contents if we are in a build if (config.isBuild) { CSSPlugin.BUILD_MAP[name] = contents; CSSPlugin.BUILD_PATH_MAP[name] = cssUrl; } load({}); }, function (err) { if (typeof load.error === 'function') { load.error('Could not find ' + cssUrl + ' or it was empty'); } }); }; CSSPlugin.prototype.write = function (pluginName, moduleName, write) { // getEntryPoint is a Monaco extension to r.js var entryPoint = write.getEntryPoint(); // r.js destroys the context of this plugin between calling 'write' and 'writeFile' // so the only option at this point is to leak the data to a global global.cssPluginEntryPoints = global.cssPluginEntryPoints || {}; global.cssPluginEntryPoints[entryPoint] = global.cssPluginEntryPoints[entryPoint] || []; global.cssPluginEntryPoints[entryPoint].push({ moduleName: moduleName, contents: CSSPlugin.BUILD_MAP[moduleName], fsPath: CSSPlugin.BUILD_PATH_MAP[moduleName], }); write.asModule(pluginName + '!' + moduleName, 'define([\'vs/css!' + entryPoint + '\'], {});'); }; CSSPlugin.prototype.writeFile = function (pluginName, moduleName, req, write, config) { if (global.cssPluginEntryPoints && global.cssPluginEntryPoints.hasOwnProperty(moduleName)) { var fileName = req.toUrl(moduleName + '.css'); var contents = [ '/*---------------------------------------------------------', ' * Copyright (c) Microsoft Corporation. All rights reserved.', ' *--------------------------------------------------------*/' ], entries = global.cssPluginEntryPoints[moduleName]; for (var i = 0; i < entries.length; i++) { if (global.inlineResources) { contents.push(Utilities.rewriteOrInlineUrls(entries[i].fsPath, entries[i].moduleName, moduleName, entries[i].contents, global.inlineResources === 'base64', global.inlineResourcesLimit)); } else { contents.push(Utilities.rewriteUrls(entries[i].moduleName, moduleName, entries[i].contents)); } } write(fileName, contents.join('\r\n')); } }; CSSPlugin.prototype.getInlinedResources = function () { return global.cssInlinedResources || []; }; CSSPlugin.BUILD_MAP = {}; CSSPlugin.BUILD_PATH_MAP = {}; return CSSPlugin; }()); CSSBuildLoaderPlugin.CSSPlugin = CSSPlugin; var Utilities = /** @class */ (function () { function Utilities() { } Utilities.startsWith = function (haystack, needle) { return haystack.length >= needle.length && haystack.substr(0, needle.length) === needle; }; /** * Find the path of a file. */ Utilities.pathOf = function (filename) { var lastSlash = filename.lastIndexOf('/'); if (lastSlash !== -1) { return filename.substr(0, lastSlash + 1); } else { return ''; } }; /** * A conceptual a + b for paths. * Takes into account if `a` contains a protocol. * Also normalizes the result: e.g.: a/b/ + ../c => a/c */ Utilities.joinPaths = function (a, b) { function findSlashIndexAfterPrefix(haystack, prefix) { if (Utilities.startsWith(haystack, prefix)) { return Math.max(prefix.length, haystack.indexOf('/', prefix.length)); } return 0; } var aPathStartIndex = 0; aPathStartIndex = aPathStartIndex || findSlashIndexAfterPrefix(a, '//'); aPathStartIndex = aPathStartIndex || findSlashIndexAfterPrefix(a, 'http://'); aPathStartIndex = aPathStartIndex || findSlashIndexAfterPrefix(a, 'https://'); function pushPiece(pieces, piece) { if (piece === './') { // Ignore return; } if (piece === '../') { var prevPiece = (pieces.length > 0 ? pieces[pieces.length - 1] : null); if (prevPiece && prevPiece === '/') { // Ignore return; } if (prevPiece && prevPiece !== '../') { // Pop pieces.pop(); return; } } // Push pieces.push(piece); } function push(pieces, path) { while (path.length > 0) { var slashIndex = path.indexOf('/'); var piece = (slashIndex >= 0 ? path.substring(0, slashIndex + 1) : path); path = (slashIndex >= 0 ? path.substring(slashIndex + 1) : ''); pushPiece(pieces, piece); } } var pieces = []; push(pieces, a.substr(aPathStartIndex)); if (b.length > 0 && b.charAt(0) === '/') { pieces = []; } push(pieces, b); return a.substring(0, aPathStartIndex) + pieces.join(''); }; Utilities.commonPrefix = function (str1, str2) { var len = Math.min(str1.length, str2.length); for (var i = 0; i < len; i++) { if (str1.charCodeAt(i) !== str2.charCodeAt(i)) { break; } } return str1.substring(0, i); }; Utilities.commonFolderPrefix = function (fromPath, toPath) { var prefix = Utilities.commonPrefix(fromPath, toPath); var slashIndex = prefix.lastIndexOf('/'); if (slashIndex === -1) { return ''; } return prefix.substring(0, slashIndex + 1); }; Utilities.relativePath = function (fromPath, toPath) { if (Utilities.startsWith(toPath, '/') || Utilities.startsWith(toPath, 'http://') || Utilities.startsWith(toPath, 'https://')) { return toPath; } // Ignore common folder prefix var prefix = Utilities.commonFolderPrefix(fromPath, toPath); fromPath = fromPath.substr(prefix.length); toPath = toPath.substr(prefix.length); var upCount = fromPath.split('/').length; var result = ''; for (var i = 1; i < upCount; i++) { result += '../'; } return result + toPath; }; Utilities._replaceURL = function (contents, replacer) { // Use ")" as the terminator as quotes are oftentimes not used at all return contents.replace(/url\(\s*([^\)]+)\s*\)?/g, function (_) { var matches = []; for (var _i = 1; _i < arguments.length; _i++) { matches[_i - 1] = arguments[_i]; } var url = matches[0]; // Eliminate starting quotes (the initial whitespace is not captured) if (url.charAt(0) === '"' || url.charAt(0) === '\'') { url = url.substring(1); } // The ending whitespace is captured while (url.length > 0 && (url.charAt(url.length - 1) === ' ' || url.charAt(url.length - 1) === '\t')) { url = url.substring(0, url.length - 1); } // Eliminate ending quotes if (url.charAt(url.length - 1) === '"' || url.charAt(url.length - 1) === '\'') { url = url.substring(0, url.length - 1); } if (!Utilities.startsWith(url, 'data:') && !Utilities.startsWith(url, 'http://') && !Utilities.startsWith(url, 'https://')) { url = replacer(url); } return 'url(' + url + ')'; }); }; Utilities.rewriteUrls = function (originalFile, newFile, contents) { return this._replaceURL(contents, function (url) { var absoluteUrl = Utilities.joinPaths(Utilities.pathOf(originalFile), url); return Utilities.relativePath(newFile, absoluteUrl); }); }; Utilities.rewriteOrInlineUrls = function (originalFileFSPath, originalFile, newFile, contents, forceBase64, inlineByteLimit) { var fs = require.nodeRequire('fs'); var path = require.nodeRequire('path'); return this._replaceURL(contents, function (url) { if (/\.(svg|png)$/.test(url)) { var fsPath = path.join(path.dirname(originalFileFSPath), url); var fileContents = fs.readFileSync(fsPath); if (fileContents.length < inlineByteLimit) { global.cssInlinedResources = global.cssInlinedResources || []; var normalizedFSPath = fsPath.replace(/\\/g, '/'); if (global.cssInlinedResources.indexOf(normalizedFSPath) >= 0) { // console.warn('CSS INLINING IMAGE AT ' + fsPath + ' MORE THAN ONCE. CONSIDER CONSOLIDATING CSS RULES'); } global.cssInlinedResources.push(normalizedFSPath); var MIME = /\.svg$/.test(url) ? 'image/svg+xml' : 'image/png'; var DATA = ';base64,' + fileContents.toString('base64'); if (!forceBase64 && /\.svg$/.test(url)) { // .svg => url encode as explained at https://codepen.io/tigt/post/optimizing-svgs-in-data-uris var newText = fileContents.toString() .replace(/"/g, '\'') .replace(/%/g, '%25') .replace(/</g, '%3C') .replace(/>/g, '%3E') .replace(/&/g, '%26') .replace(/#/g, '%23') .replace(/\s+/g, ' '); var encodedData = ',' + newText; if (encodedData.length < DATA.length) { DATA = encodedData; } } return '"data:' + MIME + DATA + '"'; } } var absoluteUrl = Utilities.joinPaths(Utilities.pathOf(originalFile), url); return Utilities.relativePath(newFile, absoluteUrl); }); }; return Utilities; }()); CSSBuildLoaderPlugin.Utilities = Utilities; (function () { var cssLoader = null; var isElectron = (typeof process !== 'undefined' && typeof process.versions !== 'undefined' && typeof process.versions['electron'] !== 'undefined'); if (typeof process !== 'undefined' && process.versions && !!process.versions.node && !isElectron) { cssLoader = new NodeCSSLoader(); } else { cssLoader = new BrowserCSSLoader(); } define('vs/css', new CSSPlugin(cssLoader)); })(); })(CSSBuildLoaderPlugin || (CSSBuildLoaderPlugin = {}));
49.736111
210
0.472047
c8877ef3d3f1b78f4e72ee7c670c9478fc437be8
1,547
js
JavaScript
gulp-tasks/build.js
wedik66/workbox
04ba6442c466d2e8197fe586672143d201af3a61
[ "MIT" ]
null
null
null
gulp-tasks/build.js
wedik66/workbox
04ba6442c466d2e8197fe586672143d201af3a61
[ "MIT" ]
null
null
null
gulp-tasks/build.js
wedik66/workbox
04ba6442c466d2e8197fe586672143d201af3a61
[ "MIT" ]
null
null
null
/* Copyright 2018 Google LLC Use of this source code is governed by an MIT-style license that can be found in the LICENSE file or at https://opensource.org/licenses/MIT. */ const gulp = require('gulp'); const lernaWrapper = require('./utils/lerna-wrapper'); const fs = require('fs-extra'); const path = require('path'); gulp.task('lerna-bootstrap', () => { // If it's a star, build all projects (I.e. bootstrap everything.) if (global.packageOrStar === '*') { return lernaWrapper.bootstrap(); } // If it's not a star, we can scope the build to a specific project. return lernaWrapper.bootstrap( '--include-dependencies', '--scope', global.packageOrStar, ); }); // This is needed for workbox-build but is also used by the rollup-helper // to add CDN details to workbox-sw. // Make sure this runs **before** lerna-bootstrap. gulp.task('build:update-cdn-details', async function() { const cdnDetails = await fs.readJSON(path.join( __dirname, '..', 'cdn-details.json', )); const workboxBuildPath = path.join( __dirname, '..', 'packages', 'workbox-build'); const workboxBuildCdnDetailsPath = path.join( workboxBuildPath, 'src', 'cdn-details.json'); const workboxBuildPkg = await fs.readJSON(path.join( workboxBuildPath, 'package.json')); cdnDetails.latestVersion = workboxBuildPkg.version; await fs.writeJson(workboxBuildCdnDetailsPath, cdnDetails, { spaces: 2, }); }); gulp.task('build', gulp.series( 'build:update-cdn-details', 'lerna-bootstrap', ));
28.127273
73
0.681965
c887a06ab8a5ae5f9b582bd3424a608a785d3a7f
1,120
js
JavaScript
frontend/src/scenes/Splash/index.js
jhouser/houseoffun
a5a9dab377864d4da15f7ba64b505d2db3af34ef
[ "MIT" ]
null
null
null
frontend/src/scenes/Splash/index.js
jhouser/houseoffun
a5a9dab377864d4da15f7ba64b505d2db3af34ef
[ "MIT" ]
3
2018-03-31T09:52:03.000Z
2018-08-16T18:12:51.000Z
frontend/src/scenes/Splash/index.js
jhouser/houseoffun
a5a9dab377864d4da15f7ba64b505d2db3af34ef
[ "MIT" ]
1
2018-03-21T16:05:36.000Z
2018-03-21T16:05:36.000Z
import React from 'react'; import {Redirect, Route, Switch} from "react-router-dom"; import Landing from './components/Landing'; import Login from './containers/Login'; import Register from './containers/Register'; import './index.scss'; import {isAuthenticated} from "../../util/auth"; import {connect} from 'react-redux'; const Splash = (props) => { if (props.isAuthenticated) { return ( <Redirect to="/"/> ) } return ( <div className="home"> <Route render={({location}) => ( <div> <Switch location={location}> <Route exact path="/home" component={Landing}/> <Route path="/home/login" component={Login}/> <Route path="/home/register" component={Register}/>> </Switch> </div> )} /> </div> ); }; const mapStateToProps = state => ({ isAuthenticated: isAuthenticated(state) }); export default connect(mapStateToProps)(Splash);
29.473684
80
0.513393
c887f4362f61769a5c43a7d6fadcff9ce0cbeb55
325
js
JavaScript
api/shape/extrude.js
jsxcad/JSxCAD
fa788d9ddbd196fa591d91977ba20dc7ec645db5
[ "MIT" ]
32
2019-03-06T05:44:53.000Z
2022-01-02T15:21:40.000Z
api/shape/extrude.js
jsxcad/JSxCAD
fa788d9ddbd196fa591d91977ba20dc7ec645db5
[ "MIT" ]
85
2019-03-18T01:13:31.000Z
2022-03-24T10:26:50.000Z
api/shape/extrude.js
jsxcad/JSxCAD
fa788d9ddbd196fa591d91977ba20dc7ec645db5
[ "MIT" ]
11
2019-03-18T05:35:13.000Z
2021-09-27T08:14:12.000Z
import Point from './Point.js'; import Shape from './Shape.js'; import extrudeAlong from './extrudeAlong.js'; export const extrude = (...extents) => extrudeAlong(Point(0, 0, 1), ...extents); export const ex = extrude; Shape.registerMethod('extrude', extrude); Shape.registerMethod('ex', ex); export default extrudeAlong;
25
80
0.716923
c887f9f5afc56ebf7b4f40677aa2ff60263913ec
114
js
JavaScript
web/src/tools/index.js
Kevin5979/hero
4461f83f21f279129747fe164a9a7b24c6737088
[ "MIT" ]
1
2020-09-16T02:26:49.000Z
2020-09-16T02:26:49.000Z
web/src/tools/index.js
Kevin5979/hero
4461f83f21f279129747fe164a9a7b24c6737088
[ "MIT" ]
null
null
null
web/src/tools/index.js
Kevin5979/hero
4461f83f21f279129747fe164a9a7b24c6737088
[ "MIT" ]
null
null
null
import dayjs from 'dayjs' export const formatDate = (value, pattern) => { return dayjs(value).format(pattern) }
22.8
47
0.719298
c8882c41c315e68e81e80be0eb1f253b52158526
2,771
js
JavaScript
atom/packages/atom-ide-ui/modules/atom-ide-ui/pkg/atom-ide-diagnostics-ui/lib/ui/SettingsModal.js
alexhope61/bootstrap
afaf24fd18255eab389f34708937e6d5681e7e9b
[ "MIT" ]
null
null
null
atom/packages/atom-ide-ui/modules/atom-ide-ui/pkg/atom-ide-diagnostics-ui/lib/ui/SettingsModal.js
alexhope61/bootstrap
afaf24fd18255eab389f34708937e6d5681e7e9b
[ "MIT" ]
null
null
null
atom/packages/atom-ide-ui/modules/atom-ide-ui/pkg/atom-ide-diagnostics-ui/lib/ui/SettingsModal.js
alexhope61/bootstrap
afaf24fd18255eab389f34708937e6d5681e7e9b
[ "MIT" ]
null
null
null
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = SettingsModal; var React = _interopRequireWildcard(require("react")); function _BoundSettingsControl() { const data = _interopRequireDefault(require("../../../../../nuclide-commons-ui/BoundSettingsControl")); _BoundSettingsControl = function () { return data; }; return data; } function _HR() { const data = require("../../../../../nuclide-commons-ui/HR"); _HR = function () { return data; }; return data; } function _featureConfig() { const data = _interopRequireDefault(require("../../../../../nuclide-commons-atom/feature-config")); _featureConfig = function () { return data; }; return data; } function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } else { var newObj = {}; if (obj != null) { for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = Object.defineProperty && Object.getOwnPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : {}; if (desc.get || desc.set) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } } newObj.default = obj; return newObj; } } /** * Copyright (c) 2017-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * * @format */ function SettingsModal(props) { const hasProviderSettings = props.config.some(config => config.settings.length > 0); return React.createElement("div", { className: "nuclide-diagnostics-ui-settings-modal settings-view" }, React.createElement("section", { className: "settings-panel" }, React.createElement(_BoundSettingsControl().default, { keyPath: _featureConfig().default.formatKeyPath('atom-ide-diagnostics-ui.showDirectoryColumn') }), React.createElement(_BoundSettingsControl().default, { keyPath: _featureConfig().default.formatKeyPath('atom-ide-diagnostics-ui.autoVisibility') })), hasProviderSettings ? React.createElement(_HR().HR, null) : null, props.config.map(p => React.createElement(SettingsSection, Object.assign({ key: p.providerName }, p)))); } function SettingsSection(props) { return React.createElement("section", { className: "settings-panel" }, React.createElement("h1", { className: "section-heading" }, props.providerName), props.settings.map(keyPath => React.createElement(_BoundSettingsControl().default, { key: keyPath, keyPath: keyPath }))); }
35.075949
472
0.700469
c888c763c6b5490e862434488208bb9f092c0ccb
6,468
js
JavaScript
src/rules/multilineBlocks.js
jaydenseric/eslint-plugin-jsdoc
a50da2a6135e3e04612aa8cd37b1542f544d1a12
[ "BSD-3-Clause" ]
null
null
null
src/rules/multilineBlocks.js
jaydenseric/eslint-plugin-jsdoc
a50da2a6135e3e04612aa8cd37b1542f544d1a12
[ "BSD-3-Clause" ]
null
null
null
src/rules/multilineBlocks.js
jaydenseric/eslint-plugin-jsdoc
a50da2a6135e3e04612aa8cd37b1542f544d1a12
[ "BSD-3-Clause" ]
null
null
null
import iterateJsdoc from '../iterateJsdoc'; export default iterateJsdoc(({ context, jsdoc, utils, }) => { const { allowMultipleTags = true, noFinalLineText = true, noZeroLineText = true, noSingleLineBlocks = false, singleLineTags = ['lends', 'type'], noMultilineBlocks = false, minimumLengthForMultiline = Number.POSITIVE_INFINITY, multilineTags = ['*'], } = context.options[0] || {}; const {source: [{tokens}]} = jsdoc; const {description, tag} = tokens; const sourceLength = jsdoc.source.length; const isInvalidSingleLine = (tagName) => { return noSingleLineBlocks && (!tagName || !singleLineTags.includes(tagName) && !singleLineTags.includes('*')); }; if (sourceLength === 1) { if (!isInvalidSingleLine(tag.slice(1))) { return; } const fixer = () => { utils.makeMultiline(); }; utils.reportJSDoc( 'Single line blocks are not permitted by your configuration.', null, fixer, true, ); return; } const lineChecks = () => { if ( noZeroLineText && (tag || description) ) { const fixer = () => { const line = {...tokens}; utils.emptyTokens(tokens); const {tokens: {delimiter, start}} = jsdoc.source[1]; utils.addLine(1, {...line, delimiter, start}); }; utils.reportJSDoc( 'Should have no text on the "0th" line (after the `/**`).', null, fixer, ); return; } const finalLine = jsdoc.source[jsdoc.source.length - 1]; const finalLineTokens = finalLine.tokens; if ( noFinalLineText && finalLineTokens.description.trim() ) { const fixer = () => { const line = {...finalLineTokens}; line.description = line.description.trimEnd(); const {delimiter} = line; for (const prop of [ 'delimiter', 'postDelimiter', 'tag', 'type', 'lineEnd', 'postType', 'postTag', 'name', 'postName', 'description', ]) { finalLineTokens[prop] = ''; } utils.addLine(jsdoc.source.length - 1, {...line, delimiter, end: ''}); }; utils.reportJSDoc( 'Should have no text on the final line (before the `*/`).', null, fixer, ); } }; if (noMultilineBlocks) { if ( jsdoc.tags.length && (multilineTags.includes('*') || utils.hasATag(multilineTags)) ) { lineChecks(); return; } if (jsdoc.description.length >= minimumLengthForMultiline) { lineChecks(); return; } if ( noSingleLineBlocks && (!jsdoc.tags.length || !utils.filterTags(({tag: tg}) => { return !isInvalidSingleLine(tg); }).length) ) { utils.reportJSDoc( 'Multiline jsdoc blocks are prohibited by ' + 'your configuration but fixing would result in a single ' + 'line block which you have prohibited with `noSingleLineBlocks`.', ); return; } if (jsdoc.tags.length > 1) { if (!allowMultipleTags) { utils.reportJSDoc( 'Multiline jsdoc blocks are prohibited by ' + 'your configuration but the block has multiple tags.', ); return; } } else if (jsdoc.tags.length === 1 && jsdoc.description.trim()) { if (!allowMultipleTags) { utils.reportJSDoc( 'Multiline jsdoc blocks are prohibited by ' + 'your configuration but the block has a description with a tag.', ); return; } } else { const fixer = () => { jsdoc.source = [{ number: 1, source: '', tokens: jsdoc.source.reduce((obj, { tokens: { description: desc, tag: tg, type: typ, name: nme, lineEnd, postType, postName, postTag, }, }) => { if (typ) { obj.type = typ; } if (tg && typ && nme) { obj.postType = postType; } if (nme) { obj.name += nme; } if (nme && desc) { obj.postName = postName; } obj.description += desc; const nameOrDescription = obj.description || obj.name; if ( nameOrDescription && nameOrDescription.slice(-1) !== ' ' ) { obj.description += ' '; } obj.lineEnd = lineEnd; // Already filtered for multiple tags obj.tag += tg; if (tg) { obj.postTag = postTag || ' '; } return obj; }, utils.seedTokens({ delimiter: '/**', end: '*/', postDelimiter: ' ', })), }]; }; utils.reportJSDoc( 'Multiline jsdoc blocks are prohibited by ' + 'your configuration.', null, fixer, ); return; } } lineChecks(); }, { iterateAllJsdocs: true, meta: { docs: { description: 'Controls how and whether jsdoc blocks can be expressed as single or multiple line blocks.', url: 'https://github.com/gajus/eslint-plugin-jsdoc#eslint-plugin-jsdoc-rules-multiline-blocks', }, fixable: 'code', schema: [ { additionalProperies: false, properties: { allowMultipleTags: { type: 'boolean', }, minimumLengthForMultiline: { type: 'integer', }, multilineTags: { anyOf: [ { enum: ['*'], type: 'string', }, { items: { type: 'string', }, type: 'array', }, ], }, noFinalLineText: { type: 'boolean', }, noMultilineBlocks: { type: 'boolean', }, noSingleLineBlocks: { type: 'boolean', }, noZeroLineText: { type: 'boolean', }, singleLineTags: { items: { type: 'string', }, type: 'array', }, }, type: 'object', }, ], type: 'suggestion', }, });
23.266187
111
0.478973
c888e23b2df3b7f106c4a2a52bd64f611100d85c
13,406
js
JavaScript
src/scope/models/version.spec.js
stringali1/vueproject
e2bd4d5504fa996fb946ff4b5fc6f65439f7fa40
[ "Apache-2.0" ]
1
2019-05-24T12:11:59.000Z
2019-05-24T12:11:59.000Z
src/scope/models/version.spec.js
stringali1/vueproject
e2bd4d5504fa996fb946ff4b5fc6f65439f7fa40
[ "Apache-2.0" ]
null
null
null
src/scope/models/version.spec.js
stringali1/vueproject
e2bd4d5504fa996fb946ff4b5fc6f65439f7fa40
[ "Apache-2.0" ]
null
null
null
import R from 'ramda'; import { expect } from 'chai'; import Version from '../../../src/scope/models/version'; import versionFixture from '../../../fixtures/version-model-object.json'; import versionWithDepsFixture from '../../../fixtures/version-model-extended.json'; const getVersionWithDepsFixture = () => { return Version.parse(JSON.stringify(R.clone(versionWithDepsFixture))); }; describe('Version', () => { describe('id()', () => { describe('simple version', () => { let version; let idRaw; let idParsed; before(() => { version = new Version(versionFixture); idRaw = version.id(); idParsed = JSON.parse(idRaw); }); it('should have mainFile property', () => { expect(idParsed).to.haveOwnProperty('mainFile'); }); it('should have files property', () => { expect(idParsed).to.haveOwnProperty('files'); }); it('should have compiler property', () => { expect(idParsed).to.haveOwnProperty('compiler'); }); it('should have tester property', () => { expect(idParsed).to.haveOwnProperty('tester'); }); it('should have log property', () => { expect(idParsed).to.haveOwnProperty('log'); }); it('should have dependencies property', () => { expect(idParsed).to.haveOwnProperty('dependencies'); }); it('should have packageDependencies property', () => { expect(idParsed).to.haveOwnProperty('packageDependencies'); }); it('should have bindingPrefix property', () => { expect(idParsed).to.haveOwnProperty('bindingPrefix'); }); it('should not have dists property', () => { expect(idParsed).to.not.haveOwnProperty('dists'); }); it('should not have ci property', () => { expect(idParsed).to.not.haveOwnProperty('ci'); }); it('should not have specsResults property', () => { expect(idParsed).to.not.haveOwnProperty('specsResults'); }); it('should not have docs property', () => { expect(idParsed).to.not.haveOwnProperty('docs'); }); it('should not have devDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('devDependencies'); }); it('should not have compilerDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('compilerDependencies'); }); it('should not have testerDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('testerDependencies'); }); it('should not have flattenedDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('flattenedDependencies'); }); it('should not have flattenedDevDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('flattenedDevDependencies'); }); it('should not have flattenedCompilerDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('flattenedCompilerDependencies'); }); it('should not have flattenedTesterDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('flattenedTesterDependencies'); }); it('should not have devPackageDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('devPackageDependencies'); }); it('should not have peerPackageDependencies property', () => { expect(idParsed).to.not.haveOwnProperty('peerPackageDependencies'); }); }); describe('version with dependencies', () => { let dependencies; before(() => { const version = getVersionWithDepsFixture(); const idRaw = version.id(); const idParsed = JSON.parse(idRaw); dependencies = idParsed.dependencies; }); it('dependencies should be an array', () => { expect(dependencies) .to.be.an('array') .and.have.lengthOf(1); }); it('dependencies should have properties id and relativePaths only', () => { expect(dependencies[0]).to.haveOwnProperty('id'); expect(dependencies[0]).to.haveOwnProperty('relativePaths'); expect(dependencies[0]).to.not.haveOwnProperty('nonExistProperty'); expect(Object.keys(dependencies[0])).to.have.lengthOf(2); }); it('relativePaths should be an array', () => { expect(dependencies[0].relativePaths) .to.be.an('array') .and.have.lengthOf(1); }); it('relativePaths should have properties sourceRelativePath and destinationRelativePath only', () => { expect(dependencies[0].relativePaths[0]).to.haveOwnProperty('sourceRelativePath'); expect(dependencies[0].relativePaths[0]).to.haveOwnProperty('destinationRelativePath'); expect(dependencies[0].relativePaths[0]).to.not.haveOwnProperty('nonExistProperty'); expect(Object.keys(dependencies[0].relativePaths[0])).to.have.lengthOf(2); }); }); }); describe('hash()', () => { let version; let hash; const versionFixtureHash = '693679c1c397ca3c42f6f3486ce1ed042787886a'; before(() => { version = new Version(versionFixture); hash = version.hash(); }); it('should have a correct hash string', () => { expect(hash.toString()).to.equal(versionFixtureHash); }); it('should have a the same hash string also when loading the version from contents', () => { const versionFromContent = Version.parse(JSON.stringify(versionFixture)); expect(versionFromContent.hash().toString()).to.equal(versionFixtureHash); }); }); describe('validate()', () => { let version; let validateFunc; beforeEach(() => { version = getVersionWithDepsFixture(); validateFunc = () => version.validate(); }); it('should not throw when it has a valid version', () => { expect(validateFunc).to.not.throw(); }); it('should throw when mainFile is empty', () => { const errMsg = 'mainFile is missing'; version.mainFile = null; expect(validateFunc).to.throw(errMsg); version.mainFile = ''; expect(validateFunc).to.throw(errMsg); version.mainFile = undefined; expect(validateFunc).to.throw(errMsg); }); it('should throw when mainFile path is absolute', () => { version.mainFile = '/tmp/main.js'; expect(validateFunc).to.throw(`mainFile ${version.mainFile} is invalid`); }); it('should throw when mainFile path is Windows format', () => { version.mainFile = 'a\\tmp.js'; expect(validateFunc).to.throw(`mainFile ${version.mainFile} is invalid`); }); it('should throw when the files are missing', () => { version.files = undefined; expect(validateFunc).to.throw('files are missing'); version.files = null; expect(validateFunc).to.throw('files are missing'); version.files = []; expect(validateFunc).to.throw('files are missing'); }); it('should throw when the file has no hash', () => { version.files[0].file = ''; expect(validateFunc).to.throw('missing the hash'); }); it('should throw when the file has no name', () => { version.files[0].name = ''; expect(validateFunc).to.throw('missing the name'); }); it('should throw when the file.name is not a string', () => { version.files[0].name = true; expect(validateFunc).to.throw('to be string, got boolean'); }); it('should throw when the file hash is not a string', () => { version.files[0].file.hash = []; expect(validateFunc).to.throw('to be string, got object'); }); it('should throw when the main file is not in the file lists', () => { version.files[0].relativePath = 'anotherFile.js'; expect(validateFunc).to.throw('unable to find the mainFile'); }); it('should throw when the two files have the same name but different letter cases', () => { version.files[1] = R.clone(version.files[0]); version.files[1].relativePath = 'bar/Foo.ts'; expect(validateFunc).to.throw('files are duplicated bar/foo.ts, bar/Foo.ts'); }); it('compiler should have name attribute', () => { version.compiler = {}; expect(validateFunc).to.throw('missing the name attribute'); }); it('compiler.name should be a string', () => { version.compiler.name = true; expect(validateFunc).to.throw('to be string, got boolean'); }); it('compiler.name should be a valid bit id with version', () => { version.compiler.name = 'scope/pref/aaa@latest'; expect(validateFunc).to.throw('does not have a version'); }); it('compiler.files should have name attribute', () => { version.compiler.files[0] = 'string'; expect(validateFunc).to.throw('missing the name attribute'); }); it('if a compiler is string, it should be a valid bit-id', () => { version.compiler = 'this/is\\invalid?!/bit/id'; expect(validateFunc).to.throw('the environment-id has an invalid Bit id'); }); it('if a compiler is string, it should have scope', () => { version.compiler = 'name@0.0.1'; expect(validateFunc).to.throw('the environment-id has an invalid Bit id'); }); // it('if a compiler is string, it should have version', () => { // version.compiler = 'scope/box/name'; // expect(validateFunc).to.throw('does not have a version'); // }); it('should throw for an invalid package version', () => { version.packageDependencies = { lodash: 34 }; expect(validateFunc).to.throw('expected version of "lodash" to be string, got number'); }); it('should not throw for a package version which is a git url', () => { version.packageDependencies = { userLib: 'git+ssh://git@git.bit.io' }; expect(validateFunc).to.not.throw(); }); it('should throw for invalid packageDependencies type', () => { version.packageDependencies = 'invalid packages'; expect(validateFunc).to.throw('to be object, got string'); }); it('should throw for invalid devPackageDependencies type', () => { version.devPackageDependencies = [1, 2, 3]; expect(validateFunc).to.throw('to be object, got array'); }); it('should throw for invalid peerPackageDependencies type', () => { version.peerPackageDependencies = true; expect(validateFunc).to.throw('to be object, got boolean'); }); it('should throw for invalid dist object', () => { version.dists = 'invalid dists'; expect(validateFunc).to.throw('to be array, got string'); }); it('should throw for invalid dist.relativePath', () => { version.dists[0].relativePath = 'invalid*path'; expect(validateFunc).to.throw(`dist-file ${version.dists[0].relativePath} is invalid`); }); it('should throw for an empty dist.relativePath', () => { version.dists[0].relativePath = ''; expect(validateFunc).to.throw(`dist-file ${version.dists[0].relativePath} is invalid`); }); it('should throw for an invalid dist.name', () => { version.dists[0].name = 4; expect(validateFunc).to.throw('to be string, got number'); }); it('should throw when the file hash is not a string', () => { version.dists[0].file.hash = {}; expect(validateFunc).to.throw('to be string, got object'); }); it('should throw when dependencies are invalid', () => { version.dependencies = {}; expect(validateFunc).to.throw('dependencies must be an instance of Dependencies, got object'); }); it('should throw when devDependencies are invalid', () => { version.devDependencies = {}; expect(validateFunc).to.throw('devDependencies must be an instance of Dependencies, got object'); }); it('should throw when compilerDependencies are invalid', () => { version.compilerDependencies = {}; expect(validateFunc).to.throw('compilerDependencies must be an instance of Dependencies, got object'); }); it('should throw when testerDependencies are invalid', () => { version.testerDependencies = {}; expect(validateFunc).to.throw('testerDependencies must be an instance of Dependencies, got object'); }); it('should throw when there are dependencies and the flattenDependencies are empty', () => { version.flattenedDependencies = []; expect(validateFunc).to.throw('it has dependencies but its flattenedDependencies is empty'); }); it('should throw when a flattenDependency is invalid', () => { version.flattenedDependencies = [1234]; expect(validateFunc).to.throw('expected to be BitId, got number'); }); it('should throw when a flattenDependency does not have a version', () => { version.flattenedDependencies[0] = version.flattenedDependencies[0].changeVersion(null); expect(validateFunc).to.throw('does not have a version'); }); it('should throw when the log is empty', () => { version.log = undefined; expect(validateFunc).to.throw('log object is missing'); }); it('should throw when the log has an invalid type', () => { version.log = []; expect(validateFunc).to.throw('to be object, got array'); }); it('should throw when the bindingPrefix has an invalid type', () => { version.bindingPrefix = {}; expect(validateFunc).to.throw('to be string, got object'); }); }); });
44.098684
108
0.628002
c888fc2809947009745d6f8b8a1a20a21ee2d41b
113
js
JavaScript
api/app/controllers/userController.js
WordShopApp/wordshop
0bf2f88ee0cc3eb6231e7d011265ba33ecb118e4
[ "MIT" ]
1
2018-07-20T03:26:39.000Z
2018-07-20T03:26:39.000Z
api/app/controllers/userController.js
WordShopApp/wordshop
0bf2f88ee0cc3eb6231e7d011265ba33ecb118e4
[ "MIT" ]
9
2020-07-16T07:23:38.000Z
2022-02-26T04:41:06.000Z
api/app/controllers/userController.js
WordShopApp/main
0bf2f88ee0cc3eb6231e7d011265ba33ecb118e4
[ "MIT" ]
null
null
null
const http = require('../services/utils'); module.exports.show = (req, res) => { res.json({ user: null }); };
18.833333
42
0.59292
c8890433f59b10ea75d9f17651ffba70a2b8614e
101
js
JavaScript
modal/node_modules/accessibility-developer-tools/lib/closure-library/third_party/closure/goog/base.js
maze-runnar/modal-component
bb4a146b0473d3524552e379d5bbdbfcca49e6be
[ "MIT" ]
14,668
2015-01-01T01:57:10.000Z
2022-03-31T23:33:32.000Z
modal/node_modules/accessibility-developer-tools/lib/closure-library/third_party/closure/goog/base.js
maze-runnar/modal-component
bb4a146b0473d3524552e379d5bbdbfcca49e6be
[ "MIT" ]
647
2017-03-21T07:47:44.000Z
2022-03-31T13:03:47.000Z
modal/node_modules/accessibility-developer-tools/lib/closure-library/third_party/closure/goog/base.js
maze-runnar/modal-component
bb4a146b0473d3524552e379d5bbdbfcca49e6be
[ "MIT" ]
5,941
2015-01-02T11:32:21.000Z
2022-03-31T16:35:46.000Z
// This is a dummy file to trick genjsdeps into doing the right thing. // TODO(nicksantos): fix this
33.666667
70
0.742574
c88911525190cd930a03cc84bcf4bd213162c670
443
js
JavaScript
src/components/UI/Devider/Devider.js
mraghdasi/imdb-app
b9c3f00bfd9fa53b5c9f958eb53eeeb1e3a19b5e
[ "MIT" ]
null
null
null
src/components/UI/Devider/Devider.js
mraghdasi/imdb-app
b9c3f00bfd9fa53b5c9f958eb53eeeb1e3a19b5e
[ "MIT" ]
null
null
null
src/components/UI/Devider/Devider.js
mraghdasi/imdb-app
b9c3f00bfd9fa53b5c9f958eb53eeeb1e3a19b5e
[ "MIT" ]
null
null
null
import React from 'react'; import { Divider } from 'antd'; const Devider = ({ className, orientation = 'right', children, ...props }) => { return ( <Divider className={` mt-8 mb-6 col-span-full ${className}`} style={{ borderTopColor: 'rgba(0, 0, 0, 0.15)', fontSize: '0.75rem', color: 'rgb(107, 114, 128)' }} orientation={orientation} {...props}> {children} </Divider> ); }; export default Devider;
26.058824
105
0.589165
c889d797ac14f779fda8363a9803a87be0e1af4f
37,079
js
JavaScript
tests/lib/plugin.js
JounQin/eslint-plugin-markdown
89ea8380e298f913124e1581c493fa3bde1ff479
[ "MIT" ]
289
2015-08-08T20:29:02.000Z
2022-03-28T15:14:31.000Z
tests/lib/plugin.js
JounQin/eslint-plugin-markdown
89ea8380e298f913124e1581c493fa3bde1ff479
[ "MIT" ]
138
2015-08-08T20:36:12.000Z
2022-02-22T01:45:19.000Z
tests/lib/plugin.js
JounQin/eslint-plugin-markdown
89ea8380e298f913124e1581c493fa3bde1ff479
[ "MIT" ]
64
2015-08-16T01:21:23.000Z
2021-12-23T19:29:03.000Z
/** * @fileoverview Tests for the preprocessor plugin. * @author Brandon Mills */ "use strict"; const assert = require("chai").assert; const execSync = require("child_process").execSync; const CLIEngine = require("eslint").CLIEngine; const path = require("path"); const plugin = require("../.."); /** * @typedef {import('eslint/lib/cli-engine/cli-engine').CLIEngineOptions} CLIEngineOptions */ /** * Helper function which creates CLIEngine instance with enabled/disabled autofix feature. * @param {string} fixtureConfigName ESLint JSON config fixture filename. * @param {CLIEngineOptions} [options={}] Whether to enable autofix feature. * @returns {CLIEngine} CLIEngine instance to execute in tests. */ function initCLI(fixtureConfigName, options = {}) { const cli = new CLIEngine({ cwd: path.resolve(__dirname, "../fixtures/"), ignore: false, useEslintrc: false, configFile: path.resolve(__dirname, "../fixtures/", fixtureConfigName), ...options }); cli.addPlugin("markdown", plugin); return cli; } describe("recommended config", () => { let cli; const shortText = [ "```js", "var unusedVar = console.log(undef);", "'unused expression';", "```" ].join("\n"); before(function() { try { // The tests for the recommended config will have ESLint import // the plugin, so we need to make sure it's resolvable and link it // if not. // eslint-disable-next-line node/no-extraneous-require require.resolve("eslint-plugin-markdown"); } catch (error) { if (error.code === "MODULE_NOT_FOUND") { // The npm link step can take longer than Mocha's default 2s // timeout, so give it more time. Mocha's API for customizing // hook-level timeouts uses `this`, so disable the rule. // https://mochajs.org/#hook-level // eslint-disable-next-line no-invalid-this this.timeout(30000); execSync("npm link && npm link eslint-plugin-markdown"); } else { throw error; } } cli = initCLI("recommended.json"); }); it("should include the plugin", () => { const config = cli.getConfigForFile("test.md"); assert.include(config.plugins, "markdown"); }); it("applies convenience configuration", () => { const config = cli.getConfigForFile("subdir/test.md/0.js"); assert.deepStrictEqual(config.parserOptions, { ecmaFeatures: { impliedStrict: true } }); assert.deepStrictEqual(config.rules["eol-last"], ["off"]); assert.deepStrictEqual(config.rules["no-undef"], ["off"]); assert.deepStrictEqual(config.rules["no-unused-expressions"], ["off"]); assert.deepStrictEqual(config.rules["no-unused-vars"], ["off"]); assert.deepStrictEqual(config.rules["padded-blocks"], ["off"]); assert.deepStrictEqual(config.rules.strict, ["off"]); assert.deepStrictEqual(config.rules["unicode-bom"], ["off"]); }); it("overrides configure processor to parse .md file code blocks", () => { const report = cli.executeOnText(shortText, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].ruleId, "no-console"); }); }); describe("plugin", () => { let cli; const shortText = [ "```js", "console.log(42);", "```" ].join("\n"); before(() => { cli = initCLI("eslintrc.json"); }); it("should run on .md files", () => { const report = cli.executeOnText(shortText, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 2); }); it("should emit correct line numbers", () => { const code = [ "# Hello, world!", "", "", "```js", "var bar = baz", "", "", "var foo = blah", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results[0].messages[0].message, "'baz' is not defined."); assert.strictEqual(report.results[0].messages[0].line, 5); assert.strictEqual(report.results[0].messages[0].endLine, 5); assert.strictEqual(report.results[0].messages[1].message, "'blah' is not defined."); assert.strictEqual(report.results[0].messages[1].line, 8); assert.strictEqual(report.results[0].messages[1].endLine, 8); }); // https://github.com/eslint/eslint-plugin-markdown/issues/77 it("should emit correct line numbers with leading blank line", () => { const code = [ "### Heading", "", "```js", "", "console.log('a')", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results[0].messages[0].line, 5); }); it("doesn't add end locations to messages without them", () => { const code = [ "```js", "!@#$%^&*()", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.notProperty(report.results[0].messages[0], "endLine"); assert.notProperty(report.results[0].messages[0], "endColumn"); }); it("should emit correct line numbers with leading comments", () => { const code = [ "# Hello, world!", "", "<!-- eslint-disable quotes -->", "<!-- eslint-disable semi -->", "", "```js", "var bar = baz", "", "var str = 'single quotes'", "", "var foo = blah", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results[0].messages[0].message, "'baz' is not defined."); assert.strictEqual(report.results[0].messages[0].line, 7); assert.strictEqual(report.results[0].messages[0].endLine, 7); assert.strictEqual(report.results[0].messages[1].message, "'blah' is not defined."); assert.strictEqual(report.results[0].messages[1].line, 11); assert.strictEqual(report.results[0].messages[1].endLine, 11); }); it("should run on .mkdn files", () => { const report = cli.executeOnText(shortText, "test.mkdn"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 2); }); it("should run on .mdown files", () => { const report = cli.executeOnText(shortText, "test.mdown"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 2); }); it("should run on .markdown files", () => { const report = cli.executeOnText(shortText, "test.markdown"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 2); }); it("should run on files with any custom extension", () => { const report = cli.executeOnText(shortText, "test.custom"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 2); }); it("should extract blocks and remap messages", () => { const report = cli.executeOnFiles([path.resolve(__dirname, "../fixtures/long.md")]); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 5); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 10); assert.strictEqual(report.results[0].messages[0].column, 1); assert.strictEqual(report.results[0].messages[1].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[1].line, 16); assert.strictEqual(report.results[0].messages[1].column, 5); assert.strictEqual(report.results[0].messages[2].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[2].line, 24); assert.strictEqual(report.results[0].messages[2].column, 1); assert.strictEqual(report.results[0].messages[3].message, "Strings must use singlequote."); assert.strictEqual(report.results[0].messages[3].line, 38); assert.strictEqual(report.results[0].messages[3].column, 13); assert.strictEqual(report.results[0].messages[4].message, "Parsing error: Unexpected character '@'"); assert.strictEqual(report.results[0].messages[4].line, 46); assert.strictEqual(report.results[0].messages[4].column, 2); }); // https://github.com/eslint/eslint-plugin-markdown/issues/181 it("should work when called on nested code blocks in the same file", () => { /* * As of this writing, the nested code block, though it uses the same * Markdown processor, must use a different extension or ESLint will not * re-apply the processor on the nested code block. To work around that, * a file named `test.md` contains a nested `markdown` code block in * this test. * * https://github.com/eslint/eslint/pull/14227/files#r602802758 */ const code = [ "<!-- test.md -->", "", "````markdown", "<!-- test.md/0_0.markdown -->", "", "This test only repros if the MD files have a different number of lines before code blocks.", "", "```js", "// test.md/0_0.markdown/0_0.js", "console.log('single quotes')", "```", "````" ].join("\n"); const recursiveCli = initCLI("eslintrc.json", { extensions: [".js", ".markdown", ".md"] }); const report = recursiveCli.executeOnText(code, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 2); assert.strictEqual(report.results[0].messages[0].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[0].line, 10); assert.strictEqual(report.results[0].messages[1].message, "Strings must use doublequote."); assert.strictEqual(report.results[0].messages[1].line, 10); }); describe("configuration comments", () => { it("apply only to the code block immediately following", () => { const code = [ "<!-- eslint \"quotes\": [\"error\", \"single\"] -->", "<!-- eslint-disable no-console -->", "", "```js", "var single = 'single';", "console.log(single);", "var double = \"double\";", "console.log(double);", "```", "", "```js", "var single = 'single';", "console.log(single);", "var double = \"double\";", "console.log(double);", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 4); assert.strictEqual(report.results[0].messages[0].message, "Strings must use singlequote."); assert.strictEqual(report.results[0].messages[0].line, 7); assert.strictEqual(report.results[0].messages[1].message, "Strings must use doublequote."); assert.strictEqual(report.results[0].messages[1].line, 12); assert.strictEqual(report.results[0].messages[2].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[2].line, 13); assert.strictEqual(report.results[0].messages[3].message, "Unexpected console statement."); assert.strictEqual(report.results[0].messages[3].line, 15); }); // https://github.com/eslint/eslint-plugin-markdown/issues/78 it("preserves leading empty lines", () => { const code = [ "<!-- eslint lines-around-directive: ['error', 'never'] -->", "", "```js", "", "\"use strict\";", "```" ].join("\n"); const report = cli.executeOnText(code, "test.md"); assert.strictEqual(report.results.length, 1); assert.strictEqual(report.results[0].messages.length, 1); assert.strictEqual(report.results[0].messages[0].message, "Unexpected newline before \"use strict\" directive."); assert.strictEqual(report.results[0].messages[0].line, 5); }); }); describe("should fix code", () => { before(() => { cli = initCLI("eslintrc.json", { fix: true }); }); it("in the simplest case", () => { const input = [ "This is Markdown.", "", "```js", "console.log('Hello, world!')", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "console.log(\"Hello, world!\")", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("across multiple lines", () => { const input = [ "This is Markdown.", "", "```js", "console.log('Hello, world!')", "console.log('Hello, world!')", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "console.log(\"Hello, world!\")", "console.log(\"Hello, world!\")", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("across multiple blocks", () => { const input = [ "This is Markdown.", "", "```js", "console.log('Hello, world!')", "```", "", "```js", "console.log('Hello, world!')", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "console.log(\"Hello, world!\")", "```", "", "```js", "console.log(\"Hello, world!\")", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("with lines indented by spaces", () => { const input = [ "This is Markdown.", "", "```js", "function test() {", " console.log('Hello, world!')", "}", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "function test() {", " console.log(\"Hello, world!\")", "}", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("with lines indented by tabs", () => { const input = [ "This is Markdown.", "", "```js", "function test() {", "\tconsole.log('Hello, world!')", "}", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "function test() {", "\tconsole.log(\"Hello, world!\")", "}", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("at the very start of a block", () => { const input = [ "This is Markdown.", "", "```js", "'use strict'", "```" ].join("\n"); const expected = [ "This is Markdown.", "", "```js", "\"use strict\"", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("in blocks with extra backticks", () => { const input = [ "This is Markdown.", "", "````js", "console.log('Hello, world!')", "````" ].join("\n"); const expected = [ "This is Markdown.", "", "````js", "console.log(\"Hello, world!\")", "````" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("with configuration comments", () => { const input = [ "<!-- eslint semi: 2 -->", "", "```js", "console.log('Hello, world!')", "```" ].join("\n"); const expected = [ "<!-- eslint semi: 2 -->", "", "```js", "console.log(\"Hello, world!\");", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("inside a list single line", () => { const input = [ "- Inside a list", "", " ```js", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "- Inside a list", "", " ```js", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("inside a list multi line", () => { const input = [ "- Inside a list", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ", " var obj = {", " hello: 'value'", " }", " ```" ].join("\n"); const expected = [ "- Inside a list", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ", " var obj = {", " hello: \"value\"", " }", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("with multiline autofix and CRLF", () => { const input = [ "This is Markdown.", "", "```js", "console.log('Hello, \\", "world!')", "console.log('Hello, \\", "world!')", "```" ].join("\r\n"); const expected = [ "This is Markdown.", "", "```js", "console.log(\"Hello, \\", "world!\")", "console.log(\"Hello, \\", "world!\")", "```" ].join("\r\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); // https://spec.commonmark.org/0.28/#fenced-code-blocks describe("when indented", () => { it("by one space", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("by two spaces", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("by three spaces", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("and the closing fence is differently indented", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("underindented", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("multiline autofix", () => { const input = [ "This is Markdown.", "", " ```js", " console.log('Hello, \\", " world!')", " console.log('Hello, \\", " world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", " ```js", " console.log(\"Hello, \\", " world!\")", " console.log(\"Hello, \\", " world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("underindented multiline autofix", () => { const input = [ " ```js", " console.log('Hello, world!')", " console.log('Hello, \\", " world!')", " console.log('Hello, world!')", " ```" ].join("\n"); // The Markdown parser doesn't have any concept of a "negative" // indent left of the opening code fence, so autofixes move // lines that were previously underindented to the same level // as the opening code fence. const expected = [ " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, \\", " world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("multiline autofix in blockquote", () => { const input = [ "This is Markdown.", "", "> ```js", "> console.log('Hello, \\", "> world!')", "> console.log('Hello, \\", "> world!')", "> ```" ].join("\n"); const expected = [ "This is Markdown.", "", "> ```js", "> console.log(\"Hello, \\", "> world!\")", "> console.log(\"Hello, \\", "> world!\")", "> ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("multiline autofix in nested blockquote", () => { const input = [ "This is Markdown.", "", "> This is a nested blockquote.", ">", "> > ```js", "> > console.log('Hello, \\", "> > new\\", "> > world!')", "> > console.log('Hello, \\", "> > world!')", "> > ```" ].join("\n"); // The Markdown parser doesn't have any concept of a "negative" // indent left of the opening code fence, so autofixes move // lines that were previously underindented to the same level // as the opening code fence. const expected = [ "This is Markdown.", "", "> This is a nested blockquote.", ">", "> > ```js", "> > console.log(\"Hello, \\", "> > new\\", "> > world!\")", "> > console.log(\"Hello, \\", "> > world!\")", "> > ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("by one space with comments", () => { const input = [ "This is Markdown.", "", "<!-- eslint semi: 2 -->", "<!-- global foo: true -->", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", "<!-- eslint semi: 2 -->", "<!-- global foo: true -->", "", " ```js", " console.log(\"Hello, world!\");", " console.log(\"Hello, world!\");", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("unevenly by two spaces with comments", () => { const input = [ "This is Markdown.", "", "<!-- eslint semi: 2 -->", "<!-- global foo: true -->", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "This is Markdown.", "", "<!-- eslint semi: 2 -->", "<!-- global foo: true -->", "", " ```js", " console.log(\"Hello, world!\");", " console.log(\"Hello, world!\");", " console.log(\"Hello, world!\");", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); describe("inside a list", () => { it("normally", () => { const input = [ "- This is a Markdown list.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "- This is a Markdown list.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); it("by one space", () => { const input = [ "- This is a Markdown list.", "", " ```js", " console.log('Hello, world!')", " console.log('Hello, world!')", " ```" ].join("\n"); const expected = [ "- This is a Markdown list.", "", " ```js", " console.log(\"Hello, world!\")", " console.log(\"Hello, world!\")", " ```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); }); }); it("with multiple rules", () => { const input = [ "## Hello!", "", "<!-- eslint semi: 2 -->", "", "```js", "var obj = {", " some: 'value'", "}", "", "console.log('opop');", "", "function hello() {", " return false", "};", "```" ].join("\n"); const expected = [ "## Hello!", "", "<!-- eslint semi: 2 -->", "", "```js", "var obj = {", " some: \"value\"", "};", "", "console.log(\"opop\");", "", "function hello() {", " return false;", "};", "```" ].join("\n"); const report = cli.executeOnText(input, "test.md"); const actual = report.results[0].output; assert.strictEqual(actual, expected); }); }); });
36.387635
125
0.416705
c889e422f1eb391bb195331b89529dc984e72103
978
js
JavaScript
test/test-constants.js
ajayshanthiprabhu/cansecurity
49ca854afe3b1f6320fe85c13a8eb3968526df39
[ "MIT" ]
null
null
null
test/test-constants.js
ajayshanthiprabhu/cansecurity
49ca854afe3b1f6320fe85c13a8eb3968526df39
[ "MIT" ]
null
null
null
test/test-constants.js
ajayshanthiprabhu/cansecurity
49ca854afe3b1f6320fe85c13a8eb3968526df39
[ "MIT" ]
1
2020-11-17T09:38:03.000Z
2020-11-17T09:38:03.000Z
/*globals describe, it */ var constants = require('../lib/constants'), assert = require('assert'), AUTHHEADER = 'X-CS-Auth'; describe ("constants", function(){ it("Initialzation without parameters", function(){ var c = constants.get(); assert.equal(c.header.AUTH, AUTHHEADER, "header.AUTH should be "+AUTHHEADER + " but found " +c.header.AUTH); }); it("Initialzation without expected parameters", function(){ constants.init({ unexpectedKey1: "unexpectedValue2", unexpectedKey2: "unexpectedValue2" }); var c = constants.get(); assert.equal(c.header.AUTH, AUTHHEADER, "header.AUTH should be "+AUTHHEADER + " but found " +c.header.AUTH); }); it("Initialzation with expected parameters", function(){ var headers = { authHeader: "test-auth-header" }; constants.init(headers); var c = constants.get(); assert.equal(c.header.AUTH, headers.authHeader, "header.AUTH should be " + headers.authHeader + " but found " +c.header.AUTH); }); });
29.636364
128
0.683027
c88a502837fa2eb66af849e776df1a70b6086b4a
4,437
js
JavaScript
src/pages/super/adminForgotPassword.js
Joblyn/ronzlsdesk
d499871a9a9ad0edc9f5dea608fbfc64a4509f0b
[ "MIT" ]
null
null
null
src/pages/super/adminForgotPassword.js
Joblyn/ronzlsdesk
d499871a9a9ad0edc9f5dea608fbfc64a4509f0b
[ "MIT" ]
null
null
null
src/pages/super/adminForgotPassword.js
Joblyn/ronzlsdesk
d499871a9a9ad0edc9f5dea608fbfc64a4509f0b
[ "MIT" ]
null
null
null
import React, { useState, useEffect } from 'react'; import { Link, useHistory } from 'react-router-dom'; import { useDispatch, useSelector } from 'react-redux'; import logo from '../../assets/images/logo.png'; import bgImage from '../../assets/images/illustration.png'; //components import InputField from '../../components/InputField'; import Button from '../../components/button'; import { forgotPassword } from '../../actions/admin/authAction/Users'; import { adminForgotPassword } from '../../apiConstants/apiConstants'; const ForgotPasswordAdmin = () => { const [control, setControl] = useState({}); const dispatch = useDispatch(); const history = useHistory(); const adminForgotPass = useSelector(state => state.adminForgotPassword); const handleChange = event => { setControl({ ...control, [event.target.name]: event.target.value, }); }; useEffect(() => { if (adminForgotPass.isSuccessful) { history.push('/admin/login'); } }, [adminForgotPass]); const handleClick = event => { event.preventDefault(); dispatch(forgotPassword(adminForgotPassword, control)); }; return ( <div className="login"> <div className="container sm:px-10"> <div className="block xl:grid grid-cols-2 gap-4"> <div className="hidden xl:flex flex-col min-h-screen"> <div className="pt-3"> <Link to="/" className="-intro-x flex items-center"> <img alt="Ronzl Logo" className="w-48" src={logo} /> </Link> </div> <div className="my-auto"> <img alt="Ronzl background" className="-intro-x w-1/2 -mt-16" src={bgImage} /> <div className="-intro-x text-gray-700 font-medium text-4xl leading-tight mt-10"> {/* A few more clicks to <br /> */} Retrieve your account </div> {/* <div className="-intro-x mt-5 text-lg text-gray-700"> Manage all your e-commerce accounts in one place </div> */} </div> </div> <div className="h-screen xl:h-auto flex py-5 xl:py-0 xl:my-0"> <div className="my-auto mx-auto xl:ml-20 bg-white xl:bg-transparent px-5 sm:px-8 py-8 xl:p-0 rounded-md shadow-md xl:shadow-none w-full sm:w-3/4 lg:w-2/4 xl:w-auto"> <div className="lg:hidden"> <div className="pt-3"> <Link to="/" className="-intro-x flex items-center"> <img alt="Ronzl Logo" className="w-20" src={logo} /> </Link> </div> </div> <h2 className="intro-x font-bold text-2xl xl:text-3xl text-center xl:text-left">Header</h2> <div className="intro-x mt-2 text-gray-500 xl:hidden text-center"> Retrieve your account <br /> {/* Manage all your e-commerce accounts in one place */} </div> <div className="intro-x mt-8"> <InputField type="email" name="email" onChange={handleChange} className="intro-x login__input input input--lg border border-gray-300 block" placeholder="Email" /> {/* <InputField type="email" className="intro-x login__input input input--lg border border-gray-300 block mt-4" placeholder="Confirm Email" /> */} </div> <div className="intro-x mt-5 xl:mt-8 xl:text-left"> <Button type="button" onClick={handleClick} className="button button--lg w-full xl:w-40 text-white bg-theme-1 xl:mr-3" value="Confirm Email" /> </div> <div className="intro-x mt-6 xl:mt-10 text-lg text-gray-700 xl:text-left"> Already have an account? <Link to="/admin/login" className="text-green-500 font-semibold px-2 hover:underline" > Login </Link> </div> </div> </div> </div> </div> </div> ); }; export default ForgotPasswordAdmin;
36.669421
177
0.521298
c88a588d5a971032248eb81e862511912e5ccb0a
6,189
js
JavaScript
src/components/LinkedConfigMapsList/index.js
containerum/ui
c5db12fc5873b264f8cf8e3bfba70769dc2bd698
[ "Apache-2.0" ]
14
2018-05-25T15:34:37.000Z
2021-04-02T16:29:49.000Z
src/components/LinkedConfigMapsList/index.js
containerum/ui
c5db12fc5873b264f8cf8e3bfba70769dc2bd698
[ "Apache-2.0" ]
73
2018-07-13T09:00:16.000Z
2019-01-15T09:06:56.000Z
src/components/LinkedConfigMapsList/index.js
containerum/ui
c5db12fc5873b264f8cf8e3bfba70769dc2bd698
[ "Apache-2.0" ]
6
2018-06-06T08:44:11.000Z
2019-01-01T14:34:05.000Z
import React from 'react'; import { Link } from 'react-router-dom'; import className from 'classnames/bind'; import _ from 'lodash/fp'; import { routerLinks } from '../../config/default'; import globalStyles from '../../theme/global.scss'; import configmapStyles from '../../containers/ConfigMaps/index.scss'; type Props = { configMapsData: Array<Object>, dataNamespace: Object, // idDep: string, displayedContainers: Object, handleDeleteConfigMap: (configMapLabel: string) => void }; const globalClass = className.bind(globalStyles); const itemClassName = globalClass( 'blockItemTokensTable', 'contentBlockTable', 'table' ); const containerClassName = globalClass( 'contentBlcokContainer', 'containerCard', 'hoverAction' ); const LinkedConfigMapsList = ({ configMapsData, handleDeleteConfigMap, // idDep, displayedContainers, dataNamespace }: Props) => ( <div className={globalStyles.contentBlock}> <div className={`container ${globalStyles.containerNoBackground}`}> <div> {configMapsData.length >= 1 && displayedContainers.length >= 1 ? ( <table className={itemClassName} style={{ tableLayout: 'fixed', width: '100%', border: 0, cellspacing: 0, cellpadding: 0, marginTop: '30px' }} > <thead style={{ height: '30px' }}> <tr> <td className={configmapStyles.td_1_Configmap}>Name</td> <td className={configmapStyles.td_2_Configmap}>Filename</td> <td className={configmapStyles.td_3_Configmap}>Mount Path</td> <td className={configmapStyles.td_4_Configmap} /> </tr> </thead> <tbody> {configMapsData.map(config => { const { name, data } = config; const filtredContainers = displayedContainers.filter( container => container.name === name ); const accessToCurrentNamespace = dataNamespace ? dataNamespace.access : 'read'; if ( displayedContainers.find(container => container.name === name) ) { return ( <tr className={containerClassName} style={{ margin: 0, boxShadow: '0 2px 0 0 rgba(0, 0, 0, 0.05)' }} key={_.uniqueId()} > <td className={configmapStyles.td_1_Configmap}>{name}</td> <td className={configmapStyles.td_2_Configmap}> <div className={configmapStyles.configmapOverflow}> {Object.keys(data).map(file => ( <span key={file}> <Link style={{ color: '#29abe2' }} to={routerLinks.viewConfigMapFilesLink( dataNamespace.id, name, file )} > {file} </Link> <br /> </span> ))} </div> </td> <td className={configmapStyles.td_3_Configmap}> {filtredContainers.map(filtredContainer => ( <div key={_.uniqueId()}> {filtredContainer.mount_path} </div> ))} </td> <td className={`${ configmapStyles.td_4_Configmap } dopdown no-arrow`} > {accessToCurrentNamespace !== 'read' && ( <i className={`${globalStyles.contentBlockTableMore} ${ globalStyles.dropdownToggle } ${globalStyles.ellipsisRoleMore} ion-more `} data-toggle="dropdown" aria-haspopup="true" aria-expanded="false" /> )} {accessToCurrentNamespace !== 'read' && ( <ul className={` dropdown-menu dropdown-menu-right ${ globalStyles.dropdownMenu }`} role="menu" > <button onClick={() => handleDeleteConfigMap(name)} className={`dropdown-item text-danger ${ globalStyles.dropdownItem }`} > Delete </button> </ul> )} </td> </tr> ); } return null; })} </tbody> </table> ) : ( <table className={itemClassName} style={{ tableLayout: 'fixed', width: '100%', border: 0, cellspacing: 0, cellpadding: 0, marginTop: '30px' }} > <thead> <tr> <td className={configmapStyles.td_5_Configmap}> You don`t have ConfigMaps </td> </tr> </thead> </table> )} </div> </div> </div> ); export default LinkedConfigMapsList;
34.966102
80
0.404104
c88a5b1fefb9e9f4c627d672af13004b6218a43f
1,357
js
JavaScript
src/styles/PaletteStyles.js
GURPREETSINGHMULTANI/React-Colors-Project
1454e6f853720f9b3dc858c84440a71edb32b9b0
[ "Unlicense" ]
null
null
null
src/styles/PaletteStyles.js
GURPREETSINGHMULTANI/React-Colors-Project
1454e6f853720f9b3dc858c84440a71edb32b9b0
[ "Unlicense" ]
null
null
null
src/styles/PaletteStyles.js
GURPREETSINGHMULTANI/React-Colors-Project
1454e6f853720f9b3dc858c84440a71edb32b9b0
[ "Unlicense" ]
null
null
null
import sizes from "./sizes"; export default { Palette: { height: '100vh', display: 'flex', flexDirection: 'column', }, colors: { height: '90%' }, goBack: { width: '20%', height: '50%', margin: '0 auto', display: 'inline-block', position: 'relative', cursor: 'pointer', verticalAlign: 'bottom', opacity: '1', background: 'black', position: 'relative', "& a": { color: "white", width: '100px', height: '30px', position: 'absolute', display: 'inline-block', top: '50%', left: '50%', transform: 'translate(-50%,-50%)', textAlign: 'center', outline: 'none', background: 'rgba(255,255,255,0.3)', fontSize: '1rem', lineHeight: '30px', color: 'white', textTransform: 'uppercase', textDecoration: 'none', border: 'none', }, [sizes.down('lg')]: { width: '25%', height: '33.3%' }, [sizes.down('md')]: { width: '50%', height: '20%' }, [sizes.down('xs')]: { width: '100%', height: '10%' } } };
24.672727
48
0.403095
c88a8b3e6e9f410f295ad93835df533e3b618f5c
5,163
js
JavaScript
packages/ember-routing/lib/location/api.js
lukemelia/ember.js
9ee0f15df894c1b7777e031bde3a9460c0b2e524
[ "MIT" ]
null
null
null
packages/ember-routing/lib/location/api.js
lukemelia/ember.js
9ee0f15df894c1b7777e031bde3a9460c0b2e524
[ "MIT" ]
null
null
null
packages/ember-routing/lib/location/api.js
lukemelia/ember.js
9ee0f15df894c1b7777e031bde3a9460c0b2e524
[ "MIT" ]
null
null
null
/** @module ember @submodule ember-routing */ var get = Ember.get, set = Ember.set; /** Ember.Location returns an instance of the correct implementation of the `location` API. ## Implementations You can pass an implementation name (`hash`, `history`, `none`) to force a particular implementation to be used in your application. ### HashLocation Using `HashLocation` results in URLs with a `#` (hash sign) separating the server side URL portion of the URL from the portion that is used by Ember. This relies upon the `hashchange` event existing in the browser. Example: ```javascript App.Router.map(function() { this.resource('posts', function() { this.route('new'); }); }); App.Router.reopen({ location: 'hash' }); ``` This will result in a posts.new url of `/#/posts/new`. ### HistoryLocation Using `HistoryLocation` results in URLs that are indistinguishable from a standard URL. This relies upon the browser's `history` API. Example: ```javascript App.Router.map(function() { this.resource('posts', function() { this.route('new'); }); }); App.Router.reopen({ location: 'history' }); ``` This will result in a posts.new url of `/posts/new`. Keep in mind that your server must serve the Ember app at all the routes you define. ### AutoLocation Using `AutoLocation`, the router will use the best Location class supported by the browser it is running in. Browsers that support the `history` API will use `HistoryLocation`, those that do not, but still support the `hashchange` event will use `HashLocation`, and in the rare case neither is supported will use `NoneLocation`. Example: ```javascript App.Router.map(function() { this.resource('posts', function() { this.route('new'); }); }); App.Router.reopen({ location: 'auto' }); ``` This will result in a posts.new url of `/posts/new` for modern browsers that support the `history` api or `/#/posts/new` for older ones, like Internet Explorer 9 and below. When a user visits a link to your application, they will be automatically upgraded or downgraded to the appropriate `Location` class, with the URL transformed accordingly, if needed. Keep in mind that since some of your users will use `HistoryLocation`, your server must serve the Ember app at all the routes you define. ### NoneLocation Using `NoneLocation` causes Ember to not store the applications URL state in the actual URL. This is generally used for testing purposes, and is one of the changes made when calling `App.setupForTesting()`. ## Location API Each location implementation must provide the following methods: * implementation: returns the string name used to reference the implementation. * getURL: returns the current URL. * setURL(path): sets the current URL. * replaceURL(path): replace the current URL (optional). * onUpdateURL(callback): triggers the callback when the URL changes. * formatURL(url): formats `url` to be placed into `href` attribute. Calling setURL or replaceURL will not trigger onUpdateURL callbacks. @class Location @namespace Ember @static */ Ember.Location = { /** This is deprecated in favor of using the container to lookup the location implementation as desired. For example: ```javascript // Given a location registered as follows: container.register('location:history-test', HistoryTestLocation); // You could create a new instance via: container.lookup('location:history-test'); ``` @method create @param {Object} options @return {Object} an instance of an implementation of the `location` API @deprecated Use the container to lookup the location implementation that you need. */ create: function(options) { var implementation = options && options.implementation; Ember.assert("Ember.Location.create: you must specify a 'implementation' option", !!implementation); var implementationClass = this.implementations[implementation]; Ember.assert("Ember.Location.create: " + implementation + " is not a valid implementation", !!implementationClass); return implementationClass.create.apply(implementationClass, arguments); }, /** This is deprecated in favor of using the container to register the location implementation as desired. Example: ```javascript Application.initializer({ name: "history-test-location", initialize: function(container, application) { application.register('location:history-test', HistoryTestLocation); } }); ``` @method registerImplementation @param {String} name @param {Object} implementation of the `location` API @deprecated Register your custom location implementation with the container directly. */ registerImplementation: function(name, implementation) { Ember.deprecate('Using the Ember.Location.registerImplementation is no longer supported. Register your custom location implementation with the container instead.', false); this.implementations[name] = implementation; }, implementations: {} };
28.524862
175
0.712377
c88ae834019696b1af98128def10d066c1719420
142,349
js
JavaScript
node_modules/immutable/dist/immutable.js
Tarmity/budget-tracker
752e8016452778379ebbed526d246285320987e1
[ "MIT" ]
20,654
2015-01-01T05:49:34.000Z
2022-03-29T05:44:31.000Z
src/thirdparty/immutable.js
xu4nwu/brackets
ca877bb447573bd15d0813b1ddec5076f736b8a7
[ "MIT" ]
5,226
2015-01-01T01:12:34.000Z
2021-08-31T23:07:19.000Z
src/thirdparty/immutable.js
xu4nwu/brackets
ca877bb447573bd15d0813b1ddec5076f736b8a7
[ "MIT" ]
7,295
2015-01-01T02:08:00.000Z
2022-03-31T03:04:07.000Z
/** * Copyright (c) 2014-present, Facebook, Inc. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? module.exports = factory() : typeof define === 'function' && define.amd ? define(factory) : (global.Immutable = factory()); }(this, function () { 'use strict';var SLICE$0 = Array.prototype.slice; function createClass(ctor, superClass) { if (superClass) { ctor.prototype = Object.create(superClass.prototype); } ctor.prototype.constructor = ctor; } function Iterable(value) { return isIterable(value) ? value : Seq(value); } createClass(KeyedIterable, Iterable); function KeyedIterable(value) { return isKeyed(value) ? value : KeyedSeq(value); } createClass(IndexedIterable, Iterable); function IndexedIterable(value) { return isIndexed(value) ? value : IndexedSeq(value); } createClass(SetIterable, Iterable); function SetIterable(value) { return isIterable(value) && !isAssociative(value) ? value : SetSeq(value); } function isIterable(maybeIterable) { return !!(maybeIterable && maybeIterable[IS_ITERABLE_SENTINEL]); } function isKeyed(maybeKeyed) { return !!(maybeKeyed && maybeKeyed[IS_KEYED_SENTINEL]); } function isIndexed(maybeIndexed) { return !!(maybeIndexed && maybeIndexed[IS_INDEXED_SENTINEL]); } function isAssociative(maybeAssociative) { return isKeyed(maybeAssociative) || isIndexed(maybeAssociative); } function isOrdered(maybeOrdered) { return !!(maybeOrdered && maybeOrdered[IS_ORDERED_SENTINEL]); } Iterable.isIterable = isIterable; Iterable.isKeyed = isKeyed; Iterable.isIndexed = isIndexed; Iterable.isAssociative = isAssociative; Iterable.isOrdered = isOrdered; Iterable.Keyed = KeyedIterable; Iterable.Indexed = IndexedIterable; Iterable.Set = SetIterable; var IS_ITERABLE_SENTINEL = '@@__IMMUTABLE_ITERABLE__@@'; var IS_KEYED_SENTINEL = '@@__IMMUTABLE_KEYED__@@'; var IS_INDEXED_SENTINEL = '@@__IMMUTABLE_INDEXED__@@'; var IS_ORDERED_SENTINEL = '@@__IMMUTABLE_ORDERED__@@'; // Used for setting prototype methods that IE8 chokes on. var DELETE = 'delete'; // Constants describing the size of trie nodes. var SHIFT = 5; // Resulted in best performance after ______? var SIZE = 1 << SHIFT; var MASK = SIZE - 1; // A consistent shared value representing "not set" which equals nothing other // than itself, and nothing that could be provided externally. var NOT_SET = {}; // Boolean references, Rough equivalent of `bool &`. var CHANGE_LENGTH = { value: false }; var DID_ALTER = { value: false }; function MakeRef(ref) { ref.value = false; return ref; } function SetRef(ref) { ref && (ref.value = true); } // A function which returns a value representing an "owner" for transient writes // to tries. The return value will only ever equal itself, and will not equal // the return of any subsequent call of this function. function OwnerID() {} // http://jsperf.com/copy-array-inline function arrCopy(arr, offset) { offset = offset || 0; var len = Math.max(0, arr.length - offset); var newArr = new Array(len); for (var ii = 0; ii < len; ii++) { newArr[ii] = arr[ii + offset]; } return newArr; } function ensureSize(iter) { if (iter.size === undefined) { iter.size = iter.__iterate(returnTrue); } return iter.size; } function wrapIndex(iter, index) { // This implements "is array index" which the ECMAString spec defines as: // // A String property name P is an array index if and only if // ToString(ToUint32(P)) is equal to P and ToUint32(P) is not equal // to 2^32−1. // // http://www.ecma-international.org/ecma-262/6.0/#sec-array-exotic-objects if (typeof index !== 'number') { var uint32Index = index >>> 0; // N >>> 0 is shorthand for ToUint32 if ('' + uint32Index !== index || uint32Index === 4294967295) { return NaN; } index = uint32Index; } return index < 0 ? ensureSize(iter) + index : index; } function returnTrue() { return true; } function wholeSlice(begin, end, size) { return (begin === 0 || (size !== undefined && begin <= -size)) && (end === undefined || (size !== undefined && end >= size)); } function resolveBegin(begin, size) { return resolveIndex(begin, size, 0); } function resolveEnd(end, size) { return resolveIndex(end, size, size); } function resolveIndex(index, size, defaultIndex) { return index === undefined ? defaultIndex : index < 0 ? Math.max(0, size + index) : size === undefined ? index : Math.min(size, index); } /* global Symbol */ var ITERATE_KEYS = 0; var ITERATE_VALUES = 1; var ITERATE_ENTRIES = 2; var REAL_ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator; var FAUX_ITERATOR_SYMBOL = '@@iterator'; var ITERATOR_SYMBOL = REAL_ITERATOR_SYMBOL || FAUX_ITERATOR_SYMBOL; function Iterator(next) { this.next = next; } Iterator.prototype.toString = function() { return '[Iterator]'; }; Iterator.KEYS = ITERATE_KEYS; Iterator.VALUES = ITERATE_VALUES; Iterator.ENTRIES = ITERATE_ENTRIES; Iterator.prototype.inspect = Iterator.prototype.toSource = function () { return this.toString(); } Iterator.prototype[ITERATOR_SYMBOL] = function () { return this; }; function iteratorValue(type, k, v, iteratorResult) { var value = type === 0 ? k : type === 1 ? v : [k, v]; iteratorResult ? (iteratorResult.value = value) : (iteratorResult = { value: value, done: false }); return iteratorResult; } function iteratorDone() { return { value: undefined, done: true }; } function hasIterator(maybeIterable) { return !!getIteratorFn(maybeIterable); } function isIterator(maybeIterator) { return maybeIterator && typeof maybeIterator.next === 'function'; } function getIterator(iterable) { var iteratorFn = getIteratorFn(iterable); return iteratorFn && iteratorFn.call(iterable); } function getIteratorFn(iterable) { var iteratorFn = iterable && ( (REAL_ITERATOR_SYMBOL && iterable[REAL_ITERATOR_SYMBOL]) || iterable[FAUX_ITERATOR_SYMBOL] ); if (typeof iteratorFn === 'function') { return iteratorFn; } } function isArrayLike(value) { return value && typeof value.length === 'number'; } createClass(Seq, Iterable); function Seq(value) { return value === null || value === undefined ? emptySequence() : isIterable(value) ? value.toSeq() : seqFromValue(value); } Seq.of = function(/*...values*/) { return Seq(arguments); }; Seq.prototype.toSeq = function() { return this; }; Seq.prototype.toString = function() { return this.__toString('Seq {', '}'); }; Seq.prototype.cacheResult = function() { if (!this._cache && this.__iterateUncached) { this._cache = this.entrySeq().toArray(); this.size = this._cache.length; } return this; }; // abstract __iterateUncached(fn, reverse) Seq.prototype.__iterate = function(fn, reverse) { return seqIterate(this, fn, reverse, true); }; // abstract __iteratorUncached(type, reverse) Seq.prototype.__iterator = function(type, reverse) { return seqIterator(this, type, reverse, true); }; createClass(KeyedSeq, Seq); function KeyedSeq(value) { return value === null || value === undefined ? emptySequence().toKeyedSeq() : isIterable(value) ? (isKeyed(value) ? value.toSeq() : value.fromEntrySeq()) : keyedSeqFromValue(value); } KeyedSeq.prototype.toKeyedSeq = function() { return this; }; createClass(IndexedSeq, Seq); function IndexedSeq(value) { return value === null || value === undefined ? emptySequence() : !isIterable(value) ? indexedSeqFromValue(value) : isKeyed(value) ? value.entrySeq() : value.toIndexedSeq(); } IndexedSeq.of = function(/*...values*/) { return IndexedSeq(arguments); }; IndexedSeq.prototype.toIndexedSeq = function() { return this; }; IndexedSeq.prototype.toString = function() { return this.__toString('Seq [', ']'); }; IndexedSeq.prototype.__iterate = function(fn, reverse) { return seqIterate(this, fn, reverse, false); }; IndexedSeq.prototype.__iterator = function(type, reverse) { return seqIterator(this, type, reverse, false); }; createClass(SetSeq, Seq); function SetSeq(value) { return ( value === null || value === undefined ? emptySequence() : !isIterable(value) ? indexedSeqFromValue(value) : isKeyed(value) ? value.entrySeq() : value ).toSetSeq(); } SetSeq.of = function(/*...values*/) { return SetSeq(arguments); }; SetSeq.prototype.toSetSeq = function() { return this; }; Seq.isSeq = isSeq; Seq.Keyed = KeyedSeq; Seq.Set = SetSeq; Seq.Indexed = IndexedSeq; var IS_SEQ_SENTINEL = '@@__IMMUTABLE_SEQ__@@'; Seq.prototype[IS_SEQ_SENTINEL] = true; createClass(ArraySeq, IndexedSeq); function ArraySeq(array) { this._array = array; this.size = array.length; } ArraySeq.prototype.get = function(index, notSetValue) { return this.has(index) ? this._array[wrapIndex(this, index)] : notSetValue; }; ArraySeq.prototype.__iterate = function(fn, reverse) { var array = this._array; var maxIndex = array.length - 1; for (var ii = 0; ii <= maxIndex; ii++) { if (fn(array[reverse ? maxIndex - ii : ii], ii, this) === false) { return ii + 1; } } return ii; }; ArraySeq.prototype.__iterator = function(type, reverse) { var array = this._array; var maxIndex = array.length - 1; var ii = 0; return new Iterator(function() {return ii > maxIndex ? iteratorDone() : iteratorValue(type, ii, array[reverse ? maxIndex - ii++ : ii++])} ); }; createClass(ObjectSeq, KeyedSeq); function ObjectSeq(object) { var keys = Object.keys(object); this._object = object; this._keys = keys; this.size = keys.length; } ObjectSeq.prototype.get = function(key, notSetValue) { if (notSetValue !== undefined && !this.has(key)) { return notSetValue; } return this._object[key]; }; ObjectSeq.prototype.has = function(key) { return this._object.hasOwnProperty(key); }; ObjectSeq.prototype.__iterate = function(fn, reverse) { var object = this._object; var keys = this._keys; var maxIndex = keys.length - 1; for (var ii = 0; ii <= maxIndex; ii++) { var key = keys[reverse ? maxIndex - ii : ii]; if (fn(object[key], key, this) === false) { return ii + 1; } } return ii; }; ObjectSeq.prototype.__iterator = function(type, reverse) { var object = this._object; var keys = this._keys; var maxIndex = keys.length - 1; var ii = 0; return new Iterator(function() { var key = keys[reverse ? maxIndex - ii : ii]; return ii++ > maxIndex ? iteratorDone() : iteratorValue(type, key, object[key]); }); }; ObjectSeq.prototype[IS_ORDERED_SENTINEL] = true; createClass(IterableSeq, IndexedSeq); function IterableSeq(iterable) { this._iterable = iterable; this.size = iterable.length || iterable.size; } IterableSeq.prototype.__iterateUncached = function(fn, reverse) { if (reverse) { return this.cacheResult().__iterate(fn, reverse); } var iterable = this._iterable; var iterator = getIterator(iterable); var iterations = 0; if (isIterator(iterator)) { var step; while (!(step = iterator.next()).done) { if (fn(step.value, iterations++, this) === false) { break; } } } return iterations; }; IterableSeq.prototype.__iteratorUncached = function(type, reverse) { if (reverse) { return this.cacheResult().__iterator(type, reverse); } var iterable = this._iterable; var iterator = getIterator(iterable); if (!isIterator(iterator)) { return new Iterator(iteratorDone); } var iterations = 0; return new Iterator(function() { var step = iterator.next(); return step.done ? step : iteratorValue(type, iterations++, step.value); }); }; createClass(IteratorSeq, IndexedSeq); function IteratorSeq(iterator) { this._iterator = iterator; this._iteratorCache = []; } IteratorSeq.prototype.__iterateUncached = function(fn, reverse) { if (reverse) { return this.cacheResult().__iterate(fn, reverse); } var iterator = this._iterator; var cache = this._iteratorCache; var iterations = 0; while (iterations < cache.length) { if (fn(cache[iterations], iterations++, this) === false) { return iterations; } } var step; while (!(step = iterator.next()).done) { var val = step.value; cache[iterations] = val; if (fn(val, iterations++, this) === false) { break; } } return iterations; }; IteratorSeq.prototype.__iteratorUncached = function(type, reverse) { if (reverse) { return this.cacheResult().__iterator(type, reverse); } var iterator = this._iterator; var cache = this._iteratorCache; var iterations = 0; return new Iterator(function() { if (iterations >= cache.length) { var step = iterator.next(); if (step.done) { return step; } cache[iterations] = step.value; } return iteratorValue(type, iterations, cache[iterations++]); }); }; // # pragma Helper functions function isSeq(maybeSeq) { return !!(maybeSeq && maybeSeq[IS_SEQ_SENTINEL]); } var EMPTY_SEQ; function emptySequence() { return EMPTY_SEQ || (EMPTY_SEQ = new ArraySeq([])); } function keyedSeqFromValue(value) { var seq = Array.isArray(value) ? new ArraySeq(value).fromEntrySeq() : isIterator(value) ? new IteratorSeq(value).fromEntrySeq() : hasIterator(value) ? new IterableSeq(value).fromEntrySeq() : typeof value === 'object' ? new ObjectSeq(value) : undefined; if (!seq) { throw new TypeError( 'Expected Array or iterable object of [k, v] entries, '+ 'or keyed object: ' + value ); } return seq; } function indexedSeqFromValue(value) { var seq = maybeIndexedSeqFromValue(value); if (!seq) { throw new TypeError( 'Expected Array or iterable object of values: ' + value ); } return seq; } function seqFromValue(value) { var seq = maybeIndexedSeqFromValue(value) || (typeof value === 'object' && new ObjectSeq(value)); if (!seq) { throw new TypeError( 'Expected Array or iterable object of values, or keyed object: ' + value ); } return seq; } function maybeIndexedSeqFromValue(value) { return ( isArrayLike(value) ? new ArraySeq(value) : isIterator(value) ? new IteratorSeq(value) : hasIterator(value) ? new IterableSeq(value) : undefined ); } function seqIterate(seq, fn, reverse, useKeys) { var cache = seq._cache; if (cache) { var maxIndex = cache.length - 1; for (var ii = 0; ii <= maxIndex; ii++) { var entry = cache[reverse ? maxIndex - ii : ii]; if (fn(entry[1], useKeys ? entry[0] : ii, seq) === false) { return ii + 1; } } return ii; } return seq.__iterateUncached(fn, reverse); } function seqIterator(seq, type, reverse, useKeys) { var cache = seq._cache; if (cache) { var maxIndex = cache.length - 1; var ii = 0; return new Iterator(function() { var entry = cache[reverse ? maxIndex - ii : ii]; return ii++ > maxIndex ? iteratorDone() : iteratorValue(type, useKeys ? entry[0] : ii - 1, entry[1]); }); } return seq.__iteratorUncached(type, reverse); } function fromJS(json, converter) { return converter ? fromJSWith(converter, json, '', {'': json}) : fromJSDefault(json); } function fromJSWith(converter, json, key, parentJSON) { if (Array.isArray(json)) { return converter.call(parentJSON, key, IndexedSeq(json).map(function(v, k) {return fromJSWith(converter, v, k, json)})); } if (isPlainObj(json)) { return converter.call(parentJSON, key, KeyedSeq(json).map(function(v, k) {return fromJSWith(converter, v, k, json)})); } return json; } function fromJSDefault(json) { if (Array.isArray(json)) { return IndexedSeq(json).map(fromJSDefault).toList(); } if (isPlainObj(json)) { return KeyedSeq(json).map(fromJSDefault).toMap(); } return json; } function isPlainObj(value) { return value && (value.constructor === Object || value.constructor === undefined); } /** * An extension of the "same-value" algorithm as [described for use by ES6 Map * and Set](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Map#Key_equality) * * NaN is considered the same as NaN, however -0 and 0 are considered the same * value, which is different from the algorithm described by * [`Object.is`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is). * * This is extended further to allow Objects to describe the values they * represent, by way of `valueOf` or `equals` (and `hashCode`). * * Note: because of this extension, the key equality of Immutable.Map and the * value equality of Immutable.Set will differ from ES6 Map and Set. * * ### Defining custom values * * The easiest way to describe the value an object represents is by implementing * `valueOf`. For example, `Date` represents a value by returning a unix * timestamp for `valueOf`: * * var date1 = new Date(1234567890000); // Fri Feb 13 2009 ... * var date2 = new Date(1234567890000); * date1.valueOf(); // 1234567890000 * assert( date1 !== date2 ); * assert( Immutable.is( date1, date2 ) ); * * Note: overriding `valueOf` may have other implications if you use this object * where JavaScript expects a primitive, such as implicit string coercion. * * For more complex types, especially collections, implementing `valueOf` may * not be performant. An alternative is to implement `equals` and `hashCode`. * * `equals` takes another object, presumably of similar type, and returns true * if the it is equal. Equality is symmetrical, so the same result should be * returned if this and the argument are flipped. * * assert( a.equals(b) === b.equals(a) ); * * `hashCode` returns a 32bit integer number representing the object which will * be used to determine how to store the value object in a Map or Set. You must * provide both or neither methods, one must not exist without the other. * * Also, an important relationship between these methods must be upheld: if two * values are equal, they *must* return the same hashCode. If the values are not * equal, they might have the same hashCode; this is called a hash collision, * and while undesirable for performance reasons, it is acceptable. * * if (a.equals(b)) { * assert( a.hashCode() === b.hashCode() ); * } * * All Immutable collections implement `equals` and `hashCode`. * */ function is(valueA, valueB) { if (valueA === valueB || (valueA !== valueA && valueB !== valueB)) { return true; } if (!valueA || !valueB) { return false; } if (typeof valueA.valueOf === 'function' && typeof valueB.valueOf === 'function') { valueA = valueA.valueOf(); valueB = valueB.valueOf(); if (valueA === valueB || (valueA !== valueA && valueB !== valueB)) { return true; } if (!valueA || !valueB) { return false; } } if (typeof valueA.equals === 'function' && typeof valueB.equals === 'function' && valueA.equals(valueB)) { return true; } return false; } function deepEqual(a, b) { if (a === b) { return true; } if ( !isIterable(b) || a.size !== undefined && b.size !== undefined && a.size !== b.size || a.__hash !== undefined && b.__hash !== undefined && a.__hash !== b.__hash || isKeyed(a) !== isKeyed(b) || isIndexed(a) !== isIndexed(b) || isOrdered(a) !== isOrdered(b) ) { return false; } if (a.size === 0 && b.size === 0) { return true; } var notAssociative = !isAssociative(a); if (isOrdered(a)) { var entries = a.entries(); return b.every(function(v, k) { var entry = entries.next().value; return entry && is(entry[1], v) && (notAssociative || is(entry[0], k)); }) && entries.next().done; } var flipped = false; if (a.size === undefined) { if (b.size === undefined) { if (typeof a.cacheResult === 'function') { a.cacheResult(); } } else { flipped = true; var _ = a; a = b; b = _; } } var allEqual = true; var bSize = b.__iterate(function(v, k) { if (notAssociative ? !a.has(v) : flipped ? !is(v, a.get(k, NOT_SET)) : !is(a.get(k, NOT_SET), v)) { allEqual = false; return false; } }); return allEqual && a.size === bSize; } createClass(Repeat, IndexedSeq); function Repeat(value, times) { if (!(this instanceof Repeat)) { return new Repeat(value, times); } this._value = value; this.size = times === undefined ? Infinity : Math.max(0, times); if (this.size === 0) { if (EMPTY_REPEAT) { return EMPTY_REPEAT; } EMPTY_REPEAT = this; } } Repeat.prototype.toString = function() { if (this.size === 0) { return 'Repeat []'; } return 'Repeat [ ' + this._value + ' ' + this.size + ' times ]'; }; Repeat.prototype.get = function(index, notSetValue) { return this.has(index) ? this._value : notSetValue; }; Repeat.prototype.includes = function(searchValue) { return is(this._value, searchValue); }; Repeat.prototype.slice = function(begin, end) { var size = this.size; return wholeSlice(begin, end, size) ? this : new Repeat(this._value, resolveEnd(end, size) - resolveBegin(begin, size)); }; Repeat.prototype.reverse = function() { return this; }; Repeat.prototype.indexOf = function(searchValue) { if (is(this._value, searchValue)) { return 0; } return -1; }; Repeat.prototype.lastIndexOf = function(searchValue) { if (is(this._value, searchValue)) { return this.size; } return -1; }; Repeat.prototype.__iterate = function(fn, reverse) { for (var ii = 0; ii < this.size; ii++) { if (fn(this._value, ii, this) === false) { return ii + 1; } } return ii; }; Repeat.prototype.__iterator = function(type, reverse) {var this$0 = this; var ii = 0; return new Iterator(function() {return ii < this$0.size ? iteratorValue(type, ii++, this$0._value) : iteratorDone()} ); }; Repeat.prototype.equals = function(other) { return other instanceof Repeat ? is(this._value, other._value) : deepEqual(other); }; var EMPTY_REPEAT; function invariant(condition, error) { if (!condition) throw new Error(error); } createClass(Range, IndexedSeq); function Range(start, end, step) { if (!(this instanceof Range)) { return new Range(start, end, step); } invariant(step !== 0, 'Cannot step a Range by 0'); start = start || 0; if (end === undefined) { end = Infinity; } step = step === undefined ? 1 : Math.abs(step); if (end < start) { step = -step; } this._start = start; this._end = end; this._step = step; this.size = Math.max(0, Math.ceil((end - start) / step - 1) + 1); if (this.size === 0) { if (EMPTY_RANGE) { return EMPTY_RANGE; } EMPTY_RANGE = this; } } Range.prototype.toString = function() { if (this.size === 0) { return 'Range []'; } return 'Range [ ' + this._start + '...' + this._end + (this._step !== 1 ? ' by ' + this._step : '') + ' ]'; }; Range.prototype.get = function(index, notSetValue) { return this.has(index) ? this._start + wrapIndex(this, index) * this._step : notSetValue; }; Range.prototype.includes = function(searchValue) { var possibleIndex = (searchValue - this._start) / this._step; return possibleIndex >= 0 && possibleIndex < this.size && possibleIndex === Math.floor(possibleIndex); }; Range.prototype.slice = function(begin, end) { if (wholeSlice(begin, end, this.size)) { return this; } begin = resolveBegin(begin, this.size); end = resolveEnd(end, this.size); if (end <= begin) { return new Range(0, 0); } return new Range(this.get(begin, this._end), this.get(end, this._end), this._step); }; Range.prototype.indexOf = function(searchValue) { var offsetValue = searchValue - this._start; if (offsetValue % this._step === 0) { var index = offsetValue / this._step; if (index >= 0 && index < this.size) { return index } } return -1; }; Range.prototype.lastIndexOf = function(searchValue) { return this.indexOf(searchValue); }; Range.prototype.__iterate = function(fn, reverse) { var maxIndex = this.size - 1; var step = this._step; var value = reverse ? this._start + maxIndex * step : this._start; for (var ii = 0; ii <= maxIndex; ii++) { if (fn(value, ii, this) === false) { return ii + 1; } value += reverse ? -step : step; } return ii; }; Range.prototype.__iterator = function(type, reverse) { var maxIndex = this.size - 1; var step = this._step; var value = reverse ? this._start + maxIndex * step : this._start; var ii = 0; return new Iterator(function() { var v = value; value += reverse ? -step : step; return ii > maxIndex ? iteratorDone() : iteratorValue(type, ii++, v); }); }; Range.prototype.equals = function(other) { return other instanceof Range ? this._start === other._start && this._end === other._end && this._step === other._step : deepEqual(this, other); }; var EMPTY_RANGE; createClass(Collection, Iterable); function Collection() { throw TypeError('Abstract'); } createClass(KeyedCollection, Collection);function KeyedCollection() {} createClass(IndexedCollection, Collection);function IndexedCollection() {} createClass(SetCollection, Collection);function SetCollection() {} Collection.Keyed = KeyedCollection; Collection.Indexed = IndexedCollection; Collection.Set = SetCollection; var imul = typeof Math.imul === 'function' && Math.imul(0xffffffff, 2) === -2 ? Math.imul : function imul(a, b) { a = a | 0; // int b = b | 0; // int var c = a & 0xffff; var d = b & 0xffff; // Shift by 0 fixes the sign on the high part. return (c * d) + ((((a >>> 16) * d + c * (b >>> 16)) << 16) >>> 0) | 0; // int }; // v8 has an optimization for storing 31-bit signed numbers. // Values which have either 00 or 11 as the high order bits qualify. // This function drops the highest order bit in a signed number, maintaining // the sign bit. function smi(i32) { return ((i32 >>> 1) & 0x40000000) | (i32 & 0xBFFFFFFF); } function hash(o) { if (o === false || o === null || o === undefined) { return 0; } if (typeof o.valueOf === 'function') { o = o.valueOf(); if (o === false || o === null || o === undefined) { return 0; } } if (o === true) { return 1; } var type = typeof o; if (type === 'number') { if (o !== o || o === Infinity) { return 0; } var h = o | 0; if (h !== o) { h ^= o * 0xFFFFFFFF; } while (o > 0xFFFFFFFF) { o /= 0xFFFFFFFF; h ^= o; } return smi(h); } if (type === 'string') { return o.length > STRING_HASH_CACHE_MIN_STRLEN ? cachedHashString(o) : hashString(o); } if (typeof o.hashCode === 'function') { return o.hashCode(); } if (type === 'object') { return hashJSObj(o); } if (typeof o.toString === 'function') { return hashString(o.toString()); } throw new Error('Value type ' + type + ' cannot be hashed.'); } function cachedHashString(string) { var hash = stringHashCache[string]; if (hash === undefined) { hash = hashString(string); if (STRING_HASH_CACHE_SIZE === STRING_HASH_CACHE_MAX_SIZE) { STRING_HASH_CACHE_SIZE = 0; stringHashCache = {}; } STRING_HASH_CACHE_SIZE++; stringHashCache[string] = hash; } return hash; } // http://jsperf.com/hashing-strings function hashString(string) { // This is the hash from JVM // The hash code for a string is computed as // s[0] * 31 ^ (n - 1) + s[1] * 31 ^ (n - 2) + ... + s[n - 1], // where s[i] is the ith character of the string and n is the length of // the string. We "mod" the result to make it between 0 (inclusive) and 2^31 // (exclusive) by dropping high bits. var hash = 0; for (var ii = 0; ii < string.length; ii++) { hash = 31 * hash + string.charCodeAt(ii) | 0; } return smi(hash); } function hashJSObj(obj) { var hash; if (usingWeakMap) { hash = weakMap.get(obj); if (hash !== undefined) { return hash; } } hash = obj[UID_HASH_KEY]; if (hash !== undefined) { return hash; } if (!canDefineProperty) { hash = obj.propertyIsEnumerable && obj.propertyIsEnumerable[UID_HASH_KEY]; if (hash !== undefined) { return hash; } hash = getIENodeHash(obj); if (hash !== undefined) { return hash; } } hash = ++objHashUID; if (objHashUID & 0x40000000) { objHashUID = 0; } if (usingWeakMap) { weakMap.set(obj, hash); } else if (isExtensible !== undefined && isExtensible(obj) === false) { throw new Error('Non-extensible objects are not allowed as keys.'); } else if (canDefineProperty) { Object.defineProperty(obj, UID_HASH_KEY, { 'enumerable': false, 'configurable': false, 'writable': false, 'value': hash }); } else if (obj.propertyIsEnumerable !== undefined && obj.propertyIsEnumerable === obj.constructor.prototype.propertyIsEnumerable) { // Since we can't define a non-enumerable property on the object // we'll hijack one of the less-used non-enumerable properties to // save our hash on it. Since this is a function it will not show up in // `JSON.stringify` which is what we want. obj.propertyIsEnumerable = function() { return this.constructor.prototype.propertyIsEnumerable.apply(this, arguments); }; obj.propertyIsEnumerable[UID_HASH_KEY] = hash; } else if (obj.nodeType !== undefined) { // At this point we couldn't get the IE `uniqueID` to use as a hash // and we couldn't use a non-enumerable property to exploit the // dontEnum bug so we simply add the `UID_HASH_KEY` on the node // itself. obj[UID_HASH_KEY] = hash; } else { throw new Error('Unable to set a non-enumerable property on object.'); } return hash; } // Get references to ES5 object methods. var isExtensible = Object.isExtensible; // True if Object.defineProperty works as expected. IE8 fails this test. var canDefineProperty = (function() { try { Object.defineProperty({}, '@', {}); return true; } catch (e) { return false; } }()); // IE has a `uniqueID` property on DOM nodes. We can construct the hash from it // and avoid memory leaks from the IE cloneNode bug. function getIENodeHash(node) { if (node && node.nodeType > 0) { switch (node.nodeType) { case 1: // Element return node.uniqueID; case 9: // Document return node.documentElement && node.documentElement.uniqueID; } } } // If possible, use a WeakMap. var usingWeakMap = typeof WeakMap === 'function'; var weakMap; if (usingWeakMap) { weakMap = new WeakMap(); } var objHashUID = 0; var UID_HASH_KEY = '__immutablehash__'; if (typeof Symbol === 'function') { UID_HASH_KEY = Symbol(UID_HASH_KEY); } var STRING_HASH_CACHE_MIN_STRLEN = 16; var STRING_HASH_CACHE_MAX_SIZE = 255; var STRING_HASH_CACHE_SIZE = 0; var stringHashCache = {}; function assertNotInfinite(size) { invariant( size !== Infinity, 'Cannot perform this action with an infinite size.' ); } createClass(Map, KeyedCollection); // @pragma Construction function Map(value) { return value === null || value === undefined ? emptyMap() : isMap(value) && !isOrdered(value) ? value : emptyMap().withMutations(function(map ) { var iter = KeyedIterable(value); assertNotInfinite(iter.size); iter.forEach(function(v, k) {return map.set(k, v)}); }); } Map.of = function() {var keyValues = SLICE$0.call(arguments, 0); return emptyMap().withMutations(function(map ) { for (var i = 0; i < keyValues.length; i += 2) { if (i + 1 >= keyValues.length) { throw new Error('Missing value for key: ' + keyValues[i]); } map.set(keyValues[i], keyValues[i + 1]); } }); }; Map.prototype.toString = function() { return this.__toString('Map {', '}'); }; // @pragma Access Map.prototype.get = function(k, notSetValue) { return this._root ? this._root.get(0, undefined, k, notSetValue) : notSetValue; }; // @pragma Modification Map.prototype.set = function(k, v) { return updateMap(this, k, v); }; Map.prototype.setIn = function(keyPath, v) { return this.updateIn(keyPath, NOT_SET, function() {return v}); }; Map.prototype.remove = function(k) { return updateMap(this, k, NOT_SET); }; Map.prototype.deleteIn = function(keyPath) { return this.updateIn(keyPath, function() {return NOT_SET}); }; Map.prototype.update = function(k, notSetValue, updater) { return arguments.length === 1 ? k(this) : this.updateIn([k], notSetValue, updater); }; Map.prototype.updateIn = function(keyPath, notSetValue, updater) { if (!updater) { updater = notSetValue; notSetValue = undefined; } var updatedValue = updateInDeepMap( this, forceIterator(keyPath), notSetValue, updater ); return updatedValue === NOT_SET ? undefined : updatedValue; }; Map.prototype.clear = function() { if (this.size === 0) { return this; } if (this.__ownerID) { this.size = 0; this._root = null; this.__hash = undefined; this.__altered = true; return this; } return emptyMap(); }; // @pragma Composition Map.prototype.merge = function(/*...iters*/) { return mergeIntoMapWith(this, undefined, arguments); }; Map.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1); return mergeIntoMapWith(this, merger, iters); }; Map.prototype.mergeIn = function(keyPath) {var iters = SLICE$0.call(arguments, 1); return this.updateIn( keyPath, emptyMap(), function(m ) {return typeof m.merge === 'function' ? m.merge.apply(m, iters) : iters[iters.length - 1]} ); }; Map.prototype.mergeDeep = function(/*...iters*/) { return mergeIntoMapWith(this, deepMerger, arguments); }; Map.prototype.mergeDeepWith = function(merger) {var iters = SLICE$0.call(arguments, 1); return mergeIntoMapWith(this, deepMergerWith(merger), iters); }; Map.prototype.mergeDeepIn = function(keyPath) {var iters = SLICE$0.call(arguments, 1); return this.updateIn( keyPath, emptyMap(), function(m ) {return typeof m.mergeDeep === 'function' ? m.mergeDeep.apply(m, iters) : iters[iters.length - 1]} ); }; Map.prototype.sort = function(comparator) { // Late binding return OrderedMap(sortFactory(this, comparator)); }; Map.prototype.sortBy = function(mapper, comparator) { // Late binding return OrderedMap(sortFactory(this, comparator, mapper)); }; // @pragma Mutability Map.prototype.withMutations = function(fn) { var mutable = this.asMutable(); fn(mutable); return mutable.wasAltered() ? mutable.__ensureOwner(this.__ownerID) : this; }; Map.prototype.asMutable = function() { return this.__ownerID ? this : this.__ensureOwner(new OwnerID()); }; Map.prototype.asImmutable = function() { return this.__ensureOwner(); }; Map.prototype.wasAltered = function() { return this.__altered; }; Map.prototype.__iterator = function(type, reverse) { return new MapIterator(this, type, reverse); }; Map.prototype.__iterate = function(fn, reverse) {var this$0 = this; var iterations = 0; this._root && this._root.iterate(function(entry ) { iterations++; return fn(entry[1], entry[0], this$0); }, reverse); return iterations; }; Map.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } if (!ownerID) { this.__ownerID = ownerID; this.__altered = false; return this; } return makeMap(this.size, this._root, ownerID, this.__hash); }; function isMap(maybeMap) { return !!(maybeMap && maybeMap[IS_MAP_SENTINEL]); } Map.isMap = isMap; var IS_MAP_SENTINEL = '@@__IMMUTABLE_MAP__@@'; var MapPrototype = Map.prototype; MapPrototype[IS_MAP_SENTINEL] = true; MapPrototype[DELETE] = MapPrototype.remove; MapPrototype.removeIn = MapPrototype.deleteIn; // #pragma Trie Nodes function ArrayMapNode(ownerID, entries) { this.ownerID = ownerID; this.entries = entries; } ArrayMapNode.prototype.get = function(shift, keyHash, key, notSetValue) { var entries = this.entries; for (var ii = 0, len = entries.length; ii < len; ii++) { if (is(key, entries[ii][0])) { return entries[ii][1]; } } return notSetValue; }; ArrayMapNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { var removed = value === NOT_SET; var entries = this.entries; var idx = 0; for (var len = entries.length; idx < len; idx++) { if (is(key, entries[idx][0])) { break; } } var exists = idx < len; if (exists ? entries[idx][1] === value : removed) { return this; } SetRef(didAlter); (removed || !exists) && SetRef(didChangeSize); if (removed && entries.length === 1) { return; // undefined } if (!exists && !removed && entries.length >= MAX_ARRAY_MAP_SIZE) { return createNodes(ownerID, entries, key, value); } var isEditable = ownerID && ownerID === this.ownerID; var newEntries = isEditable ? entries : arrCopy(entries); if (exists) { if (removed) { idx === len - 1 ? newEntries.pop() : (newEntries[idx] = newEntries.pop()); } else { newEntries[idx] = [key, value]; } } else { newEntries.push([key, value]); } if (isEditable) { this.entries = newEntries; return this; } return new ArrayMapNode(ownerID, newEntries); }; function BitmapIndexedNode(ownerID, bitmap, nodes) { this.ownerID = ownerID; this.bitmap = bitmap; this.nodes = nodes; } BitmapIndexedNode.prototype.get = function(shift, keyHash, key, notSetValue) { if (keyHash === undefined) { keyHash = hash(key); } var bit = (1 << ((shift === 0 ? keyHash : keyHash >>> shift) & MASK)); var bitmap = this.bitmap; return (bitmap & bit) === 0 ? notSetValue : this.nodes[popCount(bitmap & (bit - 1))].get(shift + SHIFT, keyHash, key, notSetValue); }; BitmapIndexedNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { if (keyHash === undefined) { keyHash = hash(key); } var keyHashFrag = (shift === 0 ? keyHash : keyHash >>> shift) & MASK; var bit = 1 << keyHashFrag; var bitmap = this.bitmap; var exists = (bitmap & bit) !== 0; if (!exists && value === NOT_SET) { return this; } var idx = popCount(bitmap & (bit - 1)); var nodes = this.nodes; var node = exists ? nodes[idx] : undefined; var newNode = updateNode(node, ownerID, shift + SHIFT, keyHash, key, value, didChangeSize, didAlter); if (newNode === node) { return this; } if (!exists && newNode && nodes.length >= MAX_BITMAP_INDEXED_SIZE) { return expandNodes(ownerID, nodes, bitmap, keyHashFrag, newNode); } if (exists && !newNode && nodes.length === 2 && isLeafNode(nodes[idx ^ 1])) { return nodes[idx ^ 1]; } if (exists && newNode && nodes.length === 1 && isLeafNode(newNode)) { return newNode; } var isEditable = ownerID && ownerID === this.ownerID; var newBitmap = exists ? newNode ? bitmap : bitmap ^ bit : bitmap | bit; var newNodes = exists ? newNode ? setIn(nodes, idx, newNode, isEditable) : spliceOut(nodes, idx, isEditable) : spliceIn(nodes, idx, newNode, isEditable); if (isEditable) { this.bitmap = newBitmap; this.nodes = newNodes; return this; } return new BitmapIndexedNode(ownerID, newBitmap, newNodes); }; function HashArrayMapNode(ownerID, count, nodes) { this.ownerID = ownerID; this.count = count; this.nodes = nodes; } HashArrayMapNode.prototype.get = function(shift, keyHash, key, notSetValue) { if (keyHash === undefined) { keyHash = hash(key); } var idx = (shift === 0 ? keyHash : keyHash >>> shift) & MASK; var node = this.nodes[idx]; return node ? node.get(shift + SHIFT, keyHash, key, notSetValue) : notSetValue; }; HashArrayMapNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { if (keyHash === undefined) { keyHash = hash(key); } var idx = (shift === 0 ? keyHash : keyHash >>> shift) & MASK; var removed = value === NOT_SET; var nodes = this.nodes; var node = nodes[idx]; if (removed && !node) { return this; } var newNode = updateNode(node, ownerID, shift + SHIFT, keyHash, key, value, didChangeSize, didAlter); if (newNode === node) { return this; } var newCount = this.count; if (!node) { newCount++; } else if (!newNode) { newCount--; if (newCount < MIN_HASH_ARRAY_MAP_SIZE) { return packNodes(ownerID, nodes, newCount, idx); } } var isEditable = ownerID && ownerID === this.ownerID; var newNodes = setIn(nodes, idx, newNode, isEditable); if (isEditable) { this.count = newCount; this.nodes = newNodes; return this; } return new HashArrayMapNode(ownerID, newCount, newNodes); }; function HashCollisionNode(ownerID, keyHash, entries) { this.ownerID = ownerID; this.keyHash = keyHash; this.entries = entries; } HashCollisionNode.prototype.get = function(shift, keyHash, key, notSetValue) { var entries = this.entries; for (var ii = 0, len = entries.length; ii < len; ii++) { if (is(key, entries[ii][0])) { return entries[ii][1]; } } return notSetValue; }; HashCollisionNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { if (keyHash === undefined) { keyHash = hash(key); } var removed = value === NOT_SET; if (keyHash !== this.keyHash) { if (removed) { return this; } SetRef(didAlter); SetRef(didChangeSize); return mergeIntoNode(this, ownerID, shift, keyHash, [key, value]); } var entries = this.entries; var idx = 0; for (var len = entries.length; idx < len; idx++) { if (is(key, entries[idx][0])) { break; } } var exists = idx < len; if (exists ? entries[idx][1] === value : removed) { return this; } SetRef(didAlter); (removed || !exists) && SetRef(didChangeSize); if (removed && len === 2) { return new ValueNode(ownerID, this.keyHash, entries[idx ^ 1]); } var isEditable = ownerID && ownerID === this.ownerID; var newEntries = isEditable ? entries : arrCopy(entries); if (exists) { if (removed) { idx === len - 1 ? newEntries.pop() : (newEntries[idx] = newEntries.pop()); } else { newEntries[idx] = [key, value]; } } else { newEntries.push([key, value]); } if (isEditable) { this.entries = newEntries; return this; } return new HashCollisionNode(ownerID, this.keyHash, newEntries); }; function ValueNode(ownerID, keyHash, entry) { this.ownerID = ownerID; this.keyHash = keyHash; this.entry = entry; } ValueNode.prototype.get = function(shift, keyHash, key, notSetValue) { return is(key, this.entry[0]) ? this.entry[1] : notSetValue; }; ValueNode.prototype.update = function(ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { var removed = value === NOT_SET; var keyMatch = is(key, this.entry[0]); if (keyMatch ? value === this.entry[1] : removed) { return this; } SetRef(didAlter); if (removed) { SetRef(didChangeSize); return; // undefined } if (keyMatch) { if (ownerID && ownerID === this.ownerID) { this.entry[1] = value; return this; } return new ValueNode(ownerID, this.keyHash, [key, value]); } SetRef(didChangeSize); return mergeIntoNode(this, ownerID, shift, hash(key), [key, value]); }; // #pragma Iterators ArrayMapNode.prototype.iterate = HashCollisionNode.prototype.iterate = function (fn, reverse) { var entries = this.entries; for (var ii = 0, maxIndex = entries.length - 1; ii <= maxIndex; ii++) { if (fn(entries[reverse ? maxIndex - ii : ii]) === false) { return false; } } } BitmapIndexedNode.prototype.iterate = HashArrayMapNode.prototype.iterate = function (fn, reverse) { var nodes = this.nodes; for (var ii = 0, maxIndex = nodes.length - 1; ii <= maxIndex; ii++) { var node = nodes[reverse ? maxIndex - ii : ii]; if (node && node.iterate(fn, reverse) === false) { return false; } } } ValueNode.prototype.iterate = function (fn, reverse) { return fn(this.entry); } createClass(MapIterator, Iterator); function MapIterator(map, type, reverse) { this._type = type; this._reverse = reverse; this._stack = map._root && mapIteratorFrame(map._root); } MapIterator.prototype.next = function() { var type = this._type; var stack = this._stack; while (stack) { var node = stack.node; var index = stack.index++; var maxIndex; if (node.entry) { if (index === 0) { return mapIteratorValue(type, node.entry); } } else if (node.entries) { maxIndex = node.entries.length - 1; if (index <= maxIndex) { return mapIteratorValue(type, node.entries[this._reverse ? maxIndex - index : index]); } } else { maxIndex = node.nodes.length - 1; if (index <= maxIndex) { var subNode = node.nodes[this._reverse ? maxIndex - index : index]; if (subNode) { if (subNode.entry) { return mapIteratorValue(type, subNode.entry); } stack = this._stack = mapIteratorFrame(subNode, stack); } continue; } } stack = this._stack = this._stack.__prev; } return iteratorDone(); }; function mapIteratorValue(type, entry) { return iteratorValue(type, entry[0], entry[1]); } function mapIteratorFrame(node, prev) { return { node: node, index: 0, __prev: prev }; } function makeMap(size, root, ownerID, hash) { var map = Object.create(MapPrototype); map.size = size; map._root = root; map.__ownerID = ownerID; map.__hash = hash; map.__altered = false; return map; } var EMPTY_MAP; function emptyMap() { return EMPTY_MAP || (EMPTY_MAP = makeMap(0)); } function updateMap(map, k, v) { var newRoot; var newSize; if (!map._root) { if (v === NOT_SET) { return map; } newSize = 1; newRoot = new ArrayMapNode(map.__ownerID, [[k, v]]); } else { var didChangeSize = MakeRef(CHANGE_LENGTH); var didAlter = MakeRef(DID_ALTER); newRoot = updateNode(map._root, map.__ownerID, 0, undefined, k, v, didChangeSize, didAlter); if (!didAlter.value) { return map; } newSize = map.size + (didChangeSize.value ? v === NOT_SET ? -1 : 1 : 0); } if (map.__ownerID) { map.size = newSize; map._root = newRoot; map.__hash = undefined; map.__altered = true; return map; } return newRoot ? makeMap(newSize, newRoot) : emptyMap(); } function updateNode(node, ownerID, shift, keyHash, key, value, didChangeSize, didAlter) { if (!node) { if (value === NOT_SET) { return node; } SetRef(didAlter); SetRef(didChangeSize); return new ValueNode(ownerID, keyHash, [key, value]); } return node.update(ownerID, shift, keyHash, key, value, didChangeSize, didAlter); } function isLeafNode(node) { return node.constructor === ValueNode || node.constructor === HashCollisionNode; } function mergeIntoNode(node, ownerID, shift, keyHash, entry) { if (node.keyHash === keyHash) { return new HashCollisionNode(ownerID, keyHash, [node.entry, entry]); } var idx1 = (shift === 0 ? node.keyHash : node.keyHash >>> shift) & MASK; var idx2 = (shift === 0 ? keyHash : keyHash >>> shift) & MASK; var newNode; var nodes = idx1 === idx2 ? [mergeIntoNode(node, ownerID, shift + SHIFT, keyHash, entry)] : ((newNode = new ValueNode(ownerID, keyHash, entry)), idx1 < idx2 ? [node, newNode] : [newNode, node]); return new BitmapIndexedNode(ownerID, (1 << idx1) | (1 << idx2), nodes); } function createNodes(ownerID, entries, key, value) { if (!ownerID) { ownerID = new OwnerID(); } var node = new ValueNode(ownerID, hash(key), [key, value]); for (var ii = 0; ii < entries.length; ii++) { var entry = entries[ii]; node = node.update(ownerID, 0, undefined, entry[0], entry[1]); } return node; } function packNodes(ownerID, nodes, count, excluding) { var bitmap = 0; var packedII = 0; var packedNodes = new Array(count); for (var ii = 0, bit = 1, len = nodes.length; ii < len; ii++, bit <<= 1) { var node = nodes[ii]; if (node !== undefined && ii !== excluding) { bitmap |= bit; packedNodes[packedII++] = node; } } return new BitmapIndexedNode(ownerID, bitmap, packedNodes); } function expandNodes(ownerID, nodes, bitmap, including, node) { var count = 0; var expandedNodes = new Array(SIZE); for (var ii = 0; bitmap !== 0; ii++, bitmap >>>= 1) { expandedNodes[ii] = bitmap & 1 ? nodes[count++] : undefined; } expandedNodes[including] = node; return new HashArrayMapNode(ownerID, count + 1, expandedNodes); } function mergeIntoMapWith(map, merger, iterables) { var iters = []; for (var ii = 0; ii < iterables.length; ii++) { var value = iterables[ii]; var iter = KeyedIterable(value); if (!isIterable(value)) { iter = iter.map(function(v ) {return fromJS(v)}); } iters.push(iter); } return mergeIntoCollectionWith(map, merger, iters); } function deepMerger(existing, value, key) { return existing && existing.mergeDeep && isIterable(value) ? existing.mergeDeep(value) : is(existing, value) ? existing : value; } function deepMergerWith(merger) { return function(existing, value, key) { if (existing && existing.mergeDeepWith && isIterable(value)) { return existing.mergeDeepWith(merger, value); } var nextValue = merger(existing, value, key); return is(existing, nextValue) ? existing : nextValue; }; } function mergeIntoCollectionWith(collection, merger, iters) { iters = iters.filter(function(x ) {return x.size !== 0}); if (iters.length === 0) { return collection; } if (collection.size === 0 && !collection.__ownerID && iters.length === 1) { return collection.constructor(iters[0]); } return collection.withMutations(function(collection ) { var mergeIntoMap = merger ? function(value, key) { collection.update(key, NOT_SET, function(existing ) {return existing === NOT_SET ? value : merger(existing, value, key)} ); } : function(value, key) { collection.set(key, value); } for (var ii = 0; ii < iters.length; ii++) { iters[ii].forEach(mergeIntoMap); } }); } function updateInDeepMap(existing, keyPathIter, notSetValue, updater) { var isNotSet = existing === NOT_SET; var step = keyPathIter.next(); if (step.done) { var existingValue = isNotSet ? notSetValue : existing; var newValue = updater(existingValue); return newValue === existingValue ? existing : newValue; } invariant( isNotSet || (existing && existing.set), 'invalid keyPath' ); var key = step.value; var nextExisting = isNotSet ? NOT_SET : existing.get(key, NOT_SET); var nextUpdated = updateInDeepMap( nextExisting, keyPathIter, notSetValue, updater ); return nextUpdated === nextExisting ? existing : nextUpdated === NOT_SET ? existing.remove(key) : (isNotSet ? emptyMap() : existing).set(key, nextUpdated); } function popCount(x) { x = x - ((x >> 1) & 0x55555555); x = (x & 0x33333333) + ((x >> 2) & 0x33333333); x = (x + (x >> 4)) & 0x0f0f0f0f; x = x + (x >> 8); x = x + (x >> 16); return x & 0x7f; } function setIn(array, idx, val, canEdit) { var newArray = canEdit ? array : arrCopy(array); newArray[idx] = val; return newArray; } function spliceIn(array, idx, val, canEdit) { var newLen = array.length + 1; if (canEdit && idx + 1 === newLen) { array[idx] = val; return array; } var newArray = new Array(newLen); var after = 0; for (var ii = 0; ii < newLen; ii++) { if (ii === idx) { newArray[ii] = val; after = -1; } else { newArray[ii] = array[ii + after]; } } return newArray; } function spliceOut(array, idx, canEdit) { var newLen = array.length - 1; if (canEdit && idx === newLen) { array.pop(); return array; } var newArray = new Array(newLen); var after = 0; for (var ii = 0; ii < newLen; ii++) { if (ii === idx) { after = 1; } newArray[ii] = array[ii + after]; } return newArray; } var MAX_ARRAY_MAP_SIZE = SIZE / 4; var MAX_BITMAP_INDEXED_SIZE = SIZE / 2; var MIN_HASH_ARRAY_MAP_SIZE = SIZE / 4; createClass(List, IndexedCollection); // @pragma Construction function List(value) { var empty = emptyList(); if (value === null || value === undefined) { return empty; } if (isList(value)) { return value; } var iter = IndexedIterable(value); var size = iter.size; if (size === 0) { return empty; } assertNotInfinite(size); if (size > 0 && size < SIZE) { return makeList(0, size, SHIFT, null, new VNode(iter.toArray())); } return empty.withMutations(function(list ) { list.setSize(size); iter.forEach(function(v, i) {return list.set(i, v)}); }); } List.of = function(/*...values*/) { return this(arguments); }; List.prototype.toString = function() { return this.__toString('List [', ']'); }; // @pragma Access List.prototype.get = function(index, notSetValue) { index = wrapIndex(this, index); if (index >= 0 && index < this.size) { index += this._origin; var node = listNodeFor(this, index); return node && node.array[index & MASK]; } return notSetValue; }; // @pragma Modification List.prototype.set = function(index, value) { return updateList(this, index, value); }; List.prototype.remove = function(index) { return !this.has(index) ? this : index === 0 ? this.shift() : index === this.size - 1 ? this.pop() : this.splice(index, 1); }; List.prototype.insert = function(index, value) { return this.splice(index, 0, value); }; List.prototype.clear = function() { if (this.size === 0) { return this; } if (this.__ownerID) { this.size = this._origin = this._capacity = 0; this._level = SHIFT; this._root = this._tail = null; this.__hash = undefined; this.__altered = true; return this; } return emptyList(); }; List.prototype.push = function(/*...values*/) { var values = arguments; var oldSize = this.size; return this.withMutations(function(list ) { setListBounds(list, 0, oldSize + values.length); for (var ii = 0; ii < values.length; ii++) { list.set(oldSize + ii, values[ii]); } }); }; List.prototype.pop = function() { return setListBounds(this, 0, -1); }; List.prototype.unshift = function(/*...values*/) { var values = arguments; return this.withMutations(function(list ) { setListBounds(list, -values.length); for (var ii = 0; ii < values.length; ii++) { list.set(ii, values[ii]); } }); }; List.prototype.shift = function() { return setListBounds(this, 1); }; // @pragma Composition List.prototype.merge = function(/*...iters*/) { return mergeIntoListWith(this, undefined, arguments); }; List.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1); return mergeIntoListWith(this, merger, iters); }; List.prototype.mergeDeep = function(/*...iters*/) { return mergeIntoListWith(this, deepMerger, arguments); }; List.prototype.mergeDeepWith = function(merger) {var iters = SLICE$0.call(arguments, 1); return mergeIntoListWith(this, deepMergerWith(merger), iters); }; List.prototype.setSize = function(size) { return setListBounds(this, 0, size); }; // @pragma Iteration List.prototype.slice = function(begin, end) { var size = this.size; if (wholeSlice(begin, end, size)) { return this; } return setListBounds( this, resolveBegin(begin, size), resolveEnd(end, size) ); }; List.prototype.__iterator = function(type, reverse) { var index = 0; var values = iterateList(this, reverse); return new Iterator(function() { var value = values(); return value === DONE ? iteratorDone() : iteratorValue(type, index++, value); }); }; List.prototype.__iterate = function(fn, reverse) { var index = 0; var values = iterateList(this, reverse); var value; while ((value = values()) !== DONE) { if (fn(value, index++, this) === false) { break; } } return index; }; List.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } if (!ownerID) { this.__ownerID = ownerID; return this; } return makeList(this._origin, this._capacity, this._level, this._root, this._tail, ownerID, this.__hash); }; function isList(maybeList) { return !!(maybeList && maybeList[IS_LIST_SENTINEL]); } List.isList = isList; var IS_LIST_SENTINEL = '@@__IMMUTABLE_LIST__@@'; var ListPrototype = List.prototype; ListPrototype[IS_LIST_SENTINEL] = true; ListPrototype[DELETE] = ListPrototype.remove; ListPrototype.setIn = MapPrototype.setIn; ListPrototype.deleteIn = ListPrototype.removeIn = MapPrototype.removeIn; ListPrototype.update = MapPrototype.update; ListPrototype.updateIn = MapPrototype.updateIn; ListPrototype.mergeIn = MapPrototype.mergeIn; ListPrototype.mergeDeepIn = MapPrototype.mergeDeepIn; ListPrototype.withMutations = MapPrototype.withMutations; ListPrototype.asMutable = MapPrototype.asMutable; ListPrototype.asImmutable = MapPrototype.asImmutable; ListPrototype.wasAltered = MapPrototype.wasAltered; function VNode(array, ownerID) { this.array = array; this.ownerID = ownerID; } // TODO: seems like these methods are very similar VNode.prototype.removeBefore = function(ownerID, level, index) { if (index === level ? 1 << level : 0 || this.array.length === 0) { return this; } var originIndex = (index >>> level) & MASK; if (originIndex >= this.array.length) { return new VNode([], ownerID); } var removingFirst = originIndex === 0; var newChild; if (level > 0) { var oldChild = this.array[originIndex]; newChild = oldChild && oldChild.removeBefore(ownerID, level - SHIFT, index); if (newChild === oldChild && removingFirst) { return this; } } if (removingFirst && !newChild) { return this; } var editable = editableVNode(this, ownerID); if (!removingFirst) { for (var ii = 0; ii < originIndex; ii++) { editable.array[ii] = undefined; } } if (newChild) { editable.array[originIndex] = newChild; } return editable; }; VNode.prototype.removeAfter = function(ownerID, level, index) { if (index === (level ? 1 << level : 0) || this.array.length === 0) { return this; } var sizeIndex = ((index - 1) >>> level) & MASK; if (sizeIndex >= this.array.length) { return this; } var newChild; if (level > 0) { var oldChild = this.array[sizeIndex]; newChild = oldChild && oldChild.removeAfter(ownerID, level - SHIFT, index); if (newChild === oldChild && sizeIndex === this.array.length - 1) { return this; } } var editable = editableVNode(this, ownerID); editable.array.splice(sizeIndex + 1); if (newChild) { editable.array[sizeIndex] = newChild; } return editable; }; var DONE = {}; function iterateList(list, reverse) { var left = list._origin; var right = list._capacity; var tailPos = getTailOffset(right); var tail = list._tail; return iterateNodeOrLeaf(list._root, list._level, 0); function iterateNodeOrLeaf(node, level, offset) { return level === 0 ? iterateLeaf(node, offset) : iterateNode(node, level, offset); } function iterateLeaf(node, offset) { var array = offset === tailPos ? tail && tail.array : node && node.array; var from = offset > left ? 0 : left - offset; var to = right - offset; if (to > SIZE) { to = SIZE; } return function() { if (from === to) { return DONE; } var idx = reverse ? --to : from++; return array && array[idx]; }; } function iterateNode(node, level, offset) { var values; var array = node && node.array; var from = offset > left ? 0 : (left - offset) >> level; var to = ((right - offset) >> level) + 1; if (to > SIZE) { to = SIZE; } return function() { do { if (values) { var value = values(); if (value !== DONE) { return value; } values = null; } if (from === to) { return DONE; } var idx = reverse ? --to : from++; values = iterateNodeOrLeaf( array && array[idx], level - SHIFT, offset + (idx << level) ); } while (true); }; } } function makeList(origin, capacity, level, root, tail, ownerID, hash) { var list = Object.create(ListPrototype); list.size = capacity - origin; list._origin = origin; list._capacity = capacity; list._level = level; list._root = root; list._tail = tail; list.__ownerID = ownerID; list.__hash = hash; list.__altered = false; return list; } var EMPTY_LIST; function emptyList() { return EMPTY_LIST || (EMPTY_LIST = makeList(0, 0, SHIFT)); } function updateList(list, index, value) { index = wrapIndex(list, index); if (index !== index) { return list; } if (index >= list.size || index < 0) { return list.withMutations(function(list ) { index < 0 ? setListBounds(list, index).set(0, value) : setListBounds(list, 0, index + 1).set(index, value) }); } index += list._origin; var newTail = list._tail; var newRoot = list._root; var didAlter = MakeRef(DID_ALTER); if (index >= getTailOffset(list._capacity)) { newTail = updateVNode(newTail, list.__ownerID, 0, index, value, didAlter); } else { newRoot = updateVNode(newRoot, list.__ownerID, list._level, index, value, didAlter); } if (!didAlter.value) { return list; } if (list.__ownerID) { list._root = newRoot; list._tail = newTail; list.__hash = undefined; list.__altered = true; return list; } return makeList(list._origin, list._capacity, list._level, newRoot, newTail); } function updateVNode(node, ownerID, level, index, value, didAlter) { var idx = (index >>> level) & MASK; var nodeHas = node && idx < node.array.length; if (!nodeHas && value === undefined) { return node; } var newNode; if (level > 0) { var lowerNode = node && node.array[idx]; var newLowerNode = updateVNode(lowerNode, ownerID, level - SHIFT, index, value, didAlter); if (newLowerNode === lowerNode) { return node; } newNode = editableVNode(node, ownerID); newNode.array[idx] = newLowerNode; return newNode; } if (nodeHas && node.array[idx] === value) { return node; } SetRef(didAlter); newNode = editableVNode(node, ownerID); if (value === undefined && idx === newNode.array.length - 1) { newNode.array.pop(); } else { newNode.array[idx] = value; } return newNode; } function editableVNode(node, ownerID) { if (ownerID && node && ownerID === node.ownerID) { return node; } return new VNode(node ? node.array.slice() : [], ownerID); } function listNodeFor(list, rawIndex) { if (rawIndex >= getTailOffset(list._capacity)) { return list._tail; } if (rawIndex < 1 << (list._level + SHIFT)) { var node = list._root; var level = list._level; while (node && level > 0) { node = node.array[(rawIndex >>> level) & MASK]; level -= SHIFT; } return node; } } function setListBounds(list, begin, end) { // Sanitize begin & end using this shorthand for ToInt32(argument) // http://www.ecma-international.org/ecma-262/6.0/#sec-toint32 if (begin !== undefined) { begin = begin | 0; } if (end !== undefined) { end = end | 0; } var owner = list.__ownerID || new OwnerID(); var oldOrigin = list._origin; var oldCapacity = list._capacity; var newOrigin = oldOrigin + begin; var newCapacity = end === undefined ? oldCapacity : end < 0 ? oldCapacity + end : oldOrigin + end; if (newOrigin === oldOrigin && newCapacity === oldCapacity) { return list; } // If it's going to end after it starts, it's empty. if (newOrigin >= newCapacity) { return list.clear(); } var newLevel = list._level; var newRoot = list._root; // New origin might need creating a higher root. var offsetShift = 0; while (newOrigin + offsetShift < 0) { newRoot = new VNode(newRoot && newRoot.array.length ? [undefined, newRoot] : [], owner); newLevel += SHIFT; offsetShift += 1 << newLevel; } if (offsetShift) { newOrigin += offsetShift; oldOrigin += offsetShift; newCapacity += offsetShift; oldCapacity += offsetShift; } var oldTailOffset = getTailOffset(oldCapacity); var newTailOffset = getTailOffset(newCapacity); // New size might need creating a higher root. while (newTailOffset >= 1 << (newLevel + SHIFT)) { newRoot = new VNode(newRoot && newRoot.array.length ? [newRoot] : [], owner); newLevel += SHIFT; } // Locate or create the new tail. var oldTail = list._tail; var newTail = newTailOffset < oldTailOffset ? listNodeFor(list, newCapacity - 1) : newTailOffset > oldTailOffset ? new VNode([], owner) : oldTail; // Merge Tail into tree. if (oldTail && newTailOffset > oldTailOffset && newOrigin < oldCapacity && oldTail.array.length) { newRoot = editableVNode(newRoot, owner); var node = newRoot; for (var level = newLevel; level > SHIFT; level -= SHIFT) { var idx = (oldTailOffset >>> level) & MASK; node = node.array[idx] = editableVNode(node.array[idx], owner); } node.array[(oldTailOffset >>> SHIFT) & MASK] = oldTail; } // If the size has been reduced, there's a chance the tail needs to be trimmed. if (newCapacity < oldCapacity) { newTail = newTail && newTail.removeAfter(owner, 0, newCapacity); } // If the new origin is within the tail, then we do not need a root. if (newOrigin >= newTailOffset) { newOrigin -= newTailOffset; newCapacity -= newTailOffset; newLevel = SHIFT; newRoot = null; newTail = newTail && newTail.removeBefore(owner, 0, newOrigin); // Otherwise, if the root has been trimmed, garbage collect. } else if (newOrigin > oldOrigin || newTailOffset < oldTailOffset) { offsetShift = 0; // Identify the new top root node of the subtree of the old root. while (newRoot) { var beginIndex = (newOrigin >>> newLevel) & MASK; if (beginIndex !== (newTailOffset >>> newLevel) & MASK) { break; } if (beginIndex) { offsetShift += (1 << newLevel) * beginIndex; } newLevel -= SHIFT; newRoot = newRoot.array[beginIndex]; } // Trim the new sides of the new root. if (newRoot && newOrigin > oldOrigin) { newRoot = newRoot.removeBefore(owner, newLevel, newOrigin - offsetShift); } if (newRoot && newTailOffset < oldTailOffset) { newRoot = newRoot.removeAfter(owner, newLevel, newTailOffset - offsetShift); } if (offsetShift) { newOrigin -= offsetShift; newCapacity -= offsetShift; } } if (list.__ownerID) { list.size = newCapacity - newOrigin; list._origin = newOrigin; list._capacity = newCapacity; list._level = newLevel; list._root = newRoot; list._tail = newTail; list.__hash = undefined; list.__altered = true; return list; } return makeList(newOrigin, newCapacity, newLevel, newRoot, newTail); } function mergeIntoListWith(list, merger, iterables) { var iters = []; var maxSize = 0; for (var ii = 0; ii < iterables.length; ii++) { var value = iterables[ii]; var iter = IndexedIterable(value); if (iter.size > maxSize) { maxSize = iter.size; } if (!isIterable(value)) { iter = iter.map(function(v ) {return fromJS(v)}); } iters.push(iter); } if (maxSize > list.size) { list = list.setSize(maxSize); } return mergeIntoCollectionWith(list, merger, iters); } function getTailOffset(size) { return size < SIZE ? 0 : (((size - 1) >>> SHIFT) << SHIFT); } createClass(OrderedMap, Map); // @pragma Construction function OrderedMap(value) { return value === null || value === undefined ? emptyOrderedMap() : isOrderedMap(value) ? value : emptyOrderedMap().withMutations(function(map ) { var iter = KeyedIterable(value); assertNotInfinite(iter.size); iter.forEach(function(v, k) {return map.set(k, v)}); }); } OrderedMap.of = function(/*...values*/) { return this(arguments); }; OrderedMap.prototype.toString = function() { return this.__toString('OrderedMap {', '}'); }; // @pragma Access OrderedMap.prototype.get = function(k, notSetValue) { var index = this._map.get(k); return index !== undefined ? this._list.get(index)[1] : notSetValue; }; // @pragma Modification OrderedMap.prototype.clear = function() { if (this.size === 0) { return this; } if (this.__ownerID) { this.size = 0; this._map.clear(); this._list.clear(); return this; } return emptyOrderedMap(); }; OrderedMap.prototype.set = function(k, v) { return updateOrderedMap(this, k, v); }; OrderedMap.prototype.remove = function(k) { return updateOrderedMap(this, k, NOT_SET); }; OrderedMap.prototype.wasAltered = function() { return this._map.wasAltered() || this._list.wasAltered(); }; OrderedMap.prototype.__iterate = function(fn, reverse) {var this$0 = this; return this._list.__iterate( function(entry ) {return entry && fn(entry[1], entry[0], this$0)}, reverse ); }; OrderedMap.prototype.__iterator = function(type, reverse) { return this._list.fromEntrySeq().__iterator(type, reverse); }; OrderedMap.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } var newMap = this._map.__ensureOwner(ownerID); var newList = this._list.__ensureOwner(ownerID); if (!ownerID) { this.__ownerID = ownerID; this._map = newMap; this._list = newList; return this; } return makeOrderedMap(newMap, newList, ownerID, this.__hash); }; function isOrderedMap(maybeOrderedMap) { return isMap(maybeOrderedMap) && isOrdered(maybeOrderedMap); } OrderedMap.isOrderedMap = isOrderedMap; OrderedMap.prototype[IS_ORDERED_SENTINEL] = true; OrderedMap.prototype[DELETE] = OrderedMap.prototype.remove; function makeOrderedMap(map, list, ownerID, hash) { var omap = Object.create(OrderedMap.prototype); omap.size = map ? map.size : 0; omap._map = map; omap._list = list; omap.__ownerID = ownerID; omap.__hash = hash; return omap; } var EMPTY_ORDERED_MAP; function emptyOrderedMap() { return EMPTY_ORDERED_MAP || (EMPTY_ORDERED_MAP = makeOrderedMap(emptyMap(), emptyList())); } function updateOrderedMap(omap, k, v) { var map = omap._map; var list = omap._list; var i = map.get(k); var has = i !== undefined; var newMap; var newList; if (v === NOT_SET) { // removed if (!has) { return omap; } if (list.size >= SIZE && list.size >= map.size * 2) { newList = list.filter(function(entry, idx) {return entry !== undefined && i !== idx}); newMap = newList.toKeyedSeq().map(function(entry ) {return entry[0]}).flip().toMap(); if (omap.__ownerID) { newMap.__ownerID = newList.__ownerID = omap.__ownerID; } } else { newMap = map.remove(k); newList = i === list.size - 1 ? list.pop() : list.set(i, undefined); } } else { if (has) { if (v === list.get(i)[1]) { return omap; } newMap = map; newList = list.set(i, [k, v]); } else { newMap = map.set(k, list.size); newList = list.set(list.size, [k, v]); } } if (omap.__ownerID) { omap.size = newMap.size; omap._map = newMap; omap._list = newList; omap.__hash = undefined; return omap; } return makeOrderedMap(newMap, newList); } createClass(ToKeyedSequence, KeyedSeq); function ToKeyedSequence(indexed, useKeys) { this._iter = indexed; this._useKeys = useKeys; this.size = indexed.size; } ToKeyedSequence.prototype.get = function(key, notSetValue) { return this._iter.get(key, notSetValue); }; ToKeyedSequence.prototype.has = function(key) { return this._iter.has(key); }; ToKeyedSequence.prototype.valueSeq = function() { return this._iter.valueSeq(); }; ToKeyedSequence.prototype.reverse = function() {var this$0 = this; var reversedSequence = reverseFactory(this, true); if (!this._useKeys) { reversedSequence.valueSeq = function() {return this$0._iter.toSeq().reverse()}; } return reversedSequence; }; ToKeyedSequence.prototype.map = function(mapper, context) {var this$0 = this; var mappedSequence = mapFactory(this, mapper, context); if (!this._useKeys) { mappedSequence.valueSeq = function() {return this$0._iter.toSeq().map(mapper, context)}; } return mappedSequence; }; ToKeyedSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this; var ii; return this._iter.__iterate( this._useKeys ? function(v, k) {return fn(v, k, this$0)} : ((ii = reverse ? resolveSize(this) : 0), function(v ) {return fn(v, reverse ? --ii : ii++, this$0)}), reverse ); }; ToKeyedSequence.prototype.__iterator = function(type, reverse) { if (this._useKeys) { return this._iter.__iterator(type, reverse); } var iterator = this._iter.__iterator(ITERATE_VALUES, reverse); var ii = reverse ? resolveSize(this) : 0; return new Iterator(function() { var step = iterator.next(); return step.done ? step : iteratorValue(type, reverse ? --ii : ii++, step.value, step); }); }; ToKeyedSequence.prototype[IS_ORDERED_SENTINEL] = true; createClass(ToIndexedSequence, IndexedSeq); function ToIndexedSequence(iter) { this._iter = iter; this.size = iter.size; } ToIndexedSequence.prototype.includes = function(value) { return this._iter.includes(value); }; ToIndexedSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this; var iterations = 0; return this._iter.__iterate(function(v ) {return fn(v, iterations++, this$0)}, reverse); }; ToIndexedSequence.prototype.__iterator = function(type, reverse) { var iterator = this._iter.__iterator(ITERATE_VALUES, reverse); var iterations = 0; return new Iterator(function() { var step = iterator.next(); return step.done ? step : iteratorValue(type, iterations++, step.value, step) }); }; createClass(ToSetSequence, SetSeq); function ToSetSequence(iter) { this._iter = iter; this.size = iter.size; } ToSetSequence.prototype.has = function(key) { return this._iter.includes(key); }; ToSetSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this; return this._iter.__iterate(function(v ) {return fn(v, v, this$0)}, reverse); }; ToSetSequence.prototype.__iterator = function(type, reverse) { var iterator = this._iter.__iterator(ITERATE_VALUES, reverse); return new Iterator(function() { var step = iterator.next(); return step.done ? step : iteratorValue(type, step.value, step.value, step); }); }; createClass(FromEntriesSequence, KeyedSeq); function FromEntriesSequence(entries) { this._iter = entries; this.size = entries.size; } FromEntriesSequence.prototype.entrySeq = function() { return this._iter.toSeq(); }; FromEntriesSequence.prototype.__iterate = function(fn, reverse) {var this$0 = this; return this._iter.__iterate(function(entry ) { // Check if entry exists first so array access doesn't throw for holes // in the parent iteration. if (entry) { validateEntry(entry); var indexedIterable = isIterable(entry); return fn( indexedIterable ? entry.get(1) : entry[1], indexedIterable ? entry.get(0) : entry[0], this$0 ); } }, reverse); }; FromEntriesSequence.prototype.__iterator = function(type, reverse) { var iterator = this._iter.__iterator(ITERATE_VALUES, reverse); return new Iterator(function() { while (true) { var step = iterator.next(); if (step.done) { return step; } var entry = step.value; // Check if entry exists first so array access doesn't throw for holes // in the parent iteration. if (entry) { validateEntry(entry); var indexedIterable = isIterable(entry); return iteratorValue( type, indexedIterable ? entry.get(0) : entry[0], indexedIterable ? entry.get(1) : entry[1], step ); } } }); }; ToIndexedSequence.prototype.cacheResult = ToKeyedSequence.prototype.cacheResult = ToSetSequence.prototype.cacheResult = FromEntriesSequence.prototype.cacheResult = cacheResultThrough; function flipFactory(iterable) { var flipSequence = makeSequence(iterable); flipSequence._iter = iterable; flipSequence.size = iterable.size; flipSequence.flip = function() {return iterable}; flipSequence.reverse = function () { var reversedSequence = iterable.reverse.apply(this); // super.reverse() reversedSequence.flip = function() {return iterable.reverse()}; return reversedSequence; }; flipSequence.has = function(key ) {return iterable.includes(key)}; flipSequence.includes = function(key ) {return iterable.has(key)}; flipSequence.cacheResult = cacheResultThrough; flipSequence.__iterateUncached = function (fn, reverse) {var this$0 = this; return iterable.__iterate(function(v, k) {return fn(k, v, this$0) !== false}, reverse); } flipSequence.__iteratorUncached = function(type, reverse) { if (type === ITERATE_ENTRIES) { var iterator = iterable.__iterator(type, reverse); return new Iterator(function() { var step = iterator.next(); if (!step.done) { var k = step.value[0]; step.value[0] = step.value[1]; step.value[1] = k; } return step; }); } return iterable.__iterator( type === ITERATE_VALUES ? ITERATE_KEYS : ITERATE_VALUES, reverse ); } return flipSequence; } function mapFactory(iterable, mapper, context) { var mappedSequence = makeSequence(iterable); mappedSequence.size = iterable.size; mappedSequence.has = function(key ) {return iterable.has(key)}; mappedSequence.get = function(key, notSetValue) { var v = iterable.get(key, NOT_SET); return v === NOT_SET ? notSetValue : mapper.call(context, v, key, iterable); }; mappedSequence.__iterateUncached = function (fn, reverse) {var this$0 = this; return iterable.__iterate( function(v, k, c) {return fn(mapper.call(context, v, k, c), k, this$0) !== false}, reverse ); } mappedSequence.__iteratorUncached = function (type, reverse) { var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse); return new Iterator(function() { var step = iterator.next(); if (step.done) { return step; } var entry = step.value; var key = entry[0]; return iteratorValue( type, key, mapper.call(context, entry[1], key, iterable), step ); }); } return mappedSequence; } function reverseFactory(iterable, useKeys) { var reversedSequence = makeSequence(iterable); reversedSequence._iter = iterable; reversedSequence.size = iterable.size; reversedSequence.reverse = function() {return iterable}; if (iterable.flip) { reversedSequence.flip = function () { var flipSequence = flipFactory(iterable); flipSequence.reverse = function() {return iterable.flip()}; return flipSequence; }; } reversedSequence.get = function(key, notSetValue) {return iterable.get(useKeys ? key : -1 - key, notSetValue)}; reversedSequence.has = function(key ) {return iterable.has(useKeys ? key : -1 - key)}; reversedSequence.includes = function(value ) {return iterable.includes(value)}; reversedSequence.cacheResult = cacheResultThrough; reversedSequence.__iterate = function (fn, reverse) {var this$0 = this; return iterable.__iterate(function(v, k) {return fn(v, k, this$0)}, !reverse); }; reversedSequence.__iterator = function(type, reverse) {return iterable.__iterator(type, !reverse)}; return reversedSequence; } function filterFactory(iterable, predicate, context, useKeys) { var filterSequence = makeSequence(iterable); if (useKeys) { filterSequence.has = function(key ) { var v = iterable.get(key, NOT_SET); return v !== NOT_SET && !!predicate.call(context, v, key, iterable); }; filterSequence.get = function(key, notSetValue) { var v = iterable.get(key, NOT_SET); return v !== NOT_SET && predicate.call(context, v, key, iterable) ? v : notSetValue; }; } filterSequence.__iterateUncached = function (fn, reverse) {var this$0 = this; var iterations = 0; iterable.__iterate(function(v, k, c) { if (predicate.call(context, v, k, c)) { iterations++; return fn(v, useKeys ? k : iterations - 1, this$0); } }, reverse); return iterations; }; filterSequence.__iteratorUncached = function (type, reverse) { var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse); var iterations = 0; return new Iterator(function() { while (true) { var step = iterator.next(); if (step.done) { return step; } var entry = step.value; var key = entry[0]; var value = entry[1]; if (predicate.call(context, value, key, iterable)) { return iteratorValue(type, useKeys ? key : iterations++, value, step); } } }); } return filterSequence; } function countByFactory(iterable, grouper, context) { var groups = Map().asMutable(); iterable.__iterate(function(v, k) { groups.update( grouper.call(context, v, k, iterable), 0, function(a ) {return a + 1} ); }); return groups.asImmutable(); } function groupByFactory(iterable, grouper, context) { var isKeyedIter = isKeyed(iterable); var groups = (isOrdered(iterable) ? OrderedMap() : Map()).asMutable(); iterable.__iterate(function(v, k) { groups.update( grouper.call(context, v, k, iterable), function(a ) {return (a = a || [], a.push(isKeyedIter ? [k, v] : v), a)} ); }); var coerce = iterableClass(iterable); return groups.map(function(arr ) {return reify(iterable, coerce(arr))}); } function sliceFactory(iterable, begin, end, useKeys) { var originalSize = iterable.size; // Sanitize begin & end using this shorthand for ToInt32(argument) // http://www.ecma-international.org/ecma-262/6.0/#sec-toint32 if (begin !== undefined) { begin = begin | 0; } if (end !== undefined) { if (end === Infinity) { end = originalSize; } else { end = end | 0; } } if (wholeSlice(begin, end, originalSize)) { return iterable; } var resolvedBegin = resolveBegin(begin, originalSize); var resolvedEnd = resolveEnd(end, originalSize); // begin or end will be NaN if they were provided as negative numbers and // this iterable's size is unknown. In that case, cache first so there is // a known size and these do not resolve to NaN. if (resolvedBegin !== resolvedBegin || resolvedEnd !== resolvedEnd) { return sliceFactory(iterable.toSeq().cacheResult(), begin, end, useKeys); } // Note: resolvedEnd is undefined when the original sequence's length is // unknown and this slice did not supply an end and should contain all // elements after resolvedBegin. // In that case, resolvedSize will be NaN and sliceSize will remain undefined. var resolvedSize = resolvedEnd - resolvedBegin; var sliceSize; if (resolvedSize === resolvedSize) { sliceSize = resolvedSize < 0 ? 0 : resolvedSize; } var sliceSeq = makeSequence(iterable); // If iterable.size is undefined, the size of the realized sliceSeq is // unknown at this point unless the number of items to slice is 0 sliceSeq.size = sliceSize === 0 ? sliceSize : iterable.size && sliceSize || undefined; if (!useKeys && isSeq(iterable) && sliceSize >= 0) { sliceSeq.get = function (index, notSetValue) { index = wrapIndex(this, index); return index >= 0 && index < sliceSize ? iterable.get(index + resolvedBegin, notSetValue) : notSetValue; } } sliceSeq.__iterateUncached = function(fn, reverse) {var this$0 = this; if (sliceSize === 0) { return 0; } if (reverse) { return this.cacheResult().__iterate(fn, reverse); } var skipped = 0; var isSkipping = true; var iterations = 0; iterable.__iterate(function(v, k) { if (!(isSkipping && (isSkipping = skipped++ < resolvedBegin))) { iterations++; return fn(v, useKeys ? k : iterations - 1, this$0) !== false && iterations !== sliceSize; } }); return iterations; }; sliceSeq.__iteratorUncached = function(type, reverse) { if (sliceSize !== 0 && reverse) { return this.cacheResult().__iterator(type, reverse); } // Don't bother instantiating parent iterator if taking 0. var iterator = sliceSize !== 0 && iterable.__iterator(type, reverse); var skipped = 0; var iterations = 0; return new Iterator(function() { while (skipped++ < resolvedBegin) { iterator.next(); } if (++iterations > sliceSize) { return iteratorDone(); } var step = iterator.next(); if (useKeys || type === ITERATE_VALUES) { return step; } else if (type === ITERATE_KEYS) { return iteratorValue(type, iterations - 1, undefined, step); } else { return iteratorValue(type, iterations - 1, step.value[1], step); } }); } return sliceSeq; } function takeWhileFactory(iterable, predicate, context) { var takeSequence = makeSequence(iterable); takeSequence.__iterateUncached = function(fn, reverse) {var this$0 = this; if (reverse) { return this.cacheResult().__iterate(fn, reverse); } var iterations = 0; iterable.__iterate(function(v, k, c) {return predicate.call(context, v, k, c) && ++iterations && fn(v, k, this$0)} ); return iterations; }; takeSequence.__iteratorUncached = function(type, reverse) {var this$0 = this; if (reverse) { return this.cacheResult().__iterator(type, reverse); } var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse); var iterating = true; return new Iterator(function() { if (!iterating) { return iteratorDone(); } var step = iterator.next(); if (step.done) { return step; } var entry = step.value; var k = entry[0]; var v = entry[1]; if (!predicate.call(context, v, k, this$0)) { iterating = false; return iteratorDone(); } return type === ITERATE_ENTRIES ? step : iteratorValue(type, k, v, step); }); }; return takeSequence; } function skipWhileFactory(iterable, predicate, context, useKeys) { var skipSequence = makeSequence(iterable); skipSequence.__iterateUncached = function (fn, reverse) {var this$0 = this; if (reverse) { return this.cacheResult().__iterate(fn, reverse); } var isSkipping = true; var iterations = 0; iterable.__iterate(function(v, k, c) { if (!(isSkipping && (isSkipping = predicate.call(context, v, k, c)))) { iterations++; return fn(v, useKeys ? k : iterations - 1, this$0); } }); return iterations; }; skipSequence.__iteratorUncached = function(type, reverse) {var this$0 = this; if (reverse) { return this.cacheResult().__iterator(type, reverse); } var iterator = iterable.__iterator(ITERATE_ENTRIES, reverse); var skipping = true; var iterations = 0; return new Iterator(function() { var step, k, v; do { step = iterator.next(); if (step.done) { if (useKeys || type === ITERATE_VALUES) { return step; } else if (type === ITERATE_KEYS) { return iteratorValue(type, iterations++, undefined, step); } else { return iteratorValue(type, iterations++, step.value[1], step); } } var entry = step.value; k = entry[0]; v = entry[1]; skipping && (skipping = predicate.call(context, v, k, this$0)); } while (skipping); return type === ITERATE_ENTRIES ? step : iteratorValue(type, k, v, step); }); }; return skipSequence; } function concatFactory(iterable, values) { var isKeyedIterable = isKeyed(iterable); var iters = [iterable].concat(values).map(function(v ) { if (!isIterable(v)) { v = isKeyedIterable ? keyedSeqFromValue(v) : indexedSeqFromValue(Array.isArray(v) ? v : [v]); } else if (isKeyedIterable) { v = KeyedIterable(v); } return v; }).filter(function(v ) {return v.size !== 0}); if (iters.length === 0) { return iterable; } if (iters.length === 1) { var singleton = iters[0]; if (singleton === iterable || isKeyedIterable && isKeyed(singleton) || isIndexed(iterable) && isIndexed(singleton)) { return singleton; } } var concatSeq = new ArraySeq(iters); if (isKeyedIterable) { concatSeq = concatSeq.toKeyedSeq(); } else if (!isIndexed(iterable)) { concatSeq = concatSeq.toSetSeq(); } concatSeq = concatSeq.flatten(true); concatSeq.size = iters.reduce( function(sum, seq) { if (sum !== undefined) { var size = seq.size; if (size !== undefined) { return sum + size; } } }, 0 ); return concatSeq; } function flattenFactory(iterable, depth, useKeys) { var flatSequence = makeSequence(iterable); flatSequence.__iterateUncached = function(fn, reverse) { var iterations = 0; var stopped = false; function flatDeep(iter, currentDepth) {var this$0 = this; iter.__iterate(function(v, k) { if ((!depth || currentDepth < depth) && isIterable(v)) { flatDeep(v, currentDepth + 1); } else if (fn(v, useKeys ? k : iterations++, this$0) === false) { stopped = true; } return !stopped; }, reverse); } flatDeep(iterable, 0); return iterations; } flatSequence.__iteratorUncached = function(type, reverse) { var iterator = iterable.__iterator(type, reverse); var stack = []; var iterations = 0; return new Iterator(function() { while (iterator) { var step = iterator.next(); if (step.done !== false) { iterator = stack.pop(); continue; } var v = step.value; if (type === ITERATE_ENTRIES) { v = v[1]; } if ((!depth || stack.length < depth) && isIterable(v)) { stack.push(iterator); iterator = v.__iterator(type, reverse); } else { return useKeys ? step : iteratorValue(type, iterations++, v, step); } } return iteratorDone(); }); } return flatSequence; } function flatMapFactory(iterable, mapper, context) { var coerce = iterableClass(iterable); return iterable.toSeq().map( function(v, k) {return coerce(mapper.call(context, v, k, iterable))} ).flatten(true); } function interposeFactory(iterable, separator) { var interposedSequence = makeSequence(iterable); interposedSequence.size = iterable.size && iterable.size * 2 -1; interposedSequence.__iterateUncached = function(fn, reverse) {var this$0 = this; var iterations = 0; iterable.__iterate(function(v, k) {return (!iterations || fn(separator, iterations++, this$0) !== false) && fn(v, iterations++, this$0) !== false}, reverse ); return iterations; }; interposedSequence.__iteratorUncached = function(type, reverse) { var iterator = iterable.__iterator(ITERATE_VALUES, reverse); var iterations = 0; var step; return new Iterator(function() { if (!step || iterations % 2) { step = iterator.next(); if (step.done) { return step; } } return iterations % 2 ? iteratorValue(type, iterations++, separator) : iteratorValue(type, iterations++, step.value, step); }); }; return interposedSequence; } function sortFactory(iterable, comparator, mapper) { if (!comparator) { comparator = defaultComparator; } var isKeyedIterable = isKeyed(iterable); var index = 0; var entries = iterable.toSeq().map( function(v, k) {return [k, v, index++, mapper ? mapper(v, k, iterable) : v]} ).toArray(); entries.sort(function(a, b) {return comparator(a[3], b[3]) || a[2] - b[2]}).forEach( isKeyedIterable ? function(v, i) { entries[i].length = 2; } : function(v, i) { entries[i] = v[1]; } ); return isKeyedIterable ? KeyedSeq(entries) : isIndexed(iterable) ? IndexedSeq(entries) : SetSeq(entries); } function maxFactory(iterable, comparator, mapper) { if (!comparator) { comparator = defaultComparator; } if (mapper) { var entry = iterable.toSeq() .map(function(v, k) {return [v, mapper(v, k, iterable)]}) .reduce(function(a, b) {return maxCompare(comparator, a[1], b[1]) ? b : a}); return entry && entry[0]; } else { return iterable.reduce(function(a, b) {return maxCompare(comparator, a, b) ? b : a}); } } function maxCompare(comparator, a, b) { var comp = comparator(b, a); // b is considered the new max if the comparator declares them equal, but // they are not equal and b is in fact a nullish value. return (comp === 0 && b !== a && (b === undefined || b === null || b !== b)) || comp > 0; } function zipWithFactory(keyIter, zipper, iters) { var zipSequence = makeSequence(keyIter); zipSequence.size = new ArraySeq(iters).map(function(i ) {return i.size}).min(); // Note: this a generic base implementation of __iterate in terms of // __iterator which may be more generically useful in the future. zipSequence.__iterate = function(fn, reverse) { /* generic: var iterator = this.__iterator(ITERATE_ENTRIES, reverse); var step; var iterations = 0; while (!(step = iterator.next()).done) { iterations++; if (fn(step.value[1], step.value[0], this) === false) { break; } } return iterations; */ // indexed: var iterator = this.__iterator(ITERATE_VALUES, reverse); var step; var iterations = 0; while (!(step = iterator.next()).done) { if (fn(step.value, iterations++, this) === false) { break; } } return iterations; }; zipSequence.__iteratorUncached = function(type, reverse) { var iterators = iters.map(function(i ) {return (i = Iterable(i), getIterator(reverse ? i.reverse() : i))} ); var iterations = 0; var isDone = false; return new Iterator(function() { var steps; if (!isDone) { steps = iterators.map(function(i ) {return i.next()}); isDone = steps.some(function(s ) {return s.done}); } if (isDone) { return iteratorDone(); } return iteratorValue( type, iterations++, zipper.apply(null, steps.map(function(s ) {return s.value})) ); }); }; return zipSequence } // #pragma Helper Functions function reify(iter, seq) { return isSeq(iter) ? seq : iter.constructor(seq); } function validateEntry(entry) { if (entry !== Object(entry)) { throw new TypeError('Expected [K, V] tuple: ' + entry); } } function resolveSize(iter) { assertNotInfinite(iter.size); return ensureSize(iter); } function iterableClass(iterable) { return isKeyed(iterable) ? KeyedIterable : isIndexed(iterable) ? IndexedIterable : SetIterable; } function makeSequence(iterable) { return Object.create( ( isKeyed(iterable) ? KeyedSeq : isIndexed(iterable) ? IndexedSeq : SetSeq ).prototype ); } function cacheResultThrough() { if (this._iter.cacheResult) { this._iter.cacheResult(); this.size = this._iter.size; return this; } else { return Seq.prototype.cacheResult.call(this); } } function defaultComparator(a, b) { return a > b ? 1 : a < b ? -1 : 0; } function forceIterator(keyPath) { var iter = getIterator(keyPath); if (!iter) { // Array might not be iterable in this environment, so we need a fallback // to our wrapped type. if (!isArrayLike(keyPath)) { throw new TypeError('Expected iterable or array-like: ' + keyPath); } iter = getIterator(Iterable(keyPath)); } return iter; } createClass(Record, KeyedCollection); function Record(defaultValues, name) { var hasInitialized; var RecordType = function Record(values) { if (values instanceof RecordType) { return values; } if (!(this instanceof RecordType)) { return new RecordType(values); } if (!hasInitialized) { hasInitialized = true; var keys = Object.keys(defaultValues); setProps(RecordTypePrototype, keys); RecordTypePrototype.size = keys.length; RecordTypePrototype._name = name; RecordTypePrototype._keys = keys; RecordTypePrototype._defaultValues = defaultValues; } this._map = Map(values); }; var RecordTypePrototype = RecordType.prototype = Object.create(RecordPrototype); RecordTypePrototype.constructor = RecordType; return RecordType; } Record.prototype.toString = function() { return this.__toString(recordName(this) + ' {', '}'); }; // @pragma Access Record.prototype.has = function(k) { return this._defaultValues.hasOwnProperty(k); }; Record.prototype.get = function(k, notSetValue) { if (!this.has(k)) { return notSetValue; } var defaultVal = this._defaultValues[k]; return this._map ? this._map.get(k, defaultVal) : defaultVal; }; // @pragma Modification Record.prototype.clear = function() { if (this.__ownerID) { this._map && this._map.clear(); return this; } var RecordType = this.constructor; return RecordType._empty || (RecordType._empty = makeRecord(this, emptyMap())); }; Record.prototype.set = function(k, v) { if (!this.has(k)) { throw new Error('Cannot set unknown key "' + k + '" on ' + recordName(this)); } if (this._map && !this._map.has(k)) { var defaultVal = this._defaultValues[k]; if (v === defaultVal) { return this; } } var newMap = this._map && this._map.set(k, v); if (this.__ownerID || newMap === this._map) { return this; } return makeRecord(this, newMap); }; Record.prototype.remove = function(k) { if (!this.has(k)) { return this; } var newMap = this._map && this._map.remove(k); if (this.__ownerID || newMap === this._map) { return this; } return makeRecord(this, newMap); }; Record.prototype.wasAltered = function() { return this._map.wasAltered(); }; Record.prototype.__iterator = function(type, reverse) {var this$0 = this; return KeyedIterable(this._defaultValues).map(function(_, k) {return this$0.get(k)}).__iterator(type, reverse); }; Record.prototype.__iterate = function(fn, reverse) {var this$0 = this; return KeyedIterable(this._defaultValues).map(function(_, k) {return this$0.get(k)}).__iterate(fn, reverse); }; Record.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } var newMap = this._map && this._map.__ensureOwner(ownerID); if (!ownerID) { this.__ownerID = ownerID; this._map = newMap; return this; } return makeRecord(this, newMap, ownerID); }; var RecordPrototype = Record.prototype; RecordPrototype[DELETE] = RecordPrototype.remove; RecordPrototype.deleteIn = RecordPrototype.removeIn = MapPrototype.removeIn; RecordPrototype.merge = MapPrototype.merge; RecordPrototype.mergeWith = MapPrototype.mergeWith; RecordPrototype.mergeIn = MapPrototype.mergeIn; RecordPrototype.mergeDeep = MapPrototype.mergeDeep; RecordPrototype.mergeDeepWith = MapPrototype.mergeDeepWith; RecordPrototype.mergeDeepIn = MapPrototype.mergeDeepIn; RecordPrototype.setIn = MapPrototype.setIn; RecordPrototype.update = MapPrototype.update; RecordPrototype.updateIn = MapPrototype.updateIn; RecordPrototype.withMutations = MapPrototype.withMutations; RecordPrototype.asMutable = MapPrototype.asMutable; RecordPrototype.asImmutable = MapPrototype.asImmutable; function makeRecord(likeRecord, map, ownerID) { var record = Object.create(Object.getPrototypeOf(likeRecord)); record._map = map; record.__ownerID = ownerID; return record; } function recordName(record) { return record._name || record.constructor.name || 'Record'; } function setProps(prototype, names) { try { names.forEach(setProp.bind(undefined, prototype)); } catch (error) { // Object.defineProperty failed. Probably IE8. } } function setProp(prototype, name) { Object.defineProperty(prototype, name, { get: function() { return this.get(name); }, set: function(value) { invariant(this.__ownerID, 'Cannot set on an immutable record.'); this.set(name, value); } }); } createClass(Set, SetCollection); // @pragma Construction function Set(value) { return value === null || value === undefined ? emptySet() : isSet(value) && !isOrdered(value) ? value : emptySet().withMutations(function(set ) { var iter = SetIterable(value); assertNotInfinite(iter.size); iter.forEach(function(v ) {return set.add(v)}); }); } Set.of = function(/*...values*/) { return this(arguments); }; Set.fromKeys = function(value) { return this(KeyedIterable(value).keySeq()); }; Set.prototype.toString = function() { return this.__toString('Set {', '}'); }; // @pragma Access Set.prototype.has = function(value) { return this._map.has(value); }; // @pragma Modification Set.prototype.add = function(value) { return updateSet(this, this._map.set(value, true)); }; Set.prototype.remove = function(value) { return updateSet(this, this._map.remove(value)); }; Set.prototype.clear = function() { return updateSet(this, this._map.clear()); }; // @pragma Composition Set.prototype.union = function() {var iters = SLICE$0.call(arguments, 0); iters = iters.filter(function(x ) {return x.size !== 0}); if (iters.length === 0) { return this; } if (this.size === 0 && !this.__ownerID && iters.length === 1) { return this.constructor(iters[0]); } return this.withMutations(function(set ) { for (var ii = 0; ii < iters.length; ii++) { SetIterable(iters[ii]).forEach(function(value ) {return set.add(value)}); } }); }; Set.prototype.intersect = function() {var iters = SLICE$0.call(arguments, 0); if (iters.length === 0) { return this; } iters = iters.map(function(iter ) {return SetIterable(iter)}); var originalSet = this; return this.withMutations(function(set ) { originalSet.forEach(function(value ) { if (!iters.every(function(iter ) {return iter.includes(value)})) { set.remove(value); } }); }); }; Set.prototype.subtract = function() {var iters = SLICE$0.call(arguments, 0); if (iters.length === 0) { return this; } iters = iters.map(function(iter ) {return SetIterable(iter)}); var originalSet = this; return this.withMutations(function(set ) { originalSet.forEach(function(value ) { if (iters.some(function(iter ) {return iter.includes(value)})) { set.remove(value); } }); }); }; Set.prototype.merge = function() { return this.union.apply(this, arguments); }; Set.prototype.mergeWith = function(merger) {var iters = SLICE$0.call(arguments, 1); return this.union.apply(this, iters); }; Set.prototype.sort = function(comparator) { // Late binding return OrderedSet(sortFactory(this, comparator)); }; Set.prototype.sortBy = function(mapper, comparator) { // Late binding return OrderedSet(sortFactory(this, comparator, mapper)); }; Set.prototype.wasAltered = function() { return this._map.wasAltered(); }; Set.prototype.__iterate = function(fn, reverse) {var this$0 = this; return this._map.__iterate(function(_, k) {return fn(k, k, this$0)}, reverse); }; Set.prototype.__iterator = function(type, reverse) { return this._map.map(function(_, k) {return k}).__iterator(type, reverse); }; Set.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } var newMap = this._map.__ensureOwner(ownerID); if (!ownerID) { this.__ownerID = ownerID; this._map = newMap; return this; } return this.__make(newMap, ownerID); }; function isSet(maybeSet) { return !!(maybeSet && maybeSet[IS_SET_SENTINEL]); } Set.isSet = isSet; var IS_SET_SENTINEL = '@@__IMMUTABLE_SET__@@'; var SetPrototype = Set.prototype; SetPrototype[IS_SET_SENTINEL] = true; SetPrototype[DELETE] = SetPrototype.remove; SetPrototype.mergeDeep = SetPrototype.merge; SetPrototype.mergeDeepWith = SetPrototype.mergeWith; SetPrototype.withMutations = MapPrototype.withMutations; SetPrototype.asMutable = MapPrototype.asMutable; SetPrototype.asImmutable = MapPrototype.asImmutable; SetPrototype.__empty = emptySet; SetPrototype.__make = makeSet; function updateSet(set, newMap) { if (set.__ownerID) { set.size = newMap.size; set._map = newMap; return set; } return newMap === set._map ? set : newMap.size === 0 ? set.__empty() : set.__make(newMap); } function makeSet(map, ownerID) { var set = Object.create(SetPrototype); set.size = map ? map.size : 0; set._map = map; set.__ownerID = ownerID; return set; } var EMPTY_SET; function emptySet() { return EMPTY_SET || (EMPTY_SET = makeSet(emptyMap())); } createClass(OrderedSet, Set); // @pragma Construction function OrderedSet(value) { return value === null || value === undefined ? emptyOrderedSet() : isOrderedSet(value) ? value : emptyOrderedSet().withMutations(function(set ) { var iter = SetIterable(value); assertNotInfinite(iter.size); iter.forEach(function(v ) {return set.add(v)}); }); } OrderedSet.of = function(/*...values*/) { return this(arguments); }; OrderedSet.fromKeys = function(value) { return this(KeyedIterable(value).keySeq()); }; OrderedSet.prototype.toString = function() { return this.__toString('OrderedSet {', '}'); }; function isOrderedSet(maybeOrderedSet) { return isSet(maybeOrderedSet) && isOrdered(maybeOrderedSet); } OrderedSet.isOrderedSet = isOrderedSet; var OrderedSetPrototype = OrderedSet.prototype; OrderedSetPrototype[IS_ORDERED_SENTINEL] = true; OrderedSetPrototype.__empty = emptyOrderedSet; OrderedSetPrototype.__make = makeOrderedSet; function makeOrderedSet(map, ownerID) { var set = Object.create(OrderedSetPrototype); set.size = map ? map.size : 0; set._map = map; set.__ownerID = ownerID; return set; } var EMPTY_ORDERED_SET; function emptyOrderedSet() { return EMPTY_ORDERED_SET || (EMPTY_ORDERED_SET = makeOrderedSet(emptyOrderedMap())); } createClass(Stack, IndexedCollection); // @pragma Construction function Stack(value) { return value === null || value === undefined ? emptyStack() : isStack(value) ? value : emptyStack().unshiftAll(value); } Stack.of = function(/*...values*/) { return this(arguments); }; Stack.prototype.toString = function() { return this.__toString('Stack [', ']'); }; // @pragma Access Stack.prototype.get = function(index, notSetValue) { var head = this._head; index = wrapIndex(this, index); while (head && index--) { head = head.next; } return head ? head.value : notSetValue; }; Stack.prototype.peek = function() { return this._head && this._head.value; }; // @pragma Modification Stack.prototype.push = function(/*...values*/) { if (arguments.length === 0) { return this; } var newSize = this.size + arguments.length; var head = this._head; for (var ii = arguments.length - 1; ii >= 0; ii--) { head = { value: arguments[ii], next: head }; } if (this.__ownerID) { this.size = newSize; this._head = head; this.__hash = undefined; this.__altered = true; return this; } return makeStack(newSize, head); }; Stack.prototype.pushAll = function(iter) { iter = IndexedIterable(iter); if (iter.size === 0) { return this; } assertNotInfinite(iter.size); var newSize = this.size; var head = this._head; iter.reverse().forEach(function(value ) { newSize++; head = { value: value, next: head }; }); if (this.__ownerID) { this.size = newSize; this._head = head; this.__hash = undefined; this.__altered = true; return this; } return makeStack(newSize, head); }; Stack.prototype.pop = function() { return this.slice(1); }; Stack.prototype.unshift = function(/*...values*/) { return this.push.apply(this, arguments); }; Stack.prototype.unshiftAll = function(iter) { return this.pushAll(iter); }; Stack.prototype.shift = function() { return this.pop.apply(this, arguments); }; Stack.prototype.clear = function() { if (this.size === 0) { return this; } if (this.__ownerID) { this.size = 0; this._head = undefined; this.__hash = undefined; this.__altered = true; return this; } return emptyStack(); }; Stack.prototype.slice = function(begin, end) { if (wholeSlice(begin, end, this.size)) { return this; } var resolvedBegin = resolveBegin(begin, this.size); var resolvedEnd = resolveEnd(end, this.size); if (resolvedEnd !== this.size) { // super.slice(begin, end); return IndexedCollection.prototype.slice.call(this, begin, end); } var newSize = this.size - resolvedBegin; var head = this._head; while (resolvedBegin--) { head = head.next; } if (this.__ownerID) { this.size = newSize; this._head = head; this.__hash = undefined; this.__altered = true; return this; } return makeStack(newSize, head); }; // @pragma Mutability Stack.prototype.__ensureOwner = function(ownerID) { if (ownerID === this.__ownerID) { return this; } if (!ownerID) { this.__ownerID = ownerID; this.__altered = false; return this; } return makeStack(this.size, this._head, ownerID, this.__hash); }; // @pragma Iteration Stack.prototype.__iterate = function(fn, reverse) { if (reverse) { return this.reverse().__iterate(fn); } var iterations = 0; var node = this._head; while (node) { if (fn(node.value, iterations++, this) === false) { break; } node = node.next; } return iterations; }; Stack.prototype.__iterator = function(type, reverse) { if (reverse) { return this.reverse().__iterator(type); } var iterations = 0; var node = this._head; return new Iterator(function() { if (node) { var value = node.value; node = node.next; return iteratorValue(type, iterations++, value); } return iteratorDone(); }); }; function isStack(maybeStack) { return !!(maybeStack && maybeStack[IS_STACK_SENTINEL]); } Stack.isStack = isStack; var IS_STACK_SENTINEL = '@@__IMMUTABLE_STACK__@@'; var StackPrototype = Stack.prototype; StackPrototype[IS_STACK_SENTINEL] = true; StackPrototype.withMutations = MapPrototype.withMutations; StackPrototype.asMutable = MapPrototype.asMutable; StackPrototype.asImmutable = MapPrototype.asImmutable; StackPrototype.wasAltered = MapPrototype.wasAltered; function makeStack(size, head, ownerID, hash) { var map = Object.create(StackPrototype); map.size = size; map._head = head; map.__ownerID = ownerID; map.__hash = hash; map.__altered = false; return map; } var EMPTY_STACK; function emptyStack() { return EMPTY_STACK || (EMPTY_STACK = makeStack(0)); } /** * Contributes additional methods to a constructor */ function mixin(ctor, methods) { var keyCopier = function(key ) { ctor.prototype[key] = methods[key]; }; Object.keys(methods).forEach(keyCopier); Object.getOwnPropertySymbols && Object.getOwnPropertySymbols(methods).forEach(keyCopier); return ctor; } Iterable.Iterator = Iterator; mixin(Iterable, { // ### Conversion to other types toArray: function() { assertNotInfinite(this.size); var array = new Array(this.size || 0); this.valueSeq().__iterate(function(v, i) { array[i] = v; }); return array; }, toIndexedSeq: function() { return new ToIndexedSequence(this); }, toJS: function() { return this.toSeq().map( function(value ) {return value && typeof value.toJS === 'function' ? value.toJS() : value} ).__toJS(); }, toJSON: function() { return this.toSeq().map( function(value ) {return value && typeof value.toJSON === 'function' ? value.toJSON() : value} ).__toJS(); }, toKeyedSeq: function() { return new ToKeyedSequence(this, true); }, toMap: function() { // Use Late Binding here to solve the circular dependency. return Map(this.toKeyedSeq()); }, toObject: function() { assertNotInfinite(this.size); var object = {}; this.__iterate(function(v, k) { object[k] = v; }); return object; }, toOrderedMap: function() { // Use Late Binding here to solve the circular dependency. return OrderedMap(this.toKeyedSeq()); }, toOrderedSet: function() { // Use Late Binding here to solve the circular dependency. return OrderedSet(isKeyed(this) ? this.valueSeq() : this); }, toSet: function() { // Use Late Binding here to solve the circular dependency. return Set(isKeyed(this) ? this.valueSeq() : this); }, toSetSeq: function() { return new ToSetSequence(this); }, toSeq: function() { return isIndexed(this) ? this.toIndexedSeq() : isKeyed(this) ? this.toKeyedSeq() : this.toSetSeq(); }, toStack: function() { // Use Late Binding here to solve the circular dependency. return Stack(isKeyed(this) ? this.valueSeq() : this); }, toList: function() { // Use Late Binding here to solve the circular dependency. return List(isKeyed(this) ? this.valueSeq() : this); }, // ### Common JavaScript methods and properties toString: function() { return '[Iterable]'; }, __toString: function(head, tail) { if (this.size === 0) { return head + tail; } return head + ' ' + this.toSeq().map(this.__toStringMapper).join(', ') + ' ' + tail; }, // ### ES6 Collection methods (ES6 Array and Map) concat: function() {var values = SLICE$0.call(arguments, 0); return reify(this, concatFactory(this, values)); }, includes: function(searchValue) { return this.some(function(value ) {return is(value, searchValue)}); }, entries: function() { return this.__iterator(ITERATE_ENTRIES); }, every: function(predicate, context) { assertNotInfinite(this.size); var returnValue = true; this.__iterate(function(v, k, c) { if (!predicate.call(context, v, k, c)) { returnValue = false; return false; } }); return returnValue; }, filter: function(predicate, context) { return reify(this, filterFactory(this, predicate, context, true)); }, find: function(predicate, context, notSetValue) { var entry = this.findEntry(predicate, context); return entry ? entry[1] : notSetValue; }, forEach: function(sideEffect, context) { assertNotInfinite(this.size); return this.__iterate(context ? sideEffect.bind(context) : sideEffect); }, join: function(separator) { assertNotInfinite(this.size); separator = separator !== undefined ? '' + separator : ','; var joined = ''; var isFirst = true; this.__iterate(function(v ) { isFirst ? (isFirst = false) : (joined += separator); joined += v !== null && v !== undefined ? v.toString() : ''; }); return joined; }, keys: function() { return this.__iterator(ITERATE_KEYS); }, map: function(mapper, context) { return reify(this, mapFactory(this, mapper, context)); }, reduce: function(reducer, initialReduction, context) { assertNotInfinite(this.size); var reduction; var useFirst; if (arguments.length < 2) { useFirst = true; } else { reduction = initialReduction; } this.__iterate(function(v, k, c) { if (useFirst) { useFirst = false; reduction = v; } else { reduction = reducer.call(context, reduction, v, k, c); } }); return reduction; }, reduceRight: function(reducer, initialReduction, context) { var reversed = this.toKeyedSeq().reverse(); return reversed.reduce.apply(reversed, arguments); }, reverse: function() { return reify(this, reverseFactory(this, true)); }, slice: function(begin, end) { return reify(this, sliceFactory(this, begin, end, true)); }, some: function(predicate, context) { return !this.every(not(predicate), context); }, sort: function(comparator) { return reify(this, sortFactory(this, comparator)); }, values: function() { return this.__iterator(ITERATE_VALUES); }, // ### More sequential methods butLast: function() { return this.slice(0, -1); }, isEmpty: function() { return this.size !== undefined ? this.size === 0 : !this.some(function() {return true}); }, count: function(predicate, context) { return ensureSize( predicate ? this.toSeq().filter(predicate, context) : this ); }, countBy: function(grouper, context) { return countByFactory(this, grouper, context); }, equals: function(other) { return deepEqual(this, other); }, entrySeq: function() { var iterable = this; if (iterable._cache) { // We cache as an entries array, so we can just return the cache! return new ArraySeq(iterable._cache); } var entriesSequence = iterable.toSeq().map(entryMapper).toIndexedSeq(); entriesSequence.fromEntrySeq = function() {return iterable.toSeq()}; return entriesSequence; }, filterNot: function(predicate, context) { return this.filter(not(predicate), context); }, findEntry: function(predicate, context, notSetValue) { var found = notSetValue; this.__iterate(function(v, k, c) { if (predicate.call(context, v, k, c)) { found = [k, v]; return false; } }); return found; }, findKey: function(predicate, context) { var entry = this.findEntry(predicate, context); return entry && entry[0]; }, findLast: function(predicate, context, notSetValue) { return this.toKeyedSeq().reverse().find(predicate, context, notSetValue); }, findLastEntry: function(predicate, context, notSetValue) { return this.toKeyedSeq().reverse().findEntry(predicate, context, notSetValue); }, findLastKey: function(predicate, context) { return this.toKeyedSeq().reverse().findKey(predicate, context); }, first: function() { return this.find(returnTrue); }, flatMap: function(mapper, context) { return reify(this, flatMapFactory(this, mapper, context)); }, flatten: function(depth) { return reify(this, flattenFactory(this, depth, true)); }, fromEntrySeq: function() { return new FromEntriesSequence(this); }, get: function(searchKey, notSetValue) { return this.find(function(_, key) {return is(key, searchKey)}, undefined, notSetValue); }, getIn: function(searchKeyPath, notSetValue) { var nested = this; // Note: in an ES6 environment, we would prefer: // for (var key of searchKeyPath) { var iter = forceIterator(searchKeyPath); var step; while (!(step = iter.next()).done) { var key = step.value; nested = nested && nested.get ? nested.get(key, NOT_SET) : NOT_SET; if (nested === NOT_SET) { return notSetValue; } } return nested; }, groupBy: function(grouper, context) { return groupByFactory(this, grouper, context); }, has: function(searchKey) { return this.get(searchKey, NOT_SET) !== NOT_SET; }, hasIn: function(searchKeyPath) { return this.getIn(searchKeyPath, NOT_SET) !== NOT_SET; }, isSubset: function(iter) { iter = typeof iter.includes === 'function' ? iter : Iterable(iter); return this.every(function(value ) {return iter.includes(value)}); }, isSuperset: function(iter) { iter = typeof iter.isSubset === 'function' ? iter : Iterable(iter); return iter.isSubset(this); }, keyOf: function(searchValue) { return this.findKey(function(value ) {return is(value, searchValue)}); }, keySeq: function() { return this.toSeq().map(keyMapper).toIndexedSeq(); }, last: function() { return this.toSeq().reverse().first(); }, lastKeyOf: function(searchValue) { return this.toKeyedSeq().reverse().keyOf(searchValue); }, max: function(comparator) { return maxFactory(this, comparator); }, maxBy: function(mapper, comparator) { return maxFactory(this, comparator, mapper); }, min: function(comparator) { return maxFactory(this, comparator ? neg(comparator) : defaultNegComparator); }, minBy: function(mapper, comparator) { return maxFactory(this, comparator ? neg(comparator) : defaultNegComparator, mapper); }, rest: function() { return this.slice(1); }, skip: function(amount) { return this.slice(Math.max(0, amount)); }, skipLast: function(amount) { return reify(this, this.toSeq().reverse().skip(amount).reverse()); }, skipWhile: function(predicate, context) { return reify(this, skipWhileFactory(this, predicate, context, true)); }, skipUntil: function(predicate, context) { return this.skipWhile(not(predicate), context); }, sortBy: function(mapper, comparator) { return reify(this, sortFactory(this, comparator, mapper)); }, take: function(amount) { return this.slice(0, Math.max(0, amount)); }, takeLast: function(amount) { return reify(this, this.toSeq().reverse().take(amount).reverse()); }, takeWhile: function(predicate, context) { return reify(this, takeWhileFactory(this, predicate, context)); }, takeUntil: function(predicate, context) { return this.takeWhile(not(predicate), context); }, valueSeq: function() { return this.toIndexedSeq(); }, // ### Hashable Object hashCode: function() { return this.__hash || (this.__hash = hashIterable(this)); } // ### Internal // abstract __iterate(fn, reverse) // abstract __iterator(type, reverse) }); // var IS_ITERABLE_SENTINEL = '@@__IMMUTABLE_ITERABLE__@@'; // var IS_KEYED_SENTINEL = '@@__IMMUTABLE_KEYED__@@'; // var IS_INDEXED_SENTINEL = '@@__IMMUTABLE_INDEXED__@@'; // var IS_ORDERED_SENTINEL = '@@__IMMUTABLE_ORDERED__@@'; var IterablePrototype = Iterable.prototype; IterablePrototype[IS_ITERABLE_SENTINEL] = true; IterablePrototype[ITERATOR_SYMBOL] = IterablePrototype.values; IterablePrototype.__toJS = IterablePrototype.toArray; IterablePrototype.__toStringMapper = quoteString; IterablePrototype.inspect = IterablePrototype.toSource = function() { return this.toString(); }; IterablePrototype.chain = IterablePrototype.flatMap; IterablePrototype.contains = IterablePrototype.includes; mixin(KeyedIterable, { // ### More sequential methods flip: function() { return reify(this, flipFactory(this)); }, mapEntries: function(mapper, context) {var this$0 = this; var iterations = 0; return reify(this, this.toSeq().map( function(v, k) {return mapper.call(context, [k, v], iterations++, this$0)} ).fromEntrySeq() ); }, mapKeys: function(mapper, context) {var this$0 = this; return reify(this, this.toSeq().flip().map( function(k, v) {return mapper.call(context, k, v, this$0)} ).flip() ); } }); var KeyedIterablePrototype = KeyedIterable.prototype; KeyedIterablePrototype[IS_KEYED_SENTINEL] = true; KeyedIterablePrototype[ITERATOR_SYMBOL] = IterablePrototype.entries; KeyedIterablePrototype.__toJS = IterablePrototype.toObject; KeyedIterablePrototype.__toStringMapper = function(v, k) {return JSON.stringify(k) + ': ' + quoteString(v)}; mixin(IndexedIterable, { // ### Conversion to other types toKeyedSeq: function() { return new ToKeyedSequence(this, false); }, // ### ES6 Collection methods (ES6 Array and Map) filter: function(predicate, context) { return reify(this, filterFactory(this, predicate, context, false)); }, findIndex: function(predicate, context) { var entry = this.findEntry(predicate, context); return entry ? entry[0] : -1; }, indexOf: function(searchValue) { var key = this.keyOf(searchValue); return key === undefined ? -1 : key; }, lastIndexOf: function(searchValue) { var key = this.lastKeyOf(searchValue); return key === undefined ? -1 : key; }, reverse: function() { return reify(this, reverseFactory(this, false)); }, slice: function(begin, end) { return reify(this, sliceFactory(this, begin, end, false)); }, splice: function(index, removeNum /*, ...values*/) { var numArgs = arguments.length; removeNum = Math.max(removeNum | 0, 0); if (numArgs === 0 || (numArgs === 2 && !removeNum)) { return this; } // If index is negative, it should resolve relative to the size of the // collection. However size may be expensive to compute if not cached, so // only call count() if the number is in fact negative. index = resolveBegin(index, index < 0 ? this.count() : this.size); var spliced = this.slice(0, index); return reify( this, numArgs === 1 ? spliced : spliced.concat(arrCopy(arguments, 2), this.slice(index + removeNum)) ); }, // ### More collection methods findLastIndex: function(predicate, context) { var entry = this.findLastEntry(predicate, context); return entry ? entry[0] : -1; }, first: function() { return this.get(0); }, flatten: function(depth) { return reify(this, flattenFactory(this, depth, false)); }, get: function(index, notSetValue) { index = wrapIndex(this, index); return (index < 0 || (this.size === Infinity || (this.size !== undefined && index > this.size))) ? notSetValue : this.find(function(_, key) {return key === index}, undefined, notSetValue); }, has: function(index) { index = wrapIndex(this, index); return index >= 0 && (this.size !== undefined ? this.size === Infinity || index < this.size : this.indexOf(index) !== -1 ); }, interpose: function(separator) { return reify(this, interposeFactory(this, separator)); }, interleave: function(/*...iterables*/) { var iterables = [this].concat(arrCopy(arguments)); var zipped = zipWithFactory(this.toSeq(), IndexedSeq.of, iterables); var interleaved = zipped.flatten(true); if (zipped.size) { interleaved.size = zipped.size * iterables.length; } return reify(this, interleaved); }, keySeq: function() { return Range(0, this.size); }, last: function() { return this.get(-1); }, skipWhile: function(predicate, context) { return reify(this, skipWhileFactory(this, predicate, context, false)); }, zip: function(/*, ...iterables */) { var iterables = [this].concat(arrCopy(arguments)); return reify(this, zipWithFactory(this, defaultZipper, iterables)); }, zipWith: function(zipper/*, ...iterables */) { var iterables = arrCopy(arguments); iterables[0] = this; return reify(this, zipWithFactory(this, zipper, iterables)); } }); IndexedIterable.prototype[IS_INDEXED_SENTINEL] = true; IndexedIterable.prototype[IS_ORDERED_SENTINEL] = true; mixin(SetIterable, { // ### ES6 Collection methods (ES6 Array and Map) get: function(value, notSetValue) { return this.has(value) ? value : notSetValue; }, includes: function(value) { return this.has(value); }, // ### More sequential methods keySeq: function() { return this.valueSeq(); } }); SetIterable.prototype.has = IterablePrototype.includes; SetIterable.prototype.contains = SetIterable.prototype.includes; // Mixin subclasses mixin(KeyedSeq, KeyedIterable.prototype); mixin(IndexedSeq, IndexedIterable.prototype); mixin(SetSeq, SetIterable.prototype); mixin(KeyedCollection, KeyedIterable.prototype); mixin(IndexedCollection, IndexedIterable.prototype); mixin(SetCollection, SetIterable.prototype); // #pragma Helper functions function keyMapper(v, k) { return k; } function entryMapper(v, k) { return [k, v]; } function not(predicate) { return function() { return !predicate.apply(this, arguments); } } function neg(predicate) { return function() { return -predicate.apply(this, arguments); } } function quoteString(value) { return typeof value === 'string' ? JSON.stringify(value) : String(value); } function defaultZipper() { return arrCopy(arguments); } function defaultNegComparator(a, b) { return a < b ? 1 : a > b ? -1 : 0; } function hashIterable(iterable) { if (iterable.size === Infinity) { return 0; } var ordered = isOrdered(iterable); var keyed = isKeyed(iterable); var h = ordered ? 1 : 0; var size = iterable.__iterate( keyed ? ordered ? function(v, k) { h = 31 * h + hashMerge(hash(v), hash(k)) | 0; } : function(v, k) { h = h + hashMerge(hash(v), hash(k)) | 0; } : ordered ? function(v ) { h = 31 * h + hash(v) | 0; } : function(v ) { h = h + hash(v) | 0; } ); return murmurHashOfSize(size, h); } function murmurHashOfSize(size, h) { h = imul(h, 0xCC9E2D51); h = imul(h << 15 | h >>> -15, 0x1B873593); h = imul(h << 13 | h >>> -13, 5); h = (h + 0xE6546B64 | 0) ^ size; h = imul(h ^ h >>> 16, 0x85EBCA6B); h = imul(h ^ h >>> 13, 0xC2B2AE35); h = smi(h ^ h >>> 16); return h; } function hashMerge(a, b) { return a ^ b + 0x9E3779B9 + (a << 6) + (a >> 2) | 0; // int } var Immutable = { Iterable: Iterable, Seq: Seq, Collection: Collection, Map: Map, OrderedMap: OrderedMap, List: List, Stack: Stack, Set: Set, OrderedSet: OrderedSet, Record: Record, Range: Range, Repeat: Repeat, is: is, fromJS: fromJS }; return Immutable; }));
28.601366
127
0.593513
c88b81e91843203f932fb0119000570a4fbe8c3b
1,099
js
JavaScript
package/functions/funcs/djsEval.js
kayke981/aoi.js-light
ece52177f51e3e0a26ba8af1d1dfcaedfdb060b5
[ "MIT" ]
5
2021-05-11T20:38:10.000Z
2021-06-08T16:25:12.000Z
package/functions/funcs/djsEval.js
kayke981/aoi.js-light
ece52177f51e3e0a26ba8af1d1dfcaedfdb060b5
[ "MIT" ]
2
2021-05-12T00:25:20.000Z
2021-06-03T00:46:54.000Z
package/functions/funcs/djsEval.js
kayke981/aoi.js-light
ece52177f51e3e0a26ba8af1d1dfcaedfdb060b5
[ "MIT" ]
1
2021-05-26T16:21:43.000Z
2021-05-26T16:21:43.000Z
module.exports = async (d) => { const { channel, message, data, error, command, embed, array, randoms, client, guild, author, msg, member, mentions, reaction, } = d; const code = d.command.code; const r = code.split(`$djsEval`).length - 1; const inside = code.split("$djsEval")[r].after(); const err = d.inside(inside); if (err) throw new Error(err); const fields = inside.splits; let OUTPUT = false; if (["yes", "no"].includes(fields[fields.length - 1])) { OUTPUT = fields[fields.length - 1]; fields.pop(); } let CODE = fields.join(";"); try { var evaled = await eval(CODE.addBrackets()); } catch (error) { throw new Error(error.message + ` in \`$djsEval${inside}\``); } return { code: d.command.code.replaceLast( `$djsEval${inside}`, OUTPUT === "yes" ? typeof evaled === "object" ? require("util").inspect(evaled, { depth: 0 }).deleteBrackets() : typeof evaled === "string" ? evaled.deleteBrackets() : evaled : "" ), }; };
18.016393
74
0.55323
c88cb67ac7e888421025dfef725a8901b0aa0dc8
848
js
JavaScript
service/src/services/databases/databases.service.js
FlowzPlatform/uploader
f7295cc1480cd58cd4d75cf0201abf3df0542ec6
[ "MIT" ]
4
2018-08-02T10:54:45.000Z
2020-02-14T10:29:01.000Z
service/src/services/databases/databases.service.js
FlowzPlatform/uploader
f7295cc1480cd58cd4d75cf0201abf3df0542ec6
[ "MIT" ]
95
2018-01-12T11:25:05.000Z
2018-09-28T10:59:10.000Z
service/src/services/databases/databases.service.js
FlowzPlatform/uploader
f7295cc1480cd58cd4d75cf0201abf3df0542ec6
[ "MIT" ]
null
null
null
// Initializes the `databases` service on path `/databases` const createService = require('feathers-rethinkdb'); const hooks = require('./databases.hooks'); const filters = require('./databases.filters'); module.exports = function () { const app = this; const Model = app.get('rethinkdbClient'); const paginate = app.get('paginate'); const options = { name: 'databases', Model, paginate }; // Initialize our service with any options it requires app.use('/databases', createService(options)); // Get our initialized service so that we can register hooks and filters const service = app.service('databases'); // service.find = (data, params, callback) => { // console.log('abc') // callback(new { 'abc': 123 }); // }; service.hooks(hooks); if (service.filter) { service.filter(filters); } };
25.69697
74
0.661557
c88d448e16f870b07d7cde447194126d2f250c6a
1,129
js
JavaScript
crates/swc/tests/tsc-references/privateNamesAssertion_es2015.1.normal.js
10088/swc
6bc39005bb851b57f4f49b046688f4acc6e850f3
[ "Apache-2.0" ]
null
null
null
crates/swc/tests/tsc-references/privateNamesAssertion_es2015.1.normal.js
10088/swc
6bc39005bb851b57f4f49b046688f4acc6e850f3
[ "Apache-2.0" ]
null
null
null
crates/swc/tests/tsc-references/privateNamesAssertion_es2015.1.normal.js
10088/swc
6bc39005bb851b57f4f49b046688f4acc6e850f3
[ "Apache-2.0" ]
null
null
null
import _class_private_field_get from "@swc/helpers/lib/_class_private_field_get.js"; import _class_private_field_init from "@swc/helpers/lib/_class_private_field_init.js"; import _class_private_method_get from "@swc/helpers/lib/_class_private_method_get.js"; import _class_private_method_init from "@swc/helpers/lib/_class_private_method_init.js"; var _p1 = /*#__PURE__*/ new WeakMap(); // @strict: true // @target: esnext, es2022 // @useDefineForClassFields: false class Foo { m1(v) { _class_private_field_get(this, _p1).call(this, v); v; } constructor(){ _class_private_field_init(this, _p1, { writable: true, value: (v)=>{ if (typeof v !== "string") { throw new Error(); } } }); } } var _p11 = /*#__PURE__*/ new WeakSet(); class Foo2 { m1(v) { _class_private_method_get(this, _p11, p1).call(this, v); v; } constructor(){ _class_private_method_init(this, _p11); } } function p1(v) { if (typeof v !== "string") { throw new Error(); } }
28.225
88
0.608503
c88d7243b51910f6dd246090e636beccc88a35ac
11,776
js
JavaScript
node_modules/@amcharts/amcharts4/.internal/core/Registry.js
Prosocial-Lab/hci-com
231131aa1a3af4d5a239a99efbf53ef7347f0e0a
[ "MIT" ]
null
null
null
node_modules/@amcharts/amcharts4/.internal/core/Registry.js
Prosocial-Lab/hci-com
231131aa1a3af4d5a239a99efbf53ef7347f0e0a
[ "MIT" ]
null
null
null
node_modules/@amcharts/amcharts4/.internal/core/Registry.js
Prosocial-Lab/hci-com
231131aa1a3af4d5a239a99efbf53ef7347f0e0a
[ "MIT" ]
1
2021-01-11T03:46:58.000Z
2021-01-11T03:46:58.000Z
import { EventDispatcher } from "./utils/EventDispatcher"; import { Dictionary } from "./utils/Dictionary"; import { cache } from "./utils/Cache"; import * as $type from "./utils/Type"; import * as $string from "./utils/String"; import * as $array from "./utils/Array"; /** * ============================================================================ * MAIN CLASS * ============================================================================ * @hidden */ /** * Registry is used to store miscellaneous system-wide information, like ids, * maps, themes, and registered classes. * * @ignore Exclude from docs */ var Registry = /** @class */ (function () { function Registry() { var _this = this; /** * Event dispacther. */ this.events = new EventDispatcher(); /** * All currently applied themes. All new chart instances created will * automatically inherit and retain System's themes. */ this.themes = []; /** * List of all loaded available themes. * * Whenever a theme loads, it registers itself in System's `loadedThemes` * collection. */ this.loadedThemes = {}; /** * An indeternal counter used to generate unique IDs. * * @ignore Exclude from docs */ this._uidCount = 0; /** * Keeps register of class references so that they can be instnatiated using * string key. * * @ignore Exclude from docs */ this.registeredClasses = {}; /** * Holds all generated placeholders. */ this._placeholders = {}; /** * A list of invalid(ated) [[Sprite]] objects that need to be re-validated * during next cycle. * * @ignore Exclude from docs */ this.invalidSprites = {}; /** * Components are added to this list when their data provider changes to * a new one or data is added/removed from their data provider. * * @ignore Exclude from docs */ this.invalidDatas = {}; /** * Components are added to this list when values of their raw data change. * Used when we want a smooth animation from one set of values to another. * * @ignore Exclude from docs */ this.invalidRawDatas = []; /** * Components are added to this list when values of their data changes * (but not data provider itself). * * @ignore Exclude from docs */ this.invalidDataItems = []; /** * Components are added to this list when their data range (selection) is * changed, e.g. zoomed. * * @ignore Exclude from docs */ this.invalidDataRange = []; /** * A list of [[Sprite]] objects that have invalid(ated) positions, that need * to be recalculated. * * @ignore Exclude from docs */ this.invalidPositions = {}; /** * A list of [[Container]] objects with invalid(ated) layouts. * * @ignore Exclude from docs */ this.invalidLayouts = {}; /** * An array holding all active (non-disposed) top level elemens. * * When, for example, a new chart is created, its instance will be added to * this array, and will be removed when the chart is disposed. */ this.baseSprites = []; /** * An UID-based map of base sprites (top-level charts). */ this.baseSpritesByUid = {}; /** * Queued charts (waiting for their turn) to initialize. * * @see {@link https://www.amcharts.com/docs/v4/concepts/performance/#Daisy_chaining_multiple_charts} for more information */ this.queue = []; /** * An array of deferred charts that haven't been created yet. * * @see {@link https://www.amcharts.com/docs/v4/concepts/performance/#Deferred_daisy_chained_instantiation} for more information * @since 4.10.0 */ this.deferred = []; this.uid = this.getUniqueId(); this.invalidSprites.noBase = []; this.invalidDatas.noBase = []; this.invalidLayouts.noBase = []; this.invalidPositions.noBase = []; // This is needed for Angular Universal SSR if (typeof addEventListener !== "undefined") { // This is needed to prevent charts from being cut off when printing addEventListener("beforeprint", function () { $array.each(_this.baseSprites, function (sprite) { var svg = sprite.paper.svg; svg.setAttribute("viewBox", "0 0 " + svg.clientWidth + " " + svg.clientHeight); }); }); addEventListener("afterprint", function () { $array.each(_this.baseSprites, function (sprite) { var svg = sprite.paper.svg; svg.removeAttribute("viewBox"); }); }); } } /** * Generates a unique chart system-wide ID. * * @return Generated ID */ Registry.prototype.getUniqueId = function () { var uid = this._uidCount; this._uidCount += 1; return "id-" + uid; }; Object.defineProperty(Registry.prototype, "map", { /** * Returns a universal collection for mapping ids with objects. * * @ignore Exclude from docs * @return Map collection */ get: function () { if (!this._map) { this._map = new Dictionary(); } return this._map; }, enumerable: true, configurable: true }); /** * Caches value in object's cache. * * @ignore Exclude from docs * @param key Key * @param value Value * @param ttl TTL in seconds */ Registry.prototype.setCache = function (key, value, ttl) { cache.set(this.uid, key, value, ttl); }; /** * Retrieves cached value. * * @ignore Exclude from docs * @param key Key * @param value Value to return if cache is not available * @return Value */ Registry.prototype.getCache = function (key, value) { if (value === void 0) { value = undefined; } return cache.get(this.uid, key, value); }; /** * Dispatches an event using own event dispatcher. Will automatically * populate event data object with event type and target (this element). * It also checks if there are any handlers registered for this sepecific * event. * * @param eventType Event type (name) * @param data Data to pass into event handler(s) */ Registry.prototype.dispatch = function (eventType, data) { // @todo Implement proper type check if (this.events.isEnabled(eventType)) { if (data) { data.type = eventType; data.target = data.target || this; this.events.dispatch(eventType, { type: eventType, target: this }); } else { this.events.dispatch(eventType, { type: eventType, target: this }); } } }; /** * Works like `dispatch`, except event is triggered immediately, without * waiting for the next frame cycle. * * @param eventType Event type (name) * @param data Data to pass into event handler(s) */ Registry.prototype.dispatchImmediately = function (eventType, data) { // @todo Implement proper type check if (this.events.isEnabled(eventType)) { if (data) { data.type = eventType; data.target = data.target || this; this.events.dispatchImmediately(eventType, data); } else { this.events.dispatchImmediately(eventType, { type: eventType, target: this }); } } }; /** * Returns a unique placeholder suitable for the key. * * @param key Key * @return Random string to be used as placeholder */ Registry.prototype.getPlaceholder = function (key) { if ($type.hasValue(this._placeholders[key])) { return this._placeholders[key]; } this._placeholders[key] = "__amcharts_" + key + "_" + $string.random(8) + "__"; return this._placeholders[key]; }; /** * @ignore */ Registry.prototype.addToInvalidComponents = function (component) { if (component.baseId) { $array.move(this.invalidDatas[component.baseId], component); } else { $array.move(this.invalidDatas["noBase"], component); } }; /** * @ignore */ Registry.prototype.removeFromInvalidComponents = function (component) { if (component.baseId) { $array.remove(this.invalidDatas[component.baseId], component); } $array.remove(this.invalidDatas["noBase"], component); }; /** * @ignore */ Registry.prototype.addToInvalidSprites = function (sprite) { if (sprite.baseId) { $array.add(this.invalidSprites[sprite.baseId], sprite); } else { $array.add(this.invalidSprites["noBase"], sprite); } }; /** * @ignore */ Registry.prototype.removeFromInvalidSprites = function (sprite) { if (sprite.baseId) { $array.remove(this.invalidSprites[sprite.baseId], sprite); } $array.remove(this.invalidSprites["noBase"], sprite); }; /** * @ignore */ Registry.prototype.addToInvalidPositions = function (sprite) { if (sprite.baseId) { $array.add(this.invalidPositions[sprite.baseId], sprite); } else { $array.add(this.invalidPositions["noBase"], sprite); } }; /** * @ignore */ Registry.prototype.removeFromInvalidPositions = function (sprite) { if (sprite.baseId) { $array.remove(this.invalidPositions[sprite.baseId], sprite); } $array.remove(this.invalidPositions["noBase"], sprite); }; /** * @ignore */ Registry.prototype.addToInvalidLayouts = function (sprite) { if (sprite.baseId) { $array.add(this.invalidLayouts[sprite.baseId], sprite); } else { $array.add(this.invalidLayouts["noBase"], sprite); } }; /** * @ignore */ Registry.prototype.removeFromInvalidLayouts = function (sprite) { if (sprite.baseId) { $array.remove(this.invalidLayouts[sprite.baseId], sprite); } $array.remove(this.invalidLayouts["noBase"], sprite); }; return Registry; }()); export { Registry }; /** * A singleton global instance of [[Registry]]. * * @ignore Exclude from docs */ export var registry = new Registry(); /** * Returns `true` if object is an instance of the class. It's the same as `instanceof` except it doesn't need to import the class. * * @param object Object * @param name Class name * @return Is instance of class */ export function is(object, name) { var x = registry.registeredClasses[name]; return x != null && object instanceof x; } //# sourceMappingURL=Registry.js.map
32.530387
136
0.539317
c88da4e0d5bb2a1d6f0fb93d4419688e0adaa3bc
52,548
js
JavaScript
ajax/libs/yui/3.7.3/loader-yui3/loader-yui3.js
platanus/cdnjs
daa228b7426fa70b2e3c82f9ef9e8d19548bc255
[ "MIT" ]
5
2015-02-20T16:11:30.000Z
2017-05-15T11:50:44.000Z
ajax/libs/yui/3.7.3/loader-yui3/loader-yui3.js
platanus/cdnjs
daa228b7426fa70b2e3c82f9ef9e8d19548bc255
[ "MIT" ]
1
2021-03-30T12:07:41.000Z
2021-03-30T12:07:41.000Z
ajax/libs/yui/3.7.3/loader-yui3/loader-yui3.js
platanus/cdnjs
daa228b7426fa70b2e3c82f9ef9e8d19548bc255
[ "MIT" ]
4
2015-07-14T16:16:05.000Z
2021-03-10T08:15:54.000Z
YUI.add('loader-yui3', function (Y, NAME) { /* This file is auto-generated by src/loader/scripts/meta_join.js */ /** * YUI 3 module metadata * @module loader * @submodule yui3 */ YUI.Env[Y.version].modules = YUI.Env[Y.version].modules || { "align-plugin": { "requires": [ "node-screen", "node-pluginhost" ] }, "anim": { "use": [ "anim-base", "anim-color", "anim-curve", "anim-easing", "anim-node-plugin", "anim-scroll", "anim-xy" ] }, "anim-base": { "requires": [ "base-base", "node-style" ] }, "anim-color": { "requires": [ "anim-base" ] }, "anim-curve": { "requires": [ "anim-xy" ] }, "anim-easing": { "requires": [ "anim-base" ] }, "anim-node-plugin": { "requires": [ "node-pluginhost", "anim-base" ] }, "anim-scroll": { "requires": [ "anim-base" ] }, "anim-shape": { "requires": [ "anim-base", "anim-easing", "anim-color", "matrix" ] }, "anim-shape-transform": { "use": [ "anim-shape" ] }, "anim-xy": { "requires": [ "anim-base", "node-screen" ] }, "app": { "use": [ "app-base", "app-content", "app-transitions", "lazy-model-list", "model", "model-list", "model-sync-rest", "router", "view", "view-node-map" ] }, "app-base": { "requires": [ "classnamemanager", "pjax-base", "router", "view" ] }, "app-content": { "requires": [ "app-base", "pjax-content" ] }, "app-transitions": { "requires": [ "app-base" ] }, "app-transitions-css": { "type": "css" }, "app-transitions-native": { "condition": { "name": "app-transitions-native", "test": function (Y) { var doc = Y.config.doc, node = doc ? doc.documentElement : null; if (node && node.style) { return ('MozTransition' in node.style || 'WebkitTransition' in node.style || 'transition' in node.style); } return false; }, "trigger": "app-transitions" }, "requires": [ "app-transitions", "app-transitions-css", "parallel", "transition" ] }, "array-extras": { "requires": [ "yui-base" ] }, "array-invoke": { "requires": [ "yui-base" ] }, "arraylist": { "requires": [ "yui-base" ] }, "arraylist-add": { "requires": [ "arraylist" ] }, "arraylist-filter": { "requires": [ "arraylist" ] }, "arraysort": { "requires": [ "yui-base" ] }, "async-queue": { "requires": [ "event-custom" ] }, "attribute": { "use": [ "attribute-base", "attribute-complex" ] }, "attribute-base": { "requires": [ "attribute-core", "attribute-events", "attribute-extras" ] }, "attribute-complex": { "requires": [ "attribute-base" ] }, "attribute-core": { "requires": [ "oop" ] }, "attribute-events": { "requires": [ "event-custom" ] }, "attribute-extras": { "requires": [ "oop" ] }, "autocomplete": { "use": [ "autocomplete-base", "autocomplete-sources", "autocomplete-list", "autocomplete-plugin" ] }, "autocomplete-base": { "optional": [ "autocomplete-sources" ], "requires": [ "array-extras", "base-build", "escape", "event-valuechange", "node-base" ] }, "autocomplete-filters": { "requires": [ "array-extras", "text-wordbreak" ] }, "autocomplete-filters-accentfold": { "requires": [ "array-extras", "text-accentfold", "text-wordbreak" ] }, "autocomplete-highlighters": { "requires": [ "array-extras", "highlight-base" ] }, "autocomplete-highlighters-accentfold": { "requires": [ "array-extras", "highlight-accentfold" ] }, "autocomplete-list": { "after": [ "autocomplete-sources" ], "lang": [ "en" ], "requires": [ "autocomplete-base", "event-resize", "node-screen", "selector-css3", "shim-plugin", "widget", "widget-position", "widget-position-align" ], "skinnable": true }, "autocomplete-list-keys": { "condition": { "name": "autocomplete-list-keys", "test": function (Y) { // Only add keyboard support to autocomplete-list if this doesn't appear to // be an iOS or Android-based mobile device. // // There's currently no feasible way to actually detect whether a device has // a hardware keyboard, so this sniff will have to do. It can easily be // overridden by manually loading the autocomplete-list-keys module. // // Worth noting: even though iOS supports bluetooth keyboards, Mobile Safari // doesn't fire the keyboard events used by AutoCompleteList, so there's // no point loading the -keys module even when a bluetooth keyboard may be // available. return !(Y.UA.ios || Y.UA.android); }, "trigger": "autocomplete-list" }, "requires": [ "autocomplete-list", "base-build" ] }, "autocomplete-plugin": { "requires": [ "autocomplete-list", "node-pluginhost" ] }, "autocomplete-sources": { "optional": [ "io-base", "json-parse", "jsonp", "yql" ], "requires": [ "autocomplete-base" ] }, "base": { "use": [ "base-base", "base-pluginhost", "base-build" ] }, "base-base": { "after": [ "attribute-complex" ], "requires": [ "base-core", "attribute-base" ] }, "base-build": { "requires": [ "base-base" ] }, "base-core": { "requires": [ "attribute-core" ] }, "base-pluginhost": { "requires": [ "base-base", "pluginhost" ] }, "button": { "requires": [ "button-core", "cssbutton", "widget" ] }, "button-core": { "requires": [ "attribute-core", "classnamemanager", "node-base" ] }, "button-group": { "requires": [ "button-plugin", "cssbutton", "widget" ] }, "button-plugin": { "requires": [ "button-core", "cssbutton", "node-pluginhost" ] }, "cache": { "use": [ "cache-base", "cache-offline", "cache-plugin" ] }, "cache-base": { "requires": [ "base" ] }, "cache-offline": { "requires": [ "cache-base", "json" ] }, "cache-plugin": { "requires": [ "plugin", "cache-base" ] }, "calendar": { "lang": [ "de", "en", "fr", "ja", "nb-NO", "pt-BR", "ru", "zh-HANT-TW" ], "requires": [ "calendar-base", "calendarnavigator" ], "skinnable": true }, "calendar-base": { "lang": [ "de", "en", "fr", "ja", "nb-NO", "pt-BR", "ru", "zh-HANT-TW" ], "requires": [ "widget", "substitute", "datatype-date", "datatype-date-math", "cssgrids" ], "skinnable": true }, "calendarnavigator": { "requires": [ "plugin", "classnamemanager", "datatype-date", "node", "substitute" ], "skinnable": true }, "charts": { "requires": [ "charts-base" ] }, "charts-base": { "requires": [ "dom", "datatype-number", "datatype-date", "event-custom", "event-mouseenter", "event-touch", "widget", "widget-position", "widget-stack", "graphics" ] }, "charts-legend": { "requires": [ "charts-base" ] }, "classnamemanager": { "requires": [ "yui-base" ] }, "clickable-rail": { "requires": [ "slider-base" ] }, "collection": { "use": [ "array-extras", "arraylist", "arraylist-add", "arraylist-filter", "array-invoke" ] }, "console": { "lang": [ "en", "es", "ja" ], "requires": [ "yui-log", "widget" ], "skinnable": true }, "console-filters": { "requires": [ "plugin", "console" ], "skinnable": true }, "controller": { "use": [ "router" ] }, "cookie": { "requires": [ "yui-base" ] }, "createlink-base": { "requires": [ "editor-base" ] }, "cssbase": { "after": [ "cssreset", "cssfonts", "cssgrids", "cssreset-context", "cssfonts-context", "cssgrids-context" ], "type": "css" }, "cssbase-context": { "after": [ "cssreset", "cssfonts", "cssgrids", "cssreset-context", "cssfonts-context", "cssgrids-context" ], "type": "css" }, "cssbutton": { "type": "css" }, "cssfonts": { "type": "css" }, "cssfonts-context": { "type": "css" }, "cssgrids": { "optional": [ "cssreset", "cssfonts" ], "type": "css" }, "cssgrids-base": { "optional": [ "cssreset", "cssfonts" ], "type": "css" }, "cssgrids-units": { "optional": [ "cssreset", "cssfonts" ], "requires": [ "cssgrids-base" ], "type": "css" }, "cssreset": { "type": "css" }, "cssreset-context": { "type": "css" }, "dataschema": { "use": [ "dataschema-base", "dataschema-json", "dataschema-xml", "dataschema-array", "dataschema-text" ] }, "dataschema-array": { "requires": [ "dataschema-base" ] }, "dataschema-base": { "requires": [ "base" ] }, "dataschema-json": { "requires": [ "dataschema-base", "json" ] }, "dataschema-text": { "requires": [ "dataschema-base" ] }, "dataschema-xml": { "requires": [ "dataschema-base" ] }, "datasource": { "use": [ "datasource-local", "datasource-io", "datasource-get", "datasource-function", "datasource-cache", "datasource-jsonschema", "datasource-xmlschema", "datasource-arrayschema", "datasource-textschema", "datasource-polling" ] }, "datasource-arrayschema": { "requires": [ "datasource-local", "plugin", "dataschema-array" ] }, "datasource-cache": { "requires": [ "datasource-local", "plugin", "cache-base" ] }, "datasource-function": { "requires": [ "datasource-local" ] }, "datasource-get": { "requires": [ "datasource-local", "get" ] }, "datasource-io": { "requires": [ "datasource-local", "io-base" ] }, "datasource-jsonschema": { "requires": [ "datasource-local", "plugin", "dataschema-json" ] }, "datasource-local": { "requires": [ "base" ] }, "datasource-polling": { "requires": [ "datasource-local" ] }, "datasource-textschema": { "requires": [ "datasource-local", "plugin", "dataschema-text" ] }, "datasource-xmlschema": { "requires": [ "datasource-local", "plugin", "datatype-xml", "dataschema-xml" ] }, "datatable": { "use": [ "datatable-core", "datatable-table", "datatable-head", "datatable-body", "datatable-base", "datatable-column-widths", "datatable-message", "datatable-mutable", "datatable-sort", "datatable-datasource" ] }, "datatable-base": { "requires": [ "datatable-core", "datatable-table", "datatable-head", "datatable-body", "base-build", "widget" ], "skinnable": true }, "datatable-base-deprecated": { "requires": [ "recordset-base", "widget", "substitute", "event-mouseenter" ], "skinnable": true }, "datatable-body": { "requires": [ "datatable-core", "view", "classnamemanager" ] }, "datatable-column-widths": { "requires": [ "datatable-base" ] }, "datatable-core": { "requires": [ "escape", "model-list", "node-event-delegate" ] }, "datatable-datasource": { "requires": [ "datatable-base", "plugin", "datasource-local" ] }, "datatable-datasource-deprecated": { "requires": [ "datatable-base-deprecated", "plugin", "datasource-local" ] }, "datatable-deprecated": { "use": [ "datatable-base-deprecated", "datatable-datasource-deprecated", "datatable-sort-deprecated", "datatable-scroll-deprecated" ] }, "datatable-head": { "requires": [ "datatable-core", "view", "classnamemanager" ] }, "datatable-message": { "lang": [ "en" ], "requires": [ "datatable-base" ], "skinnable": true }, "datatable-mutable": { "requires": [ "datatable-base" ] }, "datatable-scroll": { "requires": [ "datatable-base", "datatable-column-widths", "dom-screen" ], "skinnable": true }, "datatable-scroll-deprecated": { "requires": [ "datatable-base-deprecated", "plugin" ] }, "datatable-sort": { "lang": [ "en" ], "requires": [ "datatable-base" ], "skinnable": true }, "datatable-sort-deprecated": { "lang": [ "en" ], "requires": [ "datatable-base-deprecated", "plugin", "recordset-sort" ] }, "datatable-table": { "requires": [ "datatable-core", "datatable-head", "datatable-body", "view", "classnamemanager" ] }, "datatype": { "use": [ "datatype-date", "datatype-number", "datatype-xml" ] }, "datatype-date": { "use": [ "datatype-date-parse", "datatype-date-format", "datatype-date-math" ] }, "datatype-date-format": { "lang": [ "ar", "ar-JO", "ca", "ca-ES", "da", "da-DK", "de", "de-AT", "de-DE", "el", "el-GR", "en", "en-AU", "en-CA", "en-GB", "en-IE", "en-IN", "en-JO", "en-MY", "en-NZ", "en-PH", "en-SG", "en-US", "es", "es-AR", "es-BO", "es-CL", "es-CO", "es-EC", "es-ES", "es-MX", "es-PE", "es-PY", "es-US", "es-UY", "es-VE", "fi", "fi-FI", "fr", "fr-BE", "fr-CA", "fr-FR", "hi", "hi-IN", "id", "id-ID", "it", "it-IT", "ja", "ja-JP", "ko", "ko-KR", "ms", "ms-MY", "nb", "nb-NO", "nl", "nl-BE", "nl-NL", "pl", "pl-PL", "pt", "pt-BR", "ro", "ro-RO", "ru", "ru-RU", "sv", "sv-SE", "th", "th-TH", "tr", "tr-TR", "vi", "vi-VN", "zh-Hans", "zh-Hans-CN", "zh-Hant", "zh-Hant-HK", "zh-Hant-TW" ] }, "datatype-date-math": { "requires": [ "yui-base" ] }, "datatype-date-parse": {}, "datatype-number": { "use": [ "datatype-number-parse", "datatype-number-format" ] }, "datatype-number-format": {}, "datatype-number-parse": {}, "datatype-xml": { "use": [ "datatype-xml-parse", "datatype-xml-format" ] }, "datatype-xml-format": {}, "datatype-xml-parse": {}, "dd": { "use": [ "dd-ddm-base", "dd-ddm", "dd-ddm-drop", "dd-drag", "dd-proxy", "dd-constrain", "dd-drop", "dd-scroll", "dd-delegate" ] }, "dd-constrain": { "requires": [ "dd-drag" ] }, "dd-ddm": { "requires": [ "dd-ddm-base", "event-resize" ] }, "dd-ddm-base": { "requires": [ "node", "base", "yui-throttle", "classnamemanager" ] }, "dd-ddm-drop": { "requires": [ "dd-ddm" ] }, "dd-delegate": { "requires": [ "dd-drag", "dd-drop-plugin", "event-mouseenter" ] }, "dd-drag": { "requires": [ "dd-ddm-base" ] }, "dd-drop": { "requires": [ "dd-drag", "dd-ddm-drop" ] }, "dd-drop-plugin": { "requires": [ "dd-drop" ] }, "dd-gestures": { "condition": { "name": "dd-gestures", "trigger": "dd-drag", "ua": "touchEnabled" }, "requires": [ "dd-drag", "event-synthetic", "event-gestures" ] }, "dd-plugin": { "optional": [ "dd-constrain", "dd-proxy" ], "requires": [ "dd-drag" ] }, "dd-proxy": { "requires": [ "dd-drag" ] }, "dd-scroll": { "requires": [ "dd-drag" ] }, "dial": { "lang": [ "en", "es" ], "requires": [ "widget", "dd-drag", "event-mouseenter", "event-move", "event-key", "transition", "intl" ], "skinnable": true }, "dom": { "use": [ "dom-base", "dom-screen", "dom-style", "selector-native", "selector" ] }, "dom-base": { "requires": [ "dom-core" ] }, "dom-core": { "requires": [ "oop", "features" ] }, "dom-deprecated": { "requires": [ "dom-base" ] }, "dom-screen": { "requires": [ "dom-base", "dom-style" ] }, "dom-style": { "requires": [ "dom-base" ] }, "dom-style-ie": { "condition": { "name": "dom-style-ie", "test": function (Y) { var testFeature = Y.Features.test, addFeature = Y.Features.add, WINDOW = Y.config.win, DOCUMENT = Y.config.doc, DOCUMENT_ELEMENT = 'documentElement', ret = false; addFeature('style', 'computedStyle', { test: function() { return WINDOW && 'getComputedStyle' in WINDOW; } }); addFeature('style', 'opacity', { test: function() { return DOCUMENT && 'opacity' in DOCUMENT[DOCUMENT_ELEMENT].style; } }); ret = (!testFeature('style', 'opacity') && !testFeature('style', 'computedStyle')); return ret; }, "trigger": "dom-style" }, "requires": [ "dom-style" ] }, "dump": { "requires": [ "yui-base" ] }, "editor": { "use": [ "frame", "editor-selection", "exec-command", "editor-base", "editor-para", "editor-br", "editor-bidi", "editor-tab", "createlink-base" ] }, "editor-base": { "requires": [ "base", "frame", "node", "exec-command", "editor-selection" ] }, "editor-bidi": { "requires": [ "editor-base" ] }, "editor-br": { "requires": [ "editor-base" ] }, "editor-lists": { "requires": [ "editor-base" ] }, "editor-para": { "requires": [ "editor-para-base" ] }, "editor-para-base": { "requires": [ "editor-base" ] }, "editor-para-ie": { "condition": { "name": "editor-para-ie", "trigger": "editor-para", "ua": "ie", "when": "instead" }, "requires": [ "editor-para-base" ] }, "editor-selection": { "requires": [ "node" ] }, "editor-tab": { "requires": [ "editor-base" ] }, "escape": { "requires": [ "yui-base" ] }, "event": { "after": [ "node-base" ], "use": [ "event-base", "event-delegate", "event-synthetic", "event-mousewheel", "event-mouseenter", "event-key", "event-focus", "event-resize", "event-hover", "event-outside", "event-touch", "event-move", "event-flick", "event-valuechange", "event-tap" ] }, "event-base": { "after": [ "node-base" ], "requires": [ "event-custom-base" ] }, "event-base-ie": { "after": [ "event-base" ], "condition": { "name": "event-base-ie", "test": function(Y) { var imp = Y.config.doc && Y.config.doc.implementation; return (imp && (!imp.hasFeature('Events', '2.0'))); }, "trigger": "node-base" }, "requires": [ "node-base" ] }, "event-contextmenu": { "requires": [ "event-synthetic", "dom-screen" ] }, "event-custom": { "use": [ "event-custom-base", "event-custom-complex" ] }, "event-custom-base": { "requires": [ "oop" ] }, "event-custom-complex": { "requires": [ "event-custom-base" ] }, "event-delegate": { "requires": [ "node-base" ] }, "event-flick": { "requires": [ "node-base", "event-touch", "event-synthetic" ] }, "event-focus": { "requires": [ "event-synthetic" ] }, "event-gestures": { "use": [ "event-flick", "event-move" ] }, "event-hover": { "requires": [ "event-mouseenter" ] }, "event-key": { "requires": [ "event-synthetic" ] }, "event-mouseenter": { "requires": [ "event-synthetic" ] }, "event-mousewheel": { "requires": [ "node-base" ] }, "event-move": { "requires": [ "node-base", "event-touch", "event-synthetic" ] }, "event-outside": { "requires": [ "event-synthetic" ] }, "event-resize": { "requires": [ "node-base", "event-synthetic" ] }, "event-simulate": { "requires": [ "event-base" ] }, "event-synthetic": { "requires": [ "node-base", "event-custom-complex" ] }, "event-tap": { "requires": [ "node-base", "event-base", "event-touch", "event-synthetic" ] }, "event-touch": { "requires": [ "node-base" ] }, "event-valuechange": { "requires": [ "event-focus", "event-synthetic" ] }, "exec-command": { "requires": [ "frame" ] }, "features": { "requires": [ "yui-base" ] }, "file": { "requires": [ "file-flash", "file-html5" ] }, "file-flash": { "requires": [ "base" ] }, "file-html5": { "requires": [ "base" ] }, "frame": { "requires": [ "base", "node", "selector-css3", "yui-throttle" ] }, "gesture-simulate": { "requires": [ "async-queue", "event-simulate", "node-screen" ] }, "get": { "requires": [ "yui-base" ] }, "graphics": { "requires": [ "node", "event-custom", "pluginhost", "matrix", "classnamemanager" ] }, "graphics-canvas": { "condition": { "name": "graphics-canvas", "test": function(Y) { var DOCUMENT = Y.config.doc, useCanvas = Y.config.defaultGraphicEngine && Y.config.defaultGraphicEngine == "canvas", canvas = DOCUMENT && DOCUMENT.createElement("canvas"), svg = (DOCUMENT && DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1")); return (!svg || useCanvas) && (canvas && canvas.getContext && canvas.getContext("2d")); }, "trigger": "graphics" }, "requires": [ "graphics" ] }, "graphics-canvas-default": { "condition": { "name": "graphics-canvas-default", "test": function(Y) { var DOCUMENT = Y.config.doc, useCanvas = Y.config.defaultGraphicEngine && Y.config.defaultGraphicEngine == "canvas", canvas = DOCUMENT && DOCUMENT.createElement("canvas"), svg = (DOCUMENT && DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1")); return (!svg || useCanvas) && (canvas && canvas.getContext && canvas.getContext("2d")); }, "trigger": "graphics" } }, "graphics-svg": { "condition": { "name": "graphics-svg", "test": function(Y) { var DOCUMENT = Y.config.doc, useSVG = !Y.config.defaultGraphicEngine || Y.config.defaultGraphicEngine != "canvas", canvas = DOCUMENT && DOCUMENT.createElement("canvas"), svg = (DOCUMENT && DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1")); return svg && (useSVG || !canvas); }, "trigger": "graphics" }, "requires": [ "graphics" ] }, "graphics-svg-default": { "condition": { "name": "graphics-svg-default", "test": function(Y) { var DOCUMENT = Y.config.doc, useSVG = !Y.config.defaultGraphicEngine || Y.config.defaultGraphicEngine != "canvas", canvas = DOCUMENT && DOCUMENT.createElement("canvas"), svg = (DOCUMENT && DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1")); return svg && (useSVG || !canvas); }, "trigger": "graphics" } }, "graphics-vml": { "condition": { "name": "graphics-vml", "test": function(Y) { var DOCUMENT = Y.config.doc, canvas = DOCUMENT && DOCUMENT.createElement("canvas"); return (DOCUMENT && !DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1") && (!canvas || !canvas.getContext || !canvas.getContext("2d"))); }, "trigger": "graphics" }, "requires": [ "graphics" ] }, "graphics-vml-default": { "condition": { "name": "graphics-vml-default", "test": function(Y) { var DOCUMENT = Y.config.doc, canvas = DOCUMENT && DOCUMENT.createElement("canvas"); return (DOCUMENT && !DOCUMENT.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure", "1.1") && (!canvas || !canvas.getContext || !canvas.getContext("2d"))); }, "trigger": "graphics" } }, "handlebars": { "use": [ "handlebars-compiler" ] }, "handlebars-base": { "requires": [ "escape" ] }, "handlebars-compiler": { "requires": [ "handlebars-base" ] }, "highlight": { "use": [ "highlight-base", "highlight-accentfold" ] }, "highlight-accentfold": { "requires": [ "highlight-base", "text-accentfold" ] }, "highlight-base": { "requires": [ "array-extras", "classnamemanager", "escape", "text-wordbreak" ] }, "history": { "use": [ "history-base", "history-hash", "history-hash-ie", "history-html5" ] }, "history-base": { "requires": [ "event-custom-complex" ] }, "history-hash": { "after": [ "history-html5" ], "requires": [ "event-synthetic", "history-base", "yui-later" ] }, "history-hash-ie": { "condition": { "name": "history-hash-ie", "test": function (Y) { var docMode = Y.config.doc && Y.config.doc.documentMode; return Y.UA.ie && (!('onhashchange' in Y.config.win) || !docMode || docMode < 8); }, "trigger": "history-hash" }, "requires": [ "history-hash", "node-base" ] }, "history-html5": { "optional": [ "json" ], "requires": [ "event-base", "history-base", "node-base" ] }, "imageloader": { "requires": [ "base-base", "node-style", "node-screen" ] }, "intl": { "requires": [ "intl-base", "event-custom" ] }, "intl-base": { "requires": [ "yui-base" ] }, "io": { "use": [ "io-base", "io-xdr", "io-form", "io-upload-iframe", "io-queue" ] }, "io-base": { "requires": [ "event-custom-base", "querystring-stringify-simple" ] }, "io-form": { "requires": [ "io-base", "node-base" ] }, "io-nodejs": { "condition": { "name": "io-nodejs", "trigger": "io-base", "ua": "nodejs" }, "requires": [ "io-base" ] }, "io-queue": { "requires": [ "io-base", "queue-promote" ] }, "io-upload-iframe": { "requires": [ "io-base", "node-base" ] }, "io-xdr": { "requires": [ "io-base", "datatype-xml-parse" ] }, "json": { "use": [ "json-parse", "json-stringify" ] }, "json-parse": { "requires": [ "yui-base" ] }, "json-stringify": { "requires": [ "yui-base" ] }, "jsonp": { "requires": [ "get", "oop" ] }, "jsonp-url": { "requires": [ "jsonp" ] }, "lazy-model-list": { "requires": [ "model-list" ] }, "loader": { "use": [ "loader-base", "loader-rollup", "loader-yui3" ] }, "loader-base": { "requires": [ "get", "features" ] }, "loader-rollup": { "requires": [ "loader-base" ] }, "loader-yui3": { "requires": [ "loader-base" ] }, "matrix": { "requires": [ "yui-base" ] }, "model": { "requires": [ "base-build", "escape", "json-parse" ] }, "model-list": { "requires": [ "array-extras", "array-invoke", "arraylist", "base-build", "escape", "json-parse", "model" ] }, "model-sync-rest": { "requires": [ "model", "io-base", "json-stringify" ] }, "node": { "use": [ "node-base", "node-event-delegate", "node-pluginhost", "node-screen", "node-style" ] }, "node-base": { "requires": [ "event-base", "node-core", "dom-base" ] }, "node-core": { "requires": [ "dom-core", "selector" ] }, "node-deprecated": { "requires": [ "node-base" ] }, "node-event-delegate": { "requires": [ "node-base", "event-delegate" ] }, "node-event-html5": { "requires": [ "node-base" ] }, "node-event-simulate": { "requires": [ "node-base", "event-simulate", "gesture-simulate" ] }, "node-flick": { "requires": [ "classnamemanager", "transition", "event-flick", "plugin" ], "skinnable": true }, "node-focusmanager": { "requires": [ "attribute", "node", "plugin", "node-event-simulate", "event-key", "event-focus" ] }, "node-load": { "requires": [ "node-base", "io-base" ] }, "node-menunav": { "requires": [ "node", "classnamemanager", "plugin", "node-focusmanager" ], "skinnable": true }, "node-pluginhost": { "requires": [ "node-base", "pluginhost" ] }, "node-screen": { "requires": [ "dom-screen", "node-base" ] }, "node-scroll-info": { "requires": [ "base-build", "dom-screen", "event-resize", "node-pluginhost", "plugin" ] }, "node-style": { "requires": [ "dom-style", "node-base" ] }, "oop": { "requires": [ "yui-base" ] }, "overlay": { "requires": [ "widget", "widget-stdmod", "widget-position", "widget-position-align", "widget-stack", "widget-position-constrain" ], "skinnable": true }, "panel": { "requires": [ "widget", "widget-autohide", "widget-buttons", "widget-modality", "widget-position", "widget-position-align", "widget-position-constrain", "widget-stack", "widget-stdmod" ], "skinnable": true }, "parallel": { "requires": [ "yui-base" ] }, "pjax": { "requires": [ "pjax-base", "pjax-content" ] }, "pjax-base": { "requires": [ "classnamemanager", "node-event-delegate", "router" ] }, "pjax-content": { "requires": [ "io-base", "node-base", "router" ] }, "pjax-plugin": { "requires": [ "node-pluginhost", "pjax", "plugin" ] }, "plugin": { "requires": [ "base-base" ] }, "pluginhost": { "use": [ "pluginhost-base", "pluginhost-config" ] }, "pluginhost-base": { "requires": [ "yui-base" ] }, "pluginhost-config": { "requires": [ "pluginhost-base" ] }, "profiler": { "requires": [ "yui-base" ] }, "querystring": { "use": [ "querystring-parse", "querystring-stringify" ] }, "querystring-parse": { "requires": [ "yui-base", "array-extras" ] }, "querystring-parse-simple": { "requires": [ "yui-base" ] }, "querystring-stringify": { "requires": [ "yui-base" ] }, "querystring-stringify-simple": { "requires": [ "yui-base" ] }, "queue-promote": { "requires": [ "yui-base" ] }, "range-slider": { "requires": [ "slider-base", "slider-value-range", "clickable-rail" ] }, "recordset": { "use": [ "recordset-base", "recordset-sort", "recordset-filter", "recordset-indexer" ] }, "recordset-base": { "requires": [ "base", "arraylist" ] }, "recordset-filter": { "requires": [ "recordset-base", "array-extras", "plugin" ] }, "recordset-indexer": { "requires": [ "recordset-base", "plugin" ] }, "recordset-sort": { "requires": [ "arraysort", "recordset-base", "plugin" ] }, "resize": { "use": [ "resize-base", "resize-proxy", "resize-constrain" ] }, "resize-base": { "requires": [ "base", "widget", "event", "oop", "dd-drag", "dd-delegate", "dd-drop" ], "skinnable": true }, "resize-constrain": { "requires": [ "plugin", "resize-base" ] }, "resize-plugin": { "optional": [ "resize-constrain" ], "requires": [ "resize-base", "plugin" ] }, "resize-proxy": { "requires": [ "plugin", "resize-base" ] }, "router": { "optional": [ "querystring-parse" ], "requires": [ "array-extras", "base-build", "history" ] }, "scrollview": { "requires": [ "scrollview-base", "scrollview-scrollbars" ] }, "scrollview-base": { "requires": [ "widget", "event-gestures", "event-mousewheel", "transition" ], "skinnable": true }, "scrollview-base-ie": { "condition": { "name": "scrollview-base-ie", "trigger": "scrollview-base", "ua": "ie" }, "requires": [ "scrollview-base" ] }, "scrollview-list": { "requires": [ "plugin", "classnamemanager" ], "skinnable": true }, "scrollview-paginator": { "requires": [ "plugin", "classnamemanager" ] }, "scrollview-scrollbars": { "requires": [ "classnamemanager", "transition", "plugin" ], "skinnable": true }, "selector": { "requires": [ "selector-native" ] }, "selector-css2": { "condition": { "name": "selector-css2", "test": function (Y) { var DOCUMENT = Y.config.doc, ret = DOCUMENT && !('querySelectorAll' in DOCUMENT); return ret; }, "trigger": "selector" }, "requires": [ "selector-native" ] }, "selector-css3": { "requires": [ "selector-native", "selector-css2" ] }, "selector-native": { "requires": [ "dom-base" ] }, "shim-plugin": { "requires": [ "node-style", "node-pluginhost" ] }, "slider": { "use": [ "slider-base", "slider-value-range", "clickable-rail", "range-slider" ] }, "slider-base": { "requires": [ "widget", "dd-constrain", "event-key" ], "skinnable": true }, "slider-value-range": { "requires": [ "slider-base" ] }, "sortable": { "requires": [ "dd-delegate", "dd-drop-plugin", "dd-proxy" ] }, "sortable-scroll": { "requires": [ "dd-scroll", "sortable" ] }, "stylesheet": { "requires": [ "yui-base" ] }, "substitute": { "optional": [ "dump" ], "requires": [ "yui-base" ] }, "swf": { "requires": [ "event-custom", "node", "swfdetect", "escape" ] }, "swfdetect": { "requires": [ "yui-base" ] }, "tabview": { "requires": [ "widget", "widget-parent", "widget-child", "tabview-base", "node-pluginhost", "node-focusmanager" ], "skinnable": true }, "tabview-base": { "requires": [ "node-event-delegate", "classnamemanager", "skin-sam-tabview" ] }, "tabview-plugin": { "requires": [ "tabview-base" ] }, "test": { "requires": [ "event-simulate", "event-custom", "json-stringify" ] }, "test-console": { "requires": [ "console-filters", "test", "array-extras" ], "skinnable": true }, "text": { "use": [ "text-accentfold", "text-wordbreak" ] }, "text-accentfold": { "requires": [ "array-extras", "text-data-accentfold" ] }, "text-data-accentfold": { "requires": [ "yui-base" ] }, "text-data-wordbreak": { "requires": [ "yui-base" ] }, "text-wordbreak": { "requires": [ "array-extras", "text-data-wordbreak" ] }, "transition": { "requires": [ "node-style" ] }, "transition-timer": { "condition": { "name": "transition-timer", "test": function (Y) { var DOCUMENT = Y.config.doc, node = (DOCUMENT) ? DOCUMENT.documentElement: null, ret = true; if (node && node.style) { ret = !('MozTransition' in node.style || 'WebkitTransition' in node.style || 'transition' in node.style); } return ret; }, "trigger": "transition" }, "requires": [ "transition" ] }, "uploader": { "requires": [ "uploader-html5", "uploader-flash" ] }, "uploader-deprecated": { "requires": [ "event-custom", "node", "base", "swf" ] }, "uploader-flash": { "requires": [ "swf", "widget", "substitute", "base", "cssbutton", "node", "event-custom", "file-flash", "uploader-queue" ] }, "uploader-html5": { "requires": [ "widget", "node-event-simulate", "substitute", "file-html5", "uploader-queue" ] }, "uploader-queue": { "requires": [ "base" ] }, "view": { "requires": [ "base-build", "node-event-delegate" ] }, "view-node-map": { "requires": [ "view" ] }, "widget": { "use": [ "widget-base", "widget-htmlparser", "widget-skin", "widget-uievents" ] }, "widget-anim": { "requires": [ "anim-base", "plugin", "widget" ] }, "widget-autohide": { "requires": [ "base-build", "event-key", "event-outside", "widget" ] }, "widget-base": { "requires": [ "attribute", "base-base", "base-pluginhost", "classnamemanager", "event-focus", "node-base", "node-style" ], "skinnable": true }, "widget-base-ie": { "condition": { "name": "widget-base-ie", "trigger": "widget-base", "ua": "ie" }, "requires": [ "widget-base" ] }, "widget-buttons": { "requires": [ "button-plugin", "cssbutton", "widget-stdmod" ] }, "widget-child": { "requires": [ "base-build", "widget" ] }, "widget-htmlparser": { "requires": [ "widget-base" ] }, "widget-locale": { "requires": [ "widget-base" ] }, "widget-modality": { "requires": [ "base-build", "event-outside", "widget" ], "skinnable": true }, "widget-parent": { "requires": [ "arraylist", "base-build", "widget" ] }, "widget-position": { "requires": [ "base-build", "node-screen", "widget" ] }, "widget-position-align": { "requires": [ "widget-position" ] }, "widget-position-constrain": { "requires": [ "widget-position" ] }, "widget-skin": { "requires": [ "widget-base" ] }, "widget-stack": { "requires": [ "base-build", "widget" ], "skinnable": true }, "widget-stdmod": { "requires": [ "base-build", "widget" ] }, "widget-uievents": { "requires": [ "node-event-delegate", "widget-base" ] }, "yql": { "requires": [ "jsonp", "jsonp-url" ] }, "yql-nodejs": { "condition": { "name": "yql-nodejs", "trigger": "yql", "ua": "nodejs", "when": "after" } }, "yql-winjs": { "condition": { "name": "yql-winjs", "trigger": "yql", "ua": "winjs", "when": "after" } }, "yui": {}, "yui-base": {}, "yui-later": { "requires": [ "yui-base" ] }, "yui-log": { "requires": [ "yui-base" ] }, "yui-throttle": { "requires": [ "yui-base" ] } }; YUI.Env[Y.version].md5 = 'a28e022ad022130f7a4fb4ac77a2f1df'; }, '@VERSION@', {"requires": ["loader-base"]});
20.927121
184
0.372498
c88db7801a8e754ed349c01300d038da923c79e4
81
js
JavaScript
vsdoc/search--/s_4213.js
asiboro/asiboro.github.io
a2e56607dca65eed437b6a666dcbc3f586492d8c
[ "MIT" ]
null
null
null
vsdoc/search--/s_4213.js
asiboro/asiboro.github.io
a2e56607dca65eed437b6a666dcbc3f586492d8c
[ "MIT" ]
null
null
null
vsdoc/search--/s_4213.js
asiboro/asiboro.github.io
a2e56607dca65eed437b6a666dcbc3f586492d8c
[ "MIT" ]
null
null
null
search_result['4213']=["topic_0000000000000A0F.html","TranscriptModel Class",""];
81
81
0.777778
c88def937a741854299f9ca90c4e24b190f589d2
606
js
JavaScript
tools/suppressAnnoyingWarnings.js
multimake/ecl
0529c4ce508f90eb59ffa5586de8bac38b872dcd
[ "Apache-2.0" ]
155
2018-12-21T17:10:01.000Z
2022-03-19T07:13:28.000Z
tools/suppressAnnoyingWarnings.js
multimake/ecl
0529c4ce508f90eb59ffa5586de8bac38b872dcd
[ "Apache-2.0" ]
773
2018-12-17T10:09:03.000Z
2022-03-28T14:37:05.000Z
tools/suppressAnnoyingWarnings.js
multimake/ecl
0529c4ce508f90eb59ffa5586de8bac38b872dcd
[ "Apache-2.0" ]
94
2018-12-13T09:13:19.000Z
2022-03-26T10:54:17.000Z
const ignoreText = [ 'Failed to adjust OOM score of renderer', 'Fontconfig warning:', 'DevTools listening on ws:', 'go!' ] const oldInfo = console.info; const oldLog = console.log; console.info = function(a) { if (a && a.includes) { if (ignoreText.every( (x) => !a.includes(x))) { oldInfo.apply(console, arguments); } } else { oldInfo.apply(console, arguments); } } console.log = function(a) { if (a && a.includes) { if (ignoreText.every( (x) => !a.includes(x))) { oldLog.apply(console, arguments); } } else { oldLog.apply(console, arguments); } }
20.896552
51
0.607261
c89064ac2b257890b4c2dbdfe9ace8acfee0dea0
1,594
js
JavaScript
server/routes/api/v1.0/beneficios.js
CristianMVC/angular-api-gateway
19e47b0989df076a1a3bc3163a46e3ad905712d4
[ "MIT" ]
null
null
null
server/routes/api/v1.0/beneficios.js
CristianMVC/angular-api-gateway
19e47b0989df076a1a3bc3163a46e3ad905712d4
[ "MIT" ]
2
2020-07-18T04:34:19.000Z
2022-01-22T08:56:13.000Z
server/routes/api/v1.0/beneficios.js
CristianMVC/angular-api-gateway
19e47b0989df076a1a3bc3163a46e3ad905712d4
[ "MIT" ]
null
null
null
import express from 'express' import validate from 'express-validation' import paramValidation from '../../../../config/param-validation' import beneficiosCtrl from '../../../controllers/v1.0/beneficios/index' import cache from './../../../../config/cache' const router = express.Router() // eslint-disable-line new-cap /** ------------------------------------ * Mount Middleware Cache Routes ** -----------------------------------*/ router.route('/:cuil').get(cache.route()) /** ------------------------------------ * Service Routes ** ------------------------------------*/ /** * @api {GET} /path title * @apiName apiName * @apiGroup group * @apiVersion 1.0.0 * * @apiUse AuthHeaders * * @apiParam {String} cuil Numero de CUIL * * @apiSuccessExample {Json} Success-Response: * { * "descripcion": "Agente activo.", * "estadoExistenciaLegajo": "Verde" * } */ router.route('/:cuil') .get(validate(paramValidation.webServices.beneficios.cuil), beneficiosCtrl.consultarCuil) /** 405 - Method Not Allowed */ .post((req, res, next) => next(APIError({ status: 405, }))) .put((req, res, next) => next(APIError({ status: 405, }))) .delete((req, res, next) => next(APIError({ status: 405, }))) router.route('/') .get((req, res, next) => next(APIError({ status: 405, }))) .post((req, res, next) => next(APIError({ status: 405, }))) .put((req, res, next) => next(APIError({ status: 405, }))) .delete((req, res, next) => next(APIError({ status: 405, }))) export default router
32.530612
91
0.548306
c8909e023315048aa1d543bf55be0dd5c6c95ddc
8,055
js
JavaScript
public/admin/cms.2f64c23d24c5c1962ce0.hot-update.js
ShinKano/ssi-codecamp
50806c4beadfec61cbea1ea7a27ee8deaa518691
[ "MIT" ]
null
null
null
public/admin/cms.2f64c23d24c5c1962ce0.hot-update.js
ShinKano/ssi-codecamp
50806c4beadfec61cbea1ea7a27ee8deaa518691
[ "MIT" ]
null
null
null
public/admin/cms.2f64c23d24c5c1962ce0.hot-update.js
ShinKano/ssi-codecamp
50806c4beadfec61cbea1ea7a27ee8deaa518691
[ "MIT" ]
null
null
null
webpackHotUpdate("cms",{ /***/ "./src/templates/blog-post.js": /*!************************************!*\ !*** ./src/templates/blog-post.js ***! \************************************/ /*! exports provided: BlogPostTemplate, default, pageQuery */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; __webpack_require__.r(__webpack_exports__); /* WEBPACK VAR INJECTION */(function(module) {/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "BlogPostTemplate", function() { return BlogPostTemplate; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "pageQuery", function() { return pageQuery; }); /* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "./node_modules/react/index.js"); /* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__); /* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "./node_modules/prop-types/index.js"); /* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__); /* harmony import */ var lodash__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! lodash */ "./node_modules/lodash/lodash.js"); /* harmony import */ var lodash__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(lodash__WEBPACK_IMPORTED_MODULE_2__); /* harmony import */ var react_helmet__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! react-helmet */ "./node_modules/react-helmet/lib/Helmet.js"); /* harmony import */ var react_helmet__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(react_helmet__WEBPACK_IMPORTED_MODULE_3__); /* harmony import */ var gatsby__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! gatsby */ "./.cache/gatsby-browser-entry.js"); /* harmony import */ var _components_Layout__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../components/Layout */ "./src/components/Layout.js"); /* harmony import */ var _components_Content__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../components/Content */ "./src/components/Content.js"); var _jsxFileName="/Users/Shinnosuke/Documents/batch5/ssi-guesthouse/src/templates/blog-post.js";(function(){var enterModule=typeof reactHotLoaderGlobal!=='undefined'?reactHotLoaderGlobal.enterModule:undefined;enterModule&&enterModule(module);})();var __signature__=typeof reactHotLoaderGlobal!=='undefined'?reactHotLoaderGlobal.default.signature:function(a){return a;};var BlogPostTemplate=function BlogPostTemplate(_ref){var content=_ref.content,contentComponent=_ref.contentComponent,description=_ref.description,tags=_ref.tags,title=_ref.title,helmet=_ref.helmet;var PostContent=contentComponent||_components_Content__WEBPACK_IMPORTED_MODULE_6__["default"];return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("section",{className:"section",__source:{fileName:_jsxFileName,lineNumber:20},__self:this},helmet||'',react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{className:"container content",__source:{fileName:_jsxFileName,lineNumber:22},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{className:"columns",__source:{fileName:_jsxFileName,lineNumber:23},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{className:"column is-10 is-offset-1",__source:{fileName:_jsxFileName,lineNumber:24},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("h1",{className:"title is-size-3 has-text-weight-bold is-bold-light",__source:{fileName:_jsxFileName,lineNumber:25},__self:this},title),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("p",{__source:{fileName:_jsxFileName,lineNumber:28},__self:this},description),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{className:"blog-content",__source:{fileName:_jsxFileName,lineNumber:30},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(PostContent,{content:content,__source:{fileName:_jsxFileName,lineNumber:31},__self:this})),tags&&tags.length?react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{style:{marginTop:"4rem"},__source:{fileName:_jsxFileName,lineNumber:35},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("h4",{__source:{fileName:_jsxFileName,lineNumber:36},__self:this},"Tags"),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("ul",{className:"taglist",__source:{fileName:_jsxFileName,lineNumber:37},__self:this},tags.map(function(tag){return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("li",{key:tag+"tag",__source:{fileName:_jsxFileName,lineNumber:39},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(gatsby__WEBPACK_IMPORTED_MODULE_4__["Link"],{to:"/tags/"+Object(lodash__WEBPACK_IMPORTED_MODULE_2__["kebabCase"])(tag)+"/",__source:{fileName:_jsxFileName,lineNumber:40},__self:this},tag));}))):null))));};BlogPostTemplate.propTypes={content:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,contentComponent:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,description:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,title:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,helmet:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.object};var BlogPost=function BlogPost(_ref2){var data=_ref2.data;var post=data.markdownRemark;return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_components_Layout__WEBPACK_IMPORTED_MODULE_5__["default"],{__source:{fileName:_jsxFileName,lineNumber:65},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(BlogPostTemplate,{content:post.html,contentComponent:_components_Content__WEBPACK_IMPORTED_MODULE_6__["HTMLContent"],description:post.frontmatter.description,helmet:react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(react_helmet__WEBPACK_IMPORTED_MODULE_3___default.a,{titleTemplate:"%s | \u30B2\u30B9\u30C8\u30CF\u30A6\u30B9\u30FB\u30B9\u30C8\u30FC\u30EA\u30FC\u30B7\u30A7\u30A2",__source:{fileName:_jsxFileName,lineNumber:71},__self:this},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("title",{__source:{fileName:_jsxFileName,lineNumber:72},__self:this},""+post.frontmatter.title),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("meta",{name:"description",content:""+post.frontmatter.description,__source:{fileName:_jsxFileName,lineNumber:73},__self:this})),tags:post.frontmatter.tags,title:post.frontmatter.title,__source:{fileName:_jsxFileName,lineNumber:66},__self:this}));};BlogPost.propTypes={data:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.shape({markdownRemark:prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.object})};var _default=BlogPost;/* harmony default export */ __webpack_exports__["default"] = (_default);var pageQuery="1562462377";;(function(){var reactHotLoader=typeof reactHotLoaderGlobal!=='undefined'?reactHotLoaderGlobal.default:undefined;if(!reactHotLoader){return;}reactHotLoader.register(BlogPostTemplate,"BlogPostTemplate","/Users/Shinnosuke/Documents/batch5/ssi-guesthouse/src/templates/blog-post.js");reactHotLoader.register(BlogPost,"BlogPost","/Users/Shinnosuke/Documents/batch5/ssi-guesthouse/src/templates/blog-post.js");reactHotLoader.register(pageQuery,"pageQuery","/Users/Shinnosuke/Documents/batch5/ssi-guesthouse/src/templates/blog-post.js");reactHotLoader.register(_default,"default","/Users/Shinnosuke/Documents/batch5/ssi-guesthouse/src/templates/blog-post.js");})();;(function(){var leaveModule=typeof reactHotLoaderGlobal!=='undefined'?reactHotLoaderGlobal.leaveModule:undefined;leaveModule&&leaveModule(module);})(); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../../node_modules/webpack/buildin/harmony-module.js */ "./node_modules/webpack/buildin/harmony-module.js")(module))) /***/ }) }) //# sourceMappingURL=cms.2f64c23d24c5c1962ce0.hot-update.js.map
259.83871
5,511
0.82036
c890a327b628440ba8a22fd09b1fcd84ed7d41ff
304
js
JavaScript
packages/ubibot-engine/lib/config/defaultConfig.js
numical/ubibot
b0690f3d4c240e7ce86c958e441c2b03cc57715b
[ "MIT" ]
1
2020-07-27T22:22:41.000Z
2020-07-27T22:22:41.000Z
packages/ubibot-engine/lib/config/defaultConfig.js
numical/ubibot
b0690f3d4c240e7ce86c958e441c2b03cc57715b
[ "MIT" ]
5
2019-05-26T13:23:12.000Z
2022-01-22T03:58:34.000Z
packages/ubibot-engine/lib/config/defaultConfig.js
numical/ubibot
b0690f3d4c240e7ce86c958e441c2b03cc57715b
[ "MIT" ]
null
null
null
const defaultContent = require("./defaultContent"); const DefaultContext = require("./DefaultContext"); const validateConfig = require("./validateConfig"); const config = { content: defaultContent, contexts: [new DefaultContext()] }; validateConfig(config); module.exports = Object.freeze(config);
25.333333
51
0.75
c890c72af57fbbb1893228ab7e30732b70713f7a
113
js
JavaScript
components/CoinRow/index.js
ZSLP/badger-mobile
805a34532e5e5043b290e411e5da923a3fefba88
[ "MIT" ]
null
null
null
components/CoinRow/index.js
ZSLP/badger-mobile
805a34532e5e5043b290e411e5da923a3fefba88
[ "MIT" ]
3
2020-07-30T15:33:06.000Z
2022-02-27T08:48:22.000Z
components/CoinRow/index.js
ZSLP/badger-mobile
805a34532e5e5043b290e411e5da923a3fefba88
[ "MIT" ]
1
2021-05-09T05:24:09.000Z
2021-05-09T05:24:09.000Z
// @flow import CoinRow, { CoinRowHeader } from "./CoinRow"; export { CoinRowHeader }; export default CoinRow;
16.142857
51
0.707965
c890dd8793b6a59527bad826e6f4f8dad376b812
568
js
JavaScript
lib/uglify.js
agiza/uglify.me
c156b09a31d62904d9a8b2b734ee538f9d8fe177
[ "MIT", "Unlicense" ]
5
2015-08-24T18:03:18.000Z
2021-01-18T07:15:55.000Z
lib/uglify.js
agiza/uglify.me
c156b09a31d62904d9a8b2b734ee538f9d8fe177
[ "MIT", "Unlicense" ]
null
null
null
lib/uglify.js
agiza/uglify.me
c156b09a31d62904d9a8b2b734ee538f9d8fe177
[ "MIT", "Unlicense" ]
1
2015-03-15T16:16:43.000Z
2015-03-15T16:16:43.000Z
var UglifyJS = require('uglify-js'); var Uglify = exports; Uglify.attach = function(options) { this.uglify = function(code, options) { options = options || {}; if (typeof options.fromString === 'undefined') { options.fromString = true; } options.output = options.output || {}; if (typeof options.output.comments === 'undefined') { options.output.comments = /((@?license|copyright)|^!|@preserve|@cc_on)/i; } var res = UglifyJS.minify(code, options); return res.code; }; }; Uglify.init = function(done) { done(); };
23.666667
79
0.619718
c8910555cbf943bcdca45316edd0beceadd8289c
468
js
JavaScript
src/store/actions/count.js
liyaxu123/react-juejin
eb1e1e001113b6d51eddc908cff3b5efd6ebdcdc
[ "MulanPSL-1.0" ]
null
null
null
src/store/actions/count.js
liyaxu123/react-juejin
eb1e1e001113b6d51eddc908cff3b5efd6ebdcdc
[ "MulanPSL-1.0" ]
null
null
null
src/store/actions/count.js
liyaxu123/react-juejin
eb1e1e001113b6d51eddc908cff3b5efd6ebdcdc
[ "MulanPSL-1.0" ]
null
null
null
/* 该文件专门为Count组件生成action对象 */ import {INCREMENT, DECREMENT} from '../constant' //同步action,就是指action的值为Object类型的一般对象 export const increment = data => ({type: INCREMENT, data}) export const decrement = data => ({type: DECREMENT, data}) //异步action,就是指action的值为函数,异步action中一般都会调用同步action,异步action不是必须要用的。 export const incrementAsync = (data, time) => { return (dispatch) => { setTimeout(() => { dispatch(increment(data)) }, time) } }
27.529412
66
0.675214
c891515d04f50d4ab4318379670df1753a59a291
3,243
js
JavaScript
src/main/application/BorosTcf.js
scm-spain/boros-tcf
06a48304b5b99a8d1acef46b6b554c49c25712c2
[ "MIT" ]
1
2021-01-07T09:17:42.000Z
2021-01-07T09:17:42.000Z
src/main/application/BorosTcf.js
scm-spain/boros-tcf
06a48304b5b99a8d1acef46b6b554c49c25712c2
[ "MIT" ]
46
2020-04-07T15:25:23.000Z
2020-11-03T14:34:51.000Z
src/main/application/BorosTcf.js
scm-spain/boros-tcf
06a48304b5b99a8d1acef46b6b554c49c25712c2
[ "MIT" ]
null
null
null
import {inject} from '../core/ioc/ioc' import {GetVendorListUseCase} from './services/vendorlist/GetVendorListUseCase' import {LoadUserConsentUseCase} from './services/vendorconsent/LoadUserConsentUseCase' import {SaveUserConsentUseCase} from './services/vendorconsent/SaveUserConsentUseCase' import {ChangeUiVisibleUseCase} from './services/ui/ChangeUiVisibleUseCase' import {GetTCDataUseCase} from './services/tcdata/GetTCDataUseCase' import {StatusRepository} from '../domain/status/StatusRepository' import {Status} from '../domain/status/Status' import {DomainEventBus} from '../domain/service/DomainEventBus' import {EVENT_TCF_READY, LIB_TCF_VERSION} from '../core/constants' class BorosTcf { /** * @param {Object} param * @param {GetVendorListUseCase} param.getVendorListUseCase * @param {LoadUserConsentUseCase} param.loadUserConsentUseCase * @param {SaveUserConsentUseCase} param.saveUserConsentUseCase * @param {ChangeUiVisibleUseCase} param.changeUiVisibleUseCase * @param {GetTCDataUseCase} param.getTCDataUseCase */ constructor({ domainEventBus = inject(DomainEventBus), getVendorListUseCase = inject(GetVendorListUseCase), loadUserConsentUseCase = inject(LoadUserConsentUseCase), saveUserConsentUseCase = inject(SaveUserConsentUseCase), getTCDataUseCase = inject(GetTCDataUseCase), changeUiVisibleUseCase = inject(ChangeUiVisibleUseCase), statusRepository = inject(StatusRepository) } = {}) { this._domainEventBus = domainEventBus this._getVendorListUseCase = getVendorListUseCase this._loadUserConsentUseCase = loadUserConsentUseCase this._saveUserConsentUseCase = saveUserConsentUseCase this._getTCDataUseCase = getTCDataUseCase this._changeUiVisibleUseCase = changeUiVisibleUseCase this._statusRepository = statusRepository } ready() { this._statusRepository.getStatus().cmpStatus = Status.CMPSTATUS_LOADED this._domainEventBus.raise({ eventName: EVENT_TCF_READY, payload: { version: LIB_TCF_VERSION } }) } /** * @param {Object} param * @param {Number} param.version */ getVendorList({version} = {}) { return this._getVendorListUseCase.execute({ vendorListVersion: version }) } loadUserConsent({notify} = {}) { return this._loadUserConsentUseCase.execute({notify}) } uiVisible({visible}) { this._changeUiVisibleUseCase.execute({visible}) } /** * * @param {Object} param * @param {Object} param.purpose * @param {Object<Number, boolean>} param.purpose.consents * @param {Object<Number, boolean>} param.purpose.legitimateInterests * @param {Object} param.vendor * @param {Object<Number, boolean>} param.vendor.consents * @param {Object<Number, boolean>} param.vendor.legitimateInterests * @param {Object<Number, boolean>} param.specialFeatures */ async saveUserConsent({purpose, vendor, specialFeatures}) { return this._saveUserConsentUseCase.execute({ purpose, vendor, specialFeatures }) } /** * * @param {Object} param * @param {Array<Number>} param.vendorIds */ getTCData({vendorIds}) { return this._getTCDataUseCase.execute({vendorIds}) } } export {BorosTcf}
33.091837
86
0.734197
c891ccd8acae2259e6ca299978960097990551c4
19,923
js
JavaScript
git/smart-new/smart-static/src/main/webapp/assets/js/comet4j/comet4j.js
King-Maverick007/websites
fd5ddf7f79ce12658e95e26cd58e3488c90749e2
[ "Apache-2.0" ]
4
2018-03-16T08:50:00.000Z
2020-05-18T01:29:23.000Z
open-sso-server/src/main/resources/static/assets/js/comet4j/comet4j.js
choumingde/open-sso
9dd7b3e791bb369a41aedb36698a1f9a0c0a7347
[ "Apache-2.0" ]
3
2020-05-15T21:20:06.000Z
2021-12-09T21:15:32.000Z
src/main/webapp/resources/js/comet4j.js
bystart/LemonAppWebController
9639ad6616f45d371acec8914b99ff97c0b2c36a
[ "Apache-2.0" ]
9
2018-05-23T09:09:05.000Z
2022-02-18T04:05:30.000Z
/* * Comet4J JavaScript Client V0.1.0 * Copyright(c) 2011, jinghai.xiao@gamil.com. * http://code.google.com/p/comet4j/ * This code is licensed under BSD license. Use it as you wish, * but keep this copyright intact. */ var JS={version:'0.0.2'};JS.Runtime=(function(){var ua=navigator.userAgent.toLowerCase(),check=function(r){return r.test(ua);},isOpera=check(/opera/),isFirefox=check(/firefox/),isChrome=check(/chrome/),isWebKit=check(/webkit/),isSafari=!isChrome&&check(/safari/),isSafari2=isSafari&&check(/applewebkit\/4/),isSafari3=isSafari&&check(/version\/3/),isSafari4=isSafari&&check(/version\/4/),isIE=!isOpera&&check(/msie/),isIE7=isIE&&check(/msie 7/),isIE8=isIE&&check(/msie 8/),isIE6=isIE&&!isIE7&&!isIE8,isGecko=!isWebKit&&check(/gecko/),isGecko2=isGecko&&check(/rv:1\.8/),isGecko3=isGecko&&check(/rv:1\.9/),isWindows=check(/windows|win32/),isMac=check(/macintosh|mac os x/),isAir=check(/adobeair/),isLinux=check(/linux/);return{isOpera:isOpera,isFirefox:isFirefox,isChrome:isChrome,isWebKit:isWebKit,isSafari:isSafari,isSafari2:isSafari2,isSafari3:isSafari3,isSafari4:isSafari4,isIE:isIE,isIE7:isIE7,isIE8:isIE8,isIE6:isIE6,isGecko:isGecko,isGecko2:isGecko2,isGecko3:isGecko3,isWindows:isWindows,isMac:isMac,isAir:isAir,isLinux:isLinux};}());JS.isOpera=JS.Runtime.isOpera;JS.isFirefox=JS.Runtime.isFirefox;JS.isChrome=JS.Runtime.isChrome;JS.isWebKit=JS.Runtime.isWebKit;JS.isSafari=JS.Runtime.isSafari;JS.isSafari2=JS.Runtime.isSafari2;JS.isSafari3=JS.Runtime.isSafari3;JS.isSafari4=JS.Runtime.isSafari4;JS.isIE=JS.Runtime.isIE;JS.isIE7=JS.Runtime.isIE7;JS.isIE8=JS.Runtime.isIE8;JS.isIE6=JS.Runtime.isIE6;JS.isGecko=JS.Runtime.isGecko;JS.isGecko2=JS.Runtime.isGecko2;JS.isGecko3=JS.Runtime.isGecko3;JS.isWindows=JS.Runtime.isWindows;JS.isMac=JS.Runtime.isMac;JS.isAir=JS.Runtime.isAir;JS.isLinux=JS.Runtime.isLinux;JS.Syntax={nameSpace:function(){if(arguments.length){var o,d,v;for(var i=0,len=arguments.length;i<len;i++){v=arguments[i];if(!v){continue;} d=v.split(".");for(var j=0,len=d.length;j<len;j++){if(!d[j]){continue;} o=window[d[j]]=window[d[j]]||{};}}} return o;},apply:function(o,c,defaults){if(defaults){JS.Syntax.apply(o,defaults);} if(o&&c&&typeof c=='object'){for(var p in c){o[p]=c[p];}} return o;},override:function(origclass,overrides){if(overrides){var p=origclass.prototype;JS.Syntax.apply(p,overrides);if(JS.Runtime.isIE&&overrides.hasOwnProperty('toString')){p.toString=overrides.toString;}}},extend:function(){var io=function(o){for(var m in o){this[m]=o[m];}};var oc=Object.prototype.constructor;return function(sb,sp,overrides){if(JS.Syntax.isObject(sp)){overrides=sp;sp=sb;sb=overrides.constructor!=oc?overrides.constructor:function(){sp.apply(this,arguments);};} var F=function(){},sbp,spp=sp.prototype;F.prototype=spp;sbp=sb.prototype=new F();sbp.constructor=sb;sb.superclass=spp;if(spp.constructor==oc){spp.constructor=sp;} sb.override=function(o){JS.Syntax.override(sb,o);};sbp.superclass=sbp.supr=(function(){return spp;});sbp.override=io;JS.Syntax.override(sb,overrides);sb.extend=function(o){return JS.Syntax.extend(sb,o);};return sb;};}(),callBack:function(fn,scope,arg){if(JS.isFunction(fn)){return fn.apply(scope||window,arg||[]);}},isEmpty:function(v,allowBlank){return v===null||v===undefined||((Ext.isArray(v)&&!v.length))||(!allowBlank?v==='':false);},isArray:function(v){return Object.prototype.toString.apply(v)==='[object Array]';},isDate:function(v){return Object.prototype.toString.apply(v)==='[object Date]';},isObject:function(v){return!!v&&Object.prototype.toString.call(v)==='[object Object]';},isPrimitive:function(v){return Ext.isString(v)||Ext.isNumber(v)||Ext.isBoolean(v);},isFunction:function(v){return Object.prototype.toString.apply(v)==='[object Function]';},isNumber:function(v){return typeof v==='number'&&isFinite(v);},isString:function(v){return typeof v==='string';},isBoolean:function(v){return typeof v==='boolean';},isElement:function(v){return!!v&&v.tagName;},isDefined:function(v){return typeof v!=='undefined';},toArray:function(){return JS.isIE?function(a,i,j,res){res=[];for(var x=0,len=a.length;x<len;x++){res.push(a[x]);} return res.slice(i||0,j||res.length);}:function(a,i,j){return Array.prototype.slice.call(a,i||0,j||a.length);};}()};JS.ns=JS.Syntax.nameSpace;JS.apply=JS.Syntax.apply;JS.override=JS.Syntax.override;JS.extend=JS.Syntax.extend;JS.callBack=JS.Syntax.callBack;JS.isEmpty=JS.Syntax.isEmpty;JS.isArray=JS.Syntax.isArray;JS.isDate=JS.Syntax.isDate;JS.isObject=JS.Syntax.isObject;JS.isPrimitive=JS.Syntax.isPrimitive;JS.isFunction=JS.Syntax.isFunction;JS.isNumber=JS.Syntax.isNumber;JS.isString=JS.Syntax.isString;JS.isBoolean=JS.Syntax.isBoolean;JS.isElement=JS.Syntax.isElement;JS.isDefined=JS.Syntax.isDefined;JS.toArray=JS.Syntax.toArray;JS.DomEvent={on:function(el,name,fun,scope){if(el.addEventListener){el.addEventListener(name,function(){JS.callBack(fun,scope,arguments);},false);}else{el.attachEvent('on'+name,function(){JS.callBack(fun,scope,arguments);});}},un:function(el,name,fun,scope){if(el.removeEventListener){el.removeEventListener(name,fun,false);}else{el.detachEvent('on'+name,fun);}},stop:function(e){e.returnValue=false;if(e.preventDefault){e.preventDefault();} JS.DomEvent.stopPropagation(e);},stopPropagation:function(e){e.cancelBubble=true;if(e.stopPropagation){e.stopPropagation();}}};JS.on=JS.DomEvent.on;JS.un=JS.DomEvent.un;JS.DelayedTask=function(fn,scope,args){var me=this,id,call=function(){clearInterval(id);id=null;fn.apply(scope,args||[]);};me.delay=function(delay,newFn,newScope,newArgs){me.cancel();fn=newFn||fn;scope=newScope||scope;args=newArgs||args;id=setInterval(call,delay);};me.cancel=function(){if(id){clearInterval(id);id=null;}};}; JS.ns("JS.Observable");JS.Observable=function(o){JS.apply(this,o||JS.toArray(arguments)[0]);if(this.events){this.addEvents(this.events);} if(this.listeners){this.on(this.listeners);delete this.listeners;}};JS.Observable.prototype={on:function(eventName,fn,scope,o){if(JS.isString(eventName)){this.addListener(eventName,fn,scope,o);}else if(JS.isObject(eventName)){this.addListeners(eventName,scope,o);}},fireEvent:function(){var arg=JS.toArray(arguments),eventName=arg[0].toLowerCase(),e=this.events[eventName];if(e&&!JS.isBoolean(e)){return e.fire.apply(e,arg.slice(1));}},addEvent:function(eventName){if(!JS.isObject(this.events)){this.events={};} if(this.events[eventName]){return;} if(JS.isString(eventName)){this.events[eventName.toLowerCase()]=true;}else if(eventName instanceof JS.Event){this.events[eventName.name.toLowerCase()]=eventName;}},addEvents:function(arr){if(JS.isArray(arr)){for(var i=0,len=arr.length;i<len;i++){this.addEvent(arr[i]);}}},addListener:function(eventName,fn,scope,o){eventName=eventName.toLowerCase();var e=this.events[eventName];if(e){if(JS.isBoolean(e)){e=this.events[eventName]=new JS.Event(eventName,this);} e.addListener(fn,scope,o);}},addListeners:function(obj,scope,o){if(JS.isObject(obj)){for(var p in obj){this.addListener(p,obj[p],scope,o);}}},removeListener:function(eventName,fn,scope){eventName=eventName.toLowerCase();var e=this.events[eventName];if(e&&!JS.isBoolean(e)){e.removeListener(fn,scope);}},clearListeners:function(){var events=this.events,e;for(var p in events){e=events[p];if(!JS.isBoolean(e)){e.clearListeners();}}},clearEvents:function(){var events=this.events;this.clearListeners();for(var p in events){this.removeEvent(p);}},removeEvent:function(eventName){var events=this.events,e;if(events[eventName]){e=events[eventName];if(!JS.isBoolean(e)){e.clearListeners();} delete events[eventName];}},removeEvents:function(eventName){if(JS.isString(eventName)){this.removeEvent(eventName);}else if(JS.isArray(eventName)&&eventName.length>0){for(var i=0,len=eventName.length;i<len;i++){this.removeEvent(eventName[i]);}}},hasEvent:function(eventName){return this.events[eventName]?true:false;},hasListener:function(eventName,fn,scope){var events=this.events,e=events[eventName];if(!JS.isBoolean(e)){return e.hasListener(fn,scope);} return false;},suspendEvents:function(){},resumeEvents:function(){}};JS.Event=function(name,caller){this.name=name.toLowerCase();this.caller=caller;this.listeners=[];};JS.Event.prototype={fire:function(){var listeners=this.listeners,i=listeners.length-1;for(;i>-1;i--){if(listeners[i].execute.apply(listeners[i],arguments)===false){return false;}} return true;},addListener:function(fn,scope,o){scope=scope||this.caller;if(this.hasListener(fn,scope)==-1){this.listeners.push(new JS.Listener(fn,scope,o));}},removeListener:function(fn,scope){var index=this.hasListener(fn,scope);alert(index);if(index!=-1){this.listeners.splice(index,1);}},hasListener:function(fn,scope){var i=0,listeners=this.listeners,len=listeners.length;for(;i<len;i++){if(listeners[i].equal(fn,scope)){return i;}} return-1;},clearListeners:function(){var i=0,listeners=this.listeners,len=listeners.length;for(;i<len;i++){listeners[i].clear();} this.listeners.splice(0);}};JS.Listener=function(fn,scope,o){this.handler=fn;this.scope=scope;this.o=o;};JS.Listener.prototype={execute:function(){return JS.callBack(this.handler,this.scope,arguments);},equal:function(fn,scope){return this.handler===fn?true:false;},clear:function(){delete this.handler;delete this.scope;delete this.o;}}; JS.ns("JS.HTTPStatus","JS.XMLHttpRequest");JS.HTTPStatus={'100':'Continue','101':'Switching Protocols','200':'OK','201':'Created','202':'Accepted','203':'Non-Authoritative Information','204':'No Content','205':'Reset Content','206':'Partial Content','300':'Multiple Choices','301':'Moved Permanently','302':'Found','303':'See Other','304':'Not Modified','305':'Use Proxy','306':'Unused','307':'Temporary Redirect','400':'Bad Request','401':'Unauthorized','402':'Payment Required','403':'Forbidden','404':'Not Found','405':'Method Not Allowed','406':'Not Acceptable','407':'Proxy Authentication Required','408':'Request Timeout','409':'Conflict','410':'Gone','411':'Length Required','412':'Precondition Failed','413':'Request Entity Too Large','414':'Request-URI Too Long','415':'Unsupported Media Type','416':'Requested Range Not Satisfiable','417':'Expectation Failed','500':'Internal Server Error','501':'Not Implemented','502':'Bad Gateway','503':'Service Unavailable','504':'Gateway Timeout','505':'HTTP Version Not Supported'};JS.HTTPStatus.OK=200;JS.HTTPStatus.BADREQUEST=400;JS.HTTPStatus.FORBIDDEN=403;JS.HTTPStatus.NOTFOUND=404;JS.HTTPStatus.TIMEOUT=408;JS.HTTPStatus.SERVERERROR=500;JS.XMLHttpRequest=JS.extend(JS.Observable,{enableCache:false,timeout:0,isAbort:false,specialXHR:'',_xhr:null,readyState:0,status:0,statusText:'',responseText:'',responseXML:null,constructor:function(){var self=this;this.addEvents(['readyStateChange','timeout','abort','error','load','progress']);JS.XMLHttpRequest.superclass.constructor.apply(this,arguments);this._xhr=this.createXmlHttpRequestObject();this._xhr.onreadystatechange=function(){self.doReadyStateChange();};},timeoutTask:null,delayTimeout:function(){if(this.timeout){if(!this.timeoutTask){this.timeoutTask=new JS.DelayedTask(function(){if(this._xhr.readyState!=4){this.fireEvent('timeout',this,this._xhr);}else{this.cancelTimeout();}},this);} this.timeoutTask.delay(this.timeout);}},cancelTimeout:function(){if(this.timeoutTask){this.timeoutTask.cancel();}},createXmlHttpRequestObject:function(){var activeX=['Msxml2.XMLHTTP.6.0','Msxml2.XMLHTTP.5.0','Msxml2.XMLHTTP.4.0','Msxml2.XMLHTTP.3.0','Msxml2.XMLHTTP','Microsoft.XMLHTTP'],xhr,specialXHR=this.specialXHR;if(specialXHR){if(JS.isString(specialXHR)){return new ActiveXObject(specialXHR);}else{return specialXHR;}} try{xhr=new XMLHttpRequest();}catch(e){for(var i=0;i<activeX.length;++i){try{xhr=new ActiveXObject(activeX[i]);break;}catch(e){}}}finally{return xhr;}},doReadyStateChange:function(){this.delayTimeout();var xhr=this._xhr;try{this.readyState=xhr.readyState;}catch(e){this.readyState=0;} try{this.status=xhr.status;}catch(e){this.status=0;} try{this.statusText=xhr.statusText;}catch(e){this.statusText="";} try{this.responseText=xhr.responseText;}catch(e){this.responseText="";} try{this.responseXML=xhr.responseXML;}catch(e){this.responseXML=null;} this.fireEvent('readyStateChange',this.readyState,this.status,this,xhr);if(this.readyState==3&&(this.status>=200&&this.status<300)){this.fireEvent('progress',this,xhr);} if(this.readyState==4){this.cancelTimeout();var status=this.status;if(status==0){this.fireEvent('error',this,xhr);}else if(status>=200&&status<300){this.fireEvent('load',this,xhr);}else if(status>=400&&status!=408){this.fireEvent('error',this,xhr);}else if(status==408){this.fireEvent('timeout',this,xhr);}} this.onreadystatechange();},onreadystatechange:function(){},open:function(method,url,async,username,password){if(!url){return;} if(!this.enableCache){if(url.indexOf('?')!=-1){url+='&ram='+Math.random();}else{url+='?ram='+Math.random();}} this._xhr.open(method,url,async,username,password);},send:function(content){this.delayTimeout();this.isAbort=false;this._xhr.send(content);},abort:function(){this.isAbort=true;this.cancelTimeout();this._xhr.abort();if(JS.isIE){var self=this;self._xhr.onreadystatechange=function(){self.doReadyStateChange();};} this.fireEvent('abort',this,this._xhr);},setRequestHeader:function(header,value){this._xhr.setRequestHeader(header,value);},getResponseHeader:function(header){return this._xhr.getResponseHeader(header);},getAllResponseHeaders:function(){return this._xhr.getAllResponseHeaders();},setTimeout:function(t){this.timeout=t;}}); JS.ns("JS.AJAX");JS.AJAX=(function(){var xhr=new JS.XMLHttpRequest();return{dataFormatError:'服务器返回的数据格式有误',urlError:'未指定url',post:function(url,param,callback,scope,asyn){if(typeof url!=='string'){throw new Error(this.urlError);} var asynchronous=true;if(asyn===false){asynchronous=false;} xhr.onreadystatechange=function(){if(xhr.readyState==4&&asynchronous){JS.callBack(callback,scope,[xhr]);}};xhr.open('POST',url,asynchronous);xhr.setRequestHeader("Content-Type","application/x-www-form-urlencoded;charset=UTF8");xhr.send(param||null);if(!asynchronous){JS.callBack(callback,scope,[xhr]);}},get:function(url,param,callback,scope,asyn){if(typeof url!=='string'){throw new Error(this.urlError);} var asynchronous=true;if(asyn===false){asynchronous=false;} xhr.onreadystatechange=function(){if(xhr.readyState==4&&asynchronous){JS.callBack(callback,scope,[xhr]);}};xhr.open('GET',url,asynchronous);xhr.setRequestHeader("Content-Type","html/text;charset=UTF8");xhr.send(param||null);if(!asynchronous){JS.callBack(callback,scope,[xhr]);}},getText:function(url,jsonData,callback,scope,asyn){this.get(url,jsonData,function(xhr){if(scope){callback.call(scope,xhr.responseText);}else{callback(xhr.responseText);}},this,asyn);},getJson:function(url,jsonData,callback,scope,asyn){this.get(url,jsonData,function(xhr){var json=null;try{json=eval("("+xhr.responseText+")");}catch(e){throw new Error(this.dataFormatError);} JS.callBack(callback,scope,[json]);},this,asyn);}};})(); JS.ns("JS.Connector");JS.Connector=JS.extend(JS.Observable,{version:'0.0.2',SYSCHANNEL:'c4j',LLOOPSTYLE:'lpool',STREAMSTYLE:'stream',CMDTAG:'cmd',url:'',param:'',revivalDelay:100,cId:'',channels:[],workStyle:'',emptyUrlError:'URL为空',runningError:'连接正在运行',dataFormatError:'数据格式有误',running:false,_xhr:null,lastReceiveMessage:'',constructor:function(){JS.Connector.superclass.constructor.apply(this,arguments);this.addEvents(['beforeConnect','connect','beforeStop','stop','message','revival']);if(JS.isIE7){this._xhr=new JS.XMLHttpRequest({specialXHR:'Msxml2.XMLHTTP.6.0'});}else{this._xhr=new JS.XMLHttpRequest();} this._xhr.addListener('progress',this.doOnProgress,this);this._xhr.addListener('load',this.doOnLoad,this);this._xhr.addListener('error',this.doOnError,this);this._xhr.addListener('timeout',this.revivalConnect,this);this.addListener('beforeStop',this.doDrop,this);JS.on(window,'beforeunload',this.doDrop,this);},doDrop:function(url,cId,conn,xhr){if(!this.running||!this.cId){return;} try{var xhr=new JS.XMLHttpRequest();var url=this.url+'?'+this.CMDTAG+'=drop&cid='+this.cId;xhr.open('GET',url,false);xhr.send(null);xhr=null;}catch(e){};},dispatchServerEvent:function(msg){this.fireEvent('message',msg.channel,msg.data,msg.time,this);},translateStreamData:function(responseText){var str=responseText;if(this.lastReceiveMessage&&str){str=str.split(this.lastReceiveMessage);str=str.length?str[str.length-1]:"";} this.lastReceiveMessage=responseText;return str;},decodeMessage:function(msg){var json=null;if(JS.isString(msg)&&msg!=""){if(msg.charAt(0)=="<"){msg=msg.substring(1,msg.length);} if(msg.charAt(msg.length-1)==">"){msg=msg.substring(0,msg.length-1);} msg=decodeURIComponent(msg);try{json=eval("("+msg+")");}catch(e){this.stop('JSON转换异常');try{console.log("JSON转换异常:"+msg);}catch(e){};}} return json;},doOnProgress:function(xhr){if(this.workStyle===this.STREAMSTYLE){var str=this.translateStreamData(xhr.responseText);var msglist=str.split(">");if(msglist.length>0){for(var i=0,len=msglist.length;i<len;i++){var json=this.decodeMessage(msglist[i]);if(json){this.dispatchServerEvent(json);}}}}},doOnError:function(xhr){this.stop('服务器异常');},doOnLoad:function(xhr){if(this.workStyle===this.LLOOPSTYLE){var json=this.decodeMessage(xhr.responseText);if(json){this.dispatchServerEvent(json);}} this.revivalConnect();},startConnect:function(){if(this.running){var url=this.url+'?'+this.CMDTAG+'=conn&cv='+this.version+this.param;JS.AJAX.get(url,'',function(xhr){var msg=this.decodeMessage(xhr.responseText);if(!msg){this.stop('连接失败');return;} var data=msg.data;this.cId=data.cId;this.channels=data.channels;this.workStyle=data.ws;this._xhr.setTimeout(data.timeout*2);this.fireEvent('connect',data.cId,data.channels,data.ws,data.timeout,this);this.revivalConnect();},this);}},revivalConnect:function(){var self=this;if(this.running){setTimeout(revival,this.revivalDelay);} function revival(){var xhr=self._xhr;var url=self.url+'?'+self.CMDTAG+'=revival&cid='+self.cId+self.param;xhr.open('GET',url,true);xhr.send(null);self.fireEvent('revival',self.url,self.cId,self);}},start:function(url,param){var self=this;setTimeout(function(){if(!self.url&&!url){throw new Error(self.emptyUrlError);} if(self.running){return;} if(url){self.url=url;} if(param&&JS.isString(param)){if(param.charAt(0)!='&'){param='&'+param;} self.param=param;} if(self.fireEvent('beforeConnect',self.url,self)===false){return;} self.running=true;self.startConnect();},1000);},stop:function(cause){if(!this.running){return;} if(this.fireEvent('beforeStop',cause,this.cId,this.url,this)===false){return;} this.running=false;var cId=this.cId;this.cId='';this.param='';this.adml=[];this.workStyle='';try{this._xhr.abort();}catch(e){};this.fireEvent('stop',cause,cId,this.url,this);},getId:function(){return this.cId;}}); JS.ns("JS.Engine");JS.Engine=(function(){var Engine=JS.extend(JS.Observable,{lStore:[],running:false,connector:null,constructor:function(){this.addEvents(['start','stop']);Engine.superclass.constructor.apply(this,arguments);this.connector=new JS.Connector();this.initEvent();},addListener:function(eventName,fn,scope,o){if(this.running){Engine.superclass.addListener.apply(this,arguments);}else{this.lStore.push({eventName:eventName,fn:fn,scope:scope,o:o});}},initEvent:function(){var self=this;this.connector.on({connect:function(cId,aml,conn){self.running=true;self.addEvents(aml);for(var i=0,len=self.lStore.length;i<len;i++){var e=self.lStore[i];self.addListener(e.eventName,e.fn,e.scope);} self.fireEvent('start',cId,aml,self);},stop:function(cause,cId,url,conn){self.running=false;self.fireEvent('stop',cause,cId,url,self);self.clearListeners();},message:function(amk,data,time){self.fireEvent(amk,data,time,self);}});},start:function(url){if(this.running){return;} this.connector.start(url);},stop:function(cause){if(!this.running){return;} this.connector.stop(cause);},getConnector:function(){return this.connector;},getId:function(){return this.connector.cId;}});return new Engine();}());
258.74026
1,899
0.760578
c8922d30b0222921bf41aaad397dce762f05c492
464
js
JavaScript
src/4.1treeShaking.js
ngulee/webpack-lesson
52fe78f750464b6094003ea86e6351142d11dba2
[ "MIT" ]
null
null
null
src/4.1treeShaking.js
ngulee/webpack-lesson
52fe78f750464b6094003ea86e6351142d11dba2
[ "MIT" ]
4
2021-03-10T17:41:22.000Z
2022-02-27T09:52:19.000Z
src/4.1treeShaking.js
ngulee/webpack-lesson
52fe78f750464b6094003ea86e6351142d11dba2
[ "MIT" ]
null
null
null
// 1 Tree Shaking 只支持 ES Module // 2 在package.json中设置 sideEffects,sideEffects 为数组,表示不需要Tree Shaking 的某个或某类模块,例如 @babel/polyfill;sideEffects 为false表示所有的模块都需要 Tree Shaking; // 3 在webpack.config.js文件中,设置optimization.usedExports 为true; (生产环境默认设置了该选项,无需设置) // 4 开发环境即使设置了相关Tree Shaking选项,打包的代码中也不会去除没有被使用的代码,为了保证开发环境的source-map提示的信息无源代码一致 export const add = (a, b) => { console.log('add:', a + b) } export const minus = (a, b) => { console.log('minus:', a - b); }
38.666667
138
0.74569
c89232973f3dddbf21ab80fd105be7aab2b645ea
207
js
JavaScript
test/fixtures/two-fer/244/twoFer.js
depsir/javascript-analyzer
a00c0f870aa9cb3163807df6adcd8035693de79a
[ "MIT" ]
null
null
null
test/fixtures/two-fer/244/twoFer.js
depsir/javascript-analyzer
a00c0f870aa9cb3163807df6adcd8035693de79a
[ "MIT" ]
null
null
null
test/fixtures/two-fer/244/twoFer.js
depsir/javascript-analyzer
a00c0f870aa9cb3163807df6adcd8035693de79a
[ "MIT" ]
null
null
null
// eslint-disable-next-line no-unused-expressions export const twoFer = (name) => { if (name === '') { return ('One for you, one for me.'); } else { return `One for ${name}, one for me.`; } };
23
49
0.570048
c8928bdc012031fab9f1fe55e557541bbadeaaeb
4,997
js
JavaScript
packages/cookbook/src/examples/demodesertcrt/index.js
kantimam/gl-react
f716979e3de3990a4c4adaacbd1fbe9c9c0e4895
[ "MIT" ]
1,823
2016-11-30T00:33:40.000Z
2022-03-31T08:46:53.000Z
packages/cookbook/src/examples/demodesertcrt/index.js
kantimam/gl-react
f716979e3de3990a4c4adaacbd1fbe9c9c0e4895
[ "MIT" ]
240
2016-12-03T10:38:12.000Z
2022-02-26T21:55:21.000Z
packages/cookbook/src/examples/demodesertcrt/index.js
kantimam/gl-react
f716979e3de3990a4c4adaacbd1fbe9c9c0e4895
[ "MIT" ]
171
2016-12-02T10:27:08.000Z
2022-03-20T16:37:36.000Z
//@flow import React, { Component, PureComponent } from "react"; import { Shaders, Node, GLSL, Bus, connectSize } from "gl-react"; import { Surface } from "gl-react-dom"; import { DesertPassageLoop } from "../demodesert"; import "./index.css"; const shaders = Shaders.create({ crt: { // adapted from http://bit.ly/2eR1iKi frag: GLSL` precision highp float; varying vec2 uv; uniform sampler2D rubyTexture; uniform vec2 rubyInputSize; uniform vec2 rubyOutputSize; uniform vec2 rubyTextureSize; uniform float distortion; #define TEX2D(c) pow(texture2D(rubyTexture, (c)), vec4(inputGamma)) #define FIX(c) max(abs(c), 1e-6); #define PI 3.141592653589 #define phase 0.0 #define inputGamma 2.2 #define outputGamma 2.5 vec2 radialDistortion(vec2 coord) { coord *= rubyTextureSize / rubyInputSize; vec2 cc = coord - 0.5; float dist = dot(cc, cc) * distortion; return (coord + cc * (1.0 + dist) * dist) * rubyInputSize / rubyTextureSize; } vec4 scanlineWeights(float distance, vec4 color) { vec4 wid = 2.0 + 2.0 * pow(color, vec4(4.0)); vec4 weights = vec4(distance * 3.333333); return 0.51 * exp(-pow(weights * sqrt(2.0 / wid), wid)) / (0.18 + 0.06 * wid); } void main() { vec2 one = 1.0 / rubyTextureSize; vec2 xy = radialDistortion(uv.xy); vec2 uv_ratio = fract(xy * rubyTextureSize) - vec2(0.5); xy = (floor(xy * rubyTextureSize) + vec2(0.5)) / rubyTextureSize; vec4 coeffs = PI * vec4(1.0 + uv_ratio.x, uv_ratio.x, 1.0 - uv_ratio.x, 2.0 - uv_ratio.x); coeffs = FIX(coeffs); coeffs = 2.0 * sin(coeffs) * sin(coeffs / 2.0) / (coeffs * coeffs); coeffs /= dot(coeffs, vec4(1.0)); vec4 col = clamp(coeffs.x * TEX2D(xy + vec2(-one.x, 0.0)) + coeffs.y * TEX2D(xy) + coeffs.z * TEX2D(xy + vec2(one.x, 0.0)) + coeffs.w * TEX2D(xy + vec2(2.0 * one.x, 0.0)), 0.0, 1.0); vec4 col2 = clamp(coeffs.x * TEX2D(xy + vec2(-one.x, one.y)) + coeffs.y * TEX2D(xy + vec2(0.0, one.y)) + coeffs.z * TEX2D(xy + one) + coeffs.w * TEX2D(xy + vec2(2.0 * one.x, one.y)), 0.0, 1.0); vec4 weights = scanlineWeights(abs(uv_ratio.y) , col); vec4 weights2 = scanlineWeights(1.0 - uv_ratio.y, col2); vec3 mul_res = (col * weights + col2 * weights2).xyz; float mod_factor = uv.x * rubyOutputSize.x * rubyTextureSize.x / rubyInputSize.x; vec3 dotMaskWeights = mix( vec3(1.05, 0.75, 1.05), vec3(0.75, 1.05, 0.75), floor(mod(mod_factor, 2.0)) ); mul_res *= dotMaskWeights; mul_res = pow(mul_res, vec3(1.0 / (2.0 * inputGamma - outputGamma))); gl_FragColor = vec4(mul_res, 1.0); }`, }, copy: { frag: GLSL` precision highp float; varying vec2 uv; uniform sampler2D t; void main(){ gl_FragColor=texture2D(t,uv); }`, }, }); class CRT extends Component { props: { children?: any, distortion: number, inSize: [number, number], outSize: [number, number], texSize: [number, number], }; render() { const { children, inSize, outSize, texSize, distortion } = this.props; return ( <Node shader={shaders.crt} uniforms={{ rubyTexture: children, rubyInputSize: inSize, rubyOutputSize: outSize, rubyTextureSize: texSize, distortion, }} /> ); } } const Desert = connectSize(DesertPassageLoop); class ShowCaptured extends PureComponent { render() { const { t } = this.props; return ( <Surface width={200} height={200}> <Node shader={shaders.copy} uniforms={{ t }} /> </Surface> ); } } export default class Example extends Component { state = { surfacePixels: null, desertPixels: null, }; onCapture = () => this.setState({ surfacePixels: this.refs.surface.capture(), desertPixels: this.refs.desert.capture(), }); render() { const { distortion } = this.props; const { surfacePixels, desertPixels } = this.state; return ( <div> <Surface ref="surface" width={400} height={400} webglContextAttributes={{ preserveDrawingBuffer: true }} > <Bus ref="desert"> {/* we use a Bus to have a ref for capture */} <Desert width={128} height={128} /> </Bus> <CRT distortion={distortion} texSize={[128, 128]} inSize={[128, 128]} outSize={[400, 400]} > {() => this.refs.desert} </CRT> </Surface> <div className="buttons"> <button onClick={this.onCapture}>capture</button> </div> <div className="snaps"> <ShowCaptured t={surfacePixels} /> <ShowCaptured t={desertPixels} /> </div> </div> ); } static defaultProps = { distortion: 0.2, }; }
30.284848
214
0.570542
c892a18bc4c161d11aa97a60d7011ce40e1ccb6c
143,927
js
JavaScript
src/filter/TextureImage.js
ElmarFrerichs/ol-ext
e8cb2f9fdafaeb852284026f47d31f00699648ac
[ "CECILL-B" ]
null
null
null
src/filter/TextureImage.js
ElmarFrerichs/ol-ext
e8cb2f9fdafaeb852284026f47d31f00699648ac
[ "CECILL-B" ]
null
null
null
src/filter/TextureImage.js
ElmarFrerichs/ol-ext
e8cb2f9fdafaeb852284026f47d31f00699648ac
[ "CECILL-B" ]
null
null
null
/* Copyright (c) 2016 Jean-Marc VIGLINO, released under the CeCILL-B license (French BSD license) (http://www.cecill.info/licences/Licence_CeCILL-B_V1-en.txt). */ /** A set of texture images */ var ol_filter_Texture_Image = {}; /* CC0 textures by rubberduck: http://opengameart.org/content/50-free-textures-4-normalmaps */ ol_filter_Texture_Image.stone = "data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAAFAAA/+4AIUFkb2JlAGTAAAAAAQMAEAMCAwYAAA1NAAAoVAAAWAX/2wCEABIODg4QDhUQEBUeExETHiMaFRUaIyIYGBoYGCInHiIhISIeJycuMDMwLic+PkFBPj5BQUFBQUFBQUFBQUFBQUEBFBMTFhkWGxcXGxoWGhYaIRodHRohMSEhJCEhMT4tJycnJy0+ODszMzM7OEFBPj5BQUFBQUFBQUFBQUFBQUFBQf/CABEIAgACAAMBIgACEQEDEQH/xAChAAEBAQEBAQAAAAAAAAAAAAABAgADBAUBAQEBAQAAAAAAAAAAAAAAAAABAgMQAQADAAIBBAIDAQEBAQAAAAEAEQIhEgMQIDEiQRMwQDIEQiMFEQACAgEDAwIFBAEEAwADAAAAAREhMUFRAmFxEoEiEJGhscHRMkID8OHxUhNiciOi8jMSAAEEAgMBAAAAAAAAAAAAABEAUHAhQGAwgAEx/9oADAMBAAIRAxEAAACinh3TUTPTHOmyr4svbz96TzJNUMxWMF6DJJfOtR15JTJLVRoSZsqtK65DVrsg6SGqArYMdEl2VYSnFh0nvHnKy82tZpoQQlM6s5MylEkq4LJTpzCHBVM6LkolARxkyxVFhZcvIrJJ0SiNZFTlvQnR1HPViFSFk2aCWjXzpB2qozBNastRyy1zrUDg06ickua5omTOZeVrYT3iInoLNEimXbCLDZmNVXz0dNz1mNc1z1aWOzSTig21jtZHPoGRNNpCNOMZlNWCuvn6xBU0UZI1SrUXEPbhLu/LWM1Ks0QU5Pb4/b57nlFc5t1wY6CzNxYmI3abNzrkrPTIadT14qdK4stBrCgOtc1WWUWLCosNc1tOKYqWUqyVCaWIoKSbjpwvS7GKhwVKTexpZL7ccUIaKBK5q5ySVB0TLueqzCDKhpx0S4GuZOqbMzlXYjtNGnSlshqMJmsOhmtR0kS42ONVMqNyyXzEaJxS4EKlRYtdNSXIpqnLjryQ2KvRpcUWIdCDtCc+kpQirtAUVKZKhV2KJdkqL1GUzNJNYXYyT0mpdy9nllKmrL59WPNfSZrncljfKpXYDtBRXOgokouQXFc1I2bNqCXJFyk3NWYzLZFglpjNQdJiNQolWTWqB3Q5Nizq1lRMFksbryx344Wu3C46zzVRM3i9eNnbhWrbJpREZVuEUkKApnDc7Wa02HO9LGaJygmEKDpz6pOSqNoJdWNUSU1q2iWdVSyYNCXKx00lTuhMlEuSunK863J1zhFXYgvGcSmnWVOY0uoQFMnS/P1q9hK51RzLA2tZ2xWMNTgUTDqp0S1uvBK01UzcwZmXFRVjIlTCM2LJnfSKLBBK2wvLqoMWWbSoEqM2OqVyCaXoWdLjjfSbCJNSkqMVKy6U6Xw6AOqaE2yFRhFRmLl2xTOIzOXXnNNg0duJnNOipcGs2KslGXdOYNc1DR2Wp2l3OpsWdZQA3MS+i+eKBs01kK52rM0G2O3Prwjscr1NLhyGqcOEE6EOpOSwtT34y9p59IUoOfXnKadXKgs3TQFT0IKBYSiUdDLWCx09JYmimusZs3DZ1jFiT6I4nSKzoToYVqE6csFlTZtslbYyZdqlKJCjvwl0SnSRW65sdiA63yxymuUtTnWTrytemqCKnAVo5lxZmqXi9Q57VZNCJkK2DVWdT6/L0RIal1WTLo1xawboTR0SNYRTNUKkztKk3XWXnmk41Lp2bzqQ1TNdCaQ59ua4wJcWWwytR0l5mpNG1bpy7FYJdyrHPdosWEm642WzrO3Tky5nWIyJiVi5i6nnXftDKR142WVFkSkqOlwUbVBuvPvE9uSSXMvI6c6ZWwKmJoqtgQqRa6TpY3TnY5DagYdZNapSLkyWHXl0zrl01pot1JdSRPXkYwtc7ogrHq7eaIrlrJJ1CyN86MmgTWdIoV3OT0bl3xo5duFmR1AqC+3npJmlZ2TbMs6ps3fh0NKkags2iuPWTnWLKvl0mnrzpJlvUdOlYCMJVMIdAL6cO0RNkvMqVYLHVi+YI6XUnNjGqU68EsLTlWQLLOdaZrXIatdkHSQ1QFbAnRIaFzKZaOTk5NNnXmFjUQdA2btprpOZWKE1Gqr5dImPqfKpntzzp7WRxelJy5egl5R3hYPT57VqLkxrNRpWo0JM2egjWRU5b0J0dRz1YhUhZEU0tCmAoQuGjbF8unMjsuaSNmmaXVpKl1m6cg78zS3CJTz7y9JnoTtccOXfisVJXUkCsWUlRBWJOiczXXPVpY7NJOKDbWO1kc+gZEw0ThEVQoSp1nGmljMQUND6eBEV2ri9JSGNLrwtS5kdqWKl61xmOnHpCyatZXnUu6dWTlDFa+eOm56ytJNV14qdK4stBrCgOtc1WWUdNgzYLNLOimKXYtNglA1kXpmukGLvk6ze51E6suBL5aiam05Uko5pCY2orDrO1+a5dU1DzrkrPTIStSwp0dUu18yNU2ZlXOxHaaNOEaJF2NtjIqjJNgR02S+PbnLGp1IbiLham5mLQXbCYWWUbMYXZxWVOTcrqGNzWzCKzfNN0ijoBLTQQWEJrKhV2FB2Ki8GU2GijQgG2DpIDs1OQrCE9IOnPaWtsA6JKkKKqRDdRSVkc4BTnPQMgVNilswUUFTrGaxClRSRsY3SbUrdI5F4jUWVGkZMX24Bp6Y49Ca6RNlwsrJ0smjkOsjYSKuVOjUTFKczs1IyOyabImekrBZZVFHMpWXSlIFacZ0lR1lZ2ydI1FVUnNMJpGTFR0yy1onZs2pzeVdsvCqx5+jOoXy6JdcukZA1aqZYNuVk1IVfNlolKrURz7cwrFlBpRSmowEprKSuswGzLEdJrWKURZAkoZUKiy9pisg4CyQ6Vy0vXmY6IFE8bO3N1k9+FnfnziX2cgraaEhK20bpz6FTGOhF2E9MMTQAlczErZz2ap56Lw1QzK1GGsxIFCEu6aonYCe3EcVQyFzQTciWCYKo2BmkcVLpzZimWXEKazOwzTWiwKgszcxLmyZuFchq2idWDYNiq2yT15+hOBqWK2l7wXG2onn15ymnUMVLg1mxVkoiwwsAhdMsy9CVK0qqWSlkLCLLW2wzcwT2TnUVZtOKhyuE2MQ1iXFjNhtcyjhNkrrQY12mCzpfMOU1yl1BqbpoCp6EFAsJQY2GN0qg52zUx35WS5sFLMjKmCdCXox6TVHKc1tsYuDbZMFro6wFlWQ7S4UkQqKxWgS9IvQmkOfbmunKHXla9NUEVOArRz1RTYnXTpaoYOfVrhU65cYUxuXVOnTBOU5PNXaUcY1RYODVFnThcymqbOry0XJqqNoHYKGooxhQKmMYpLiy2GVqOkvM1JozR149TtzqYvc8UlnCOk2apoY1HXjseneX0lcevE1Sy1z7cKx1yTJlXA7JLNAmiq56sGimGs6RN0gL4lI2BUKUUbAhUi10nSxunOxyCKIIVClYSdbXPUG7colTryLnNnZ2jixVVLMtMpjI3PbOvNu/DWbjpzjtxRdWkx14l9ONy89ZZrtORdJ5rzQWIdvPRM0rOybZlnVNm78OhopSFCprLOq05UyaOkLqAsmyGVOlc5X/2gAIAQIAAQUA9let+2v5lT+rTE9gf0q/guXH+M9GHtv2Px6fn1PW/wCXn0fT8/3mD/dGPsf4D0r+Z9r6XL9b9tevP9K7letf0z1v0v8AlIvsv+Xn0uXD0fSv4K9X1P5Q99QqPpzK9b/jv3HvuXz6NeypX8Vc+09j6vp8S/QZUr3nqe4fc8vsuMuMt9Fg+ty5cuX7eKh7a956JDPrUfT5l163UuD6L6P9Cj31Er0r1JT6V7E9gfxX6npcuVH0J+auVD1pj/Ix/hr0qHzK9bl+l/y2T8/n+G4ep/RqV7K9n4/gfY/w17X1T+s+l+h6Huv3H8h6363Lly4/179tSpXsfQ/jv049KfWvTn0uXL9l/wAFQlz5l+y4+1lewIej/BUr+ofwX/Ieo+y4PsP530o9rA/lfV9K9D3nqet/yPL7q9b96+tev59D21/DfpXpU//aAAgBAwABBQD2X617b9z72VL/AKdyyD7F9D317b9i/wAFSoS/S/dfsuPtr1SzC+99a/nJU/Hsr0Of61f1j+JPU9D+B9L/AJj2h61617b9eP6XxL9b9lfw37n21H1r+Fge9/lqPsv3fn2H89y2fn49txuHpRL9a/o3OZfuqXLhftv+L8R9j7D1PT5leiS5b72c+j7KlR9349px60ehH1qVKgSvaX6PsJcv0fdcdS/S/ZXrVyokqB6Huf6Nwb9L5v149L9g+xfQ/gr1fSpXoejD4uvR9bIS/S/5X2vtuX6pK9K/l5nwfifj31H1f6Ny5frf9E/hv2noy/SvR/pHpX8Ay/4q/oV6V/C/w8+6vbfuPR/hr0r059LPWz049a9K9a9ley/Sp8SvZUPZzCX63LY/xX7X+Kvdc/Px7q9j7L9SPqnsqJ7Gcy/4H2npftI/yntv2vsf6X491+te8PW/X8VLj7CXL9H3V7Ln/9oACAEBAAEFAHJk+SqceMR+pdQ7gY8ky4MmUnzPKPj2V2+Y9rVJ+KucdXHfFbmbhhY6MtvXHljrToZpZm58LnkEMubed+TiXbm5TAbS515BJZqZ+svRoKmO4/s1o2YrPOeKdC78vk1/zvd11CXxrkwc9MkcoJljnrHqwz1h86FM+XJgPLvecdcUkyqGDr33nOfKddGN414603SrmAscrrBrKXlaXeXrjecvTPYR9LYJM1rTYvaDqY0W3RoJpuH+c9ajUchk02NADFa8lu+ELiB6ZeLYNTxf9fjz4bWc00hXZKe1zOtY0/766HNr8lTgzQ6zrq6Rz2MxtBIuu2sV47+zHtdkUT5iwAgnXPfJtNZoIX1MR4MluvG1zKK4nRXOTxwzH5DslxeMxM9X/WqQG+rmAE1duh1q4uOvLMClK3cKHL1fJwva9XYaY5ezkvrBQcnV+fkD7aGwetIYMoZ3F7P7KMdsurzrKVrQy9jtuGmsuUTjtLRWoV2u4gS1D4sZcvlqrIvWfss1ygkd7zCzQNpc4qss1xF1ZSisyg/VDgzTAoGkvTr5/wDVca7Ln9o6ua8T1wUPWAKZ40Amcrq8LzrTU5C/ppR5l09lV1eyfQme2oucwKNvV4zLy5C38nEGFjayrnZJnRFyjrNZ69HQ66wCUTfk7QOucbCNwan4zgTrz9Y2OTLpKiq2UF57Oi43p0Jr8NkxovW851jankxoR4+QxY6U4henrrrp5h49ays0oZOAMTiDSFmeZrpDOSXFSOhPiGokKHlG5rUdazM57hmZDZ0Zn/R/npcMW58WAOBDL9Y/YeJkZyzRHiWMG45L8mfFnzaOy6rIk7R7251WKC6d5xrXj3nL5Nmm9L1c4HDv9hLA73DqZ7VPrZqnz/8AT4vPkxg1kqadVTbjUzl6/wDV/wA+cZpvVEeUVWrCxsixplHVyhjL2clZAN5zp68m28/OdilJQmWjSLxWmi2j5En4c8WEqaymM6a1kZXKXDQNI5QL1RrPcmhXWDOM53f31BopzkyI4b0JPG05waQ0ufG3ms72iWR+scBPEtd953/z/wDV48eHydaSzWSjx3lOus1WjLECXmx1f4zmo8O9hnto13uNGeMzNOghlQdMpzHQHa4BPgy5A3oO3Ggn4zk6uW88x+G74mdDotl8ZBzx1EZamVy60uWtH4arxr384mkvOfIxNYc6Txu1mXWoAx0rjWsaQwOu8/0fiqmvm6FGYRews4JxLnBkVFHIVG04pzMnWfM8aO9lJHx1MeHWsXPzmjLpEeD7RefGJ42dirZZS/YqpxBn5EZwAOp9ZjI61o1NpMa6m971nOKPFg7+RB7Kf+fswBz5M/exlnV50LDegNZm9DHPIU2MO15S6COScQ+Nf5bTP1bzaEtiqqjUes8Zml7F6jZM3EMokzhVaWtaB1rWtagWZZ1s5UeWHyZuNVaTJntxjW6RAcLQ9smr3zLc6b7Z0wOubbHRHKaNJnOWtBBY8p0lvXLM1a2t5TRL0GtTtLExTGoLLmS5zHU7cGQMAxMoXMjHtXN1PyzskbAdOTTLLzpDRm7FpHITmOufsNgWTsddbFzjtjWby7CVmjLuePxaHrDCOqNYQmuT4n+p2bb0XUWBymRlIj9tNg3lzzreXH4l1E4BY5VUq54s5XRjOumb1im2FVUy1KY5cxqipVT5lpL4PlK1Q6GsmbUFGwqdZp4NLNaGJc2aXPk6L16oLynhUFo3hXpsjiwTt8gsy5c5wa0lZ6pMZ8G8fYn4HRBYRZmyLzfGW9JSfFNcwFm9YTVEyvQ0EeF1GhMKUGvz9p+zy6xnx78m+ix+JrLeVJricSiC2XrVcmSgwgtiBcSP1c6tEm9GsddGchuePx6rx+PXbeuP8zV3oqBEb75nYdcMbinXsqa1N67QsXGWObhS7qDxg+nK/lJrKTgatQ6prGnk66cBY57LV52CXdU6WsHk/ZvxeTOqnNVxRQjCJRlywZZfZIllF74nNB1jO1N5h5My1njG9bAPI5OYmQpZocvNeR1rx2xKhpi8CicTihuZNbUrTcbvskX7dlLpFVbddSYTu3ottVGu2D65anMs6haPNSuDe8vk8u/KuUnxGVnrUvg+z9Znrac3SvOnjVKhOur/ACKrjxDryXnJ1iJs8mNZ73O1RRhtnlyUZ5CgyMCI3VThgFpknxMlH+o6Ys+RSG0TrXwPask09kHIgp4+2dWpyutZDKGFzNXt4viaOOa4Tteci6P8/r0RzmKMyMMO2k08t0LQty4wmjrHN61fjbuZ6z9PZ5Nojanj13DxuTeim52+zVGbiUqT8Zua+0u58GanLpbSPE25mA1jAIFwckutcDZlqXNf5eA03o76bvtcz82pUbQpEGdB11Q8eLnk8dI1HVx3bw6eI2hdcxbUCIGkXPMq5nrHTWMa2ghQGD77Wu1HLM5IqLV6SBwfFRqr5u4kalyuNFwSzf1eo61rEztTOGruPzo4+I5uAwBy6qcBWtLpddesthj6nBwt6zlaPH5ldY7GSo3269VBKaKoY/AGs6Nac4da2XO1zXClGcjijIudOjqiztqduPtBHRURtY8ELjRKUaJctmrE3rLp+uM94Y514lmc/TGSa+GnPVrJEo1nI2jo4EYazn/nsAHILf26pzjxpNZ6roZf1NhNeb60pkz3up+Go2qhOJkDFiNg61bxpHU1rSticNUfa0s+YZNBocv1mNVk349B9pqdiu0dLKCWEdHXitdkLWjOuwIiZ3ohFo0rv4mWkeNcK0m7mHL5FrZrmoWT4nLluW61uwy3nmvHjBvQXrxaJrNOaVXt2bVHrcOzHiB9uXXkxWM67xsBHWkw5BEBfm26hOtTNQQwdb3QWqW7TNdcgnYsCi26rlCyyd+P2ZrSTPkDXdi0dkHSOnamlTidYaF0F/EvNPK8Grpjc5dP+lXWoUzLEb66W+fqTPjvOQIUTyIGSprLOp1zQbc1n/n8m/HVmXJkBNCK3DJOZ2+qFc9an/h7WfWKQ+a1FzqZui9Nku3yORWsnj476r6kaUomuCvs70isrjRc8WDW6d6uGln+V06g6B9RuZWmg+1gZjrM1vNUg/aePN47OYszkQ7Dc+Z152s/f5c+D4lupeya6s+UzbaL85pUAdfXs9tBbcsIO9uRvNGt9TdJM+D658BfkMD4jJjxIugY8Bm44fHvm258NdneQznvmA5z5AwdVXFRpNaAfjlnXSJcSpzOYc5N8FRedIueXu6nHZBz3rM7VBJvXj1hvM0ZpLmflMR7kxi5nxM6A9W7R7K/AVbqGu00BrVZlE1jOTtmw0uUZ2e+soh2Ox0NWUOs+HIdc9kqPM7VgOdZgOPJp5X0zq5s0I6PHgGNUIZDWoDdau1Xeh8dxwj5DQr5HWrHtUAQum53EFQuLRukPnNRomWnCpoyDxAQq8nOkRpVMpkhnWtUr5Bzq9BZA1ppyAsvk7OfJrLutMw9vJx49b8hes5NDjOnmabmXj/0KvVBM9PsY8evrVx60PWNMHKFsc7psCplzWfGk8GtM82yyszazfgxbnOQ342Os1lBzovW2jd5QM64a6xb08uGZ0Vq05p+OJfGnNpcXNZLHxs3hc9oZRNVP9HMM5c2Lyvj2zTSY7eNz2O3aPEzQpmIWaWdamdPZyu8CL2cmdsc9YhNdhV0404n7Oe+ScS9My9THk50ZVK1qnXcnTWxxUzgInK8/B11E41Q61U6N/5nF91W60Oc5PrrNOjjWKfs5z1HF11ZSRwAhMz7Xr9UxvOcrz3LD/5hMuTHk+sCORXiZVjq0Lbf2a1UOIplN5rOlzvWTJcDRAGOrWnXDoaltdwTetutN67B0Na/SU5cFUvw8TpYZXOUjpt7aG1qn9fOiaSds9g1p8mOp2V5ZlM60aI3MvWdnS9p+y5/uCdX9eVyDnP7Nde2tK6ztJ+zIdrAU/PzAOubIXVWHQnzDRWl7AHjdO9OzXizzl00/BqksAHOs5yI143GT9m8nVYF5wlGl0tqRvWtePVFhnSOjPXWVznaZ+xHPaVZ+K5MEy9db3eQ7S3LQjdOaanYM8xzejKB10Z6j5Onbx5Zk5J5PFne8eLx505yac/Y51oyxymbUSl0g5Tx9aDQGM8meP0eL9HkKBKNXFbRmTTMpZrF4rr9Op2J2B3sZnWia8vYzvtnOnTvVP4OJTBrIpkyKZGI4ex2+F+NWT9J18lTD10vOjqjaOWWs/KW4Ou7dNaGwCtzWK8Xj1enRdkxTpfvv7G868XkydjyZ4Wt2xHUoEseozPje+tpP2M3ra3nqHWAEC5z2wGkQMoyiwRUma0bz4jDVNx7DnprO0ItqdXQWhWUzqg14MePevIVqhjxKzfbSt6mSMt3t/5v/lrxlfrcnxCr1gmaya09NZoBvtp05Mw6IQxk8e9FGXc3sy9ibXYgTmfYOwsbi3Hyk/5/0PiZmiaOeWWEv7FxwJ1yZ1lyidcFnOZxbgciW9Vs61a5a506RnIdc6mVmU0bOomjE+JYR01mujinLWvJpNDQKGuZn5REzPmCBzRwX9vHRhzq86a1zP8AncmfJ2ymss0tisXj/MS58J4wTfLjscGAzf7MY1vTp75yWszlNvG6vVcBwO51SFiuM67EecWk/FxdI6pC51NPOYCGXNvO/JxPlzcpgNpc68gks1M/WfY0ZmBHusetCpSHDNZ3+tG8uhz5EHyK6fr425vVoEUCkmZl0TdX2MnIGc3h+2k7eRpsIXM7LcN5zrGdYXPkxvp4TF77Z2YQrrFHLjVFClopKqCy6daWZufC55xotujQTTcP8561Go5DJpsaAGK1u3ViXEBDjNT5KmdZyflwIUh/rtsycrQBlHJmU3dFuc6E0TY1cFM+Pw+Ty6/6f/zT/l/5j7b25A641/zGXXe0XSzOAfIlmmZw+Ty+fxePweU0rrWZ2suyymiFTIa0qL2g6mcnjhmPyHZLi8ZiZ6v+tUgN9XMAJq7dfbVsXLkuYufa9S4BdgWVj/Rnuc09l6GfFne9QzrOtBNcGUU5mms5Muz58Xm8vi15v+r/AKPNjK5ho1nWRnfUxTpzSktnXSaKNZp7Xqo71rZmzLRlL+quNBzEK4nRVes/ZZrlBI73mFmgbS5xVZZriLqzlG4IPCZOM0gAHDVxlLNBKdQykNUJrcwYNeX5KY25b0l5XOcy4FqddHC5UPgjLCHbvkJ4tvZ0S7mPI+PXme+jQKcXU1krN5dbJeY9TP4tn5aqyOh11gEom/J2gdc42Ebg1PxnAnXn6xscmXSU2s4opz2UPltWxZnFp1HgmTUEJ5NXOKzlc5x1UQVc9bhnRLaGjWrTmNEzzNZ6h21HSOday3pTmWTT9tUpU0UZ1gzrL5J+nd/rzo1nAWkEi5R1ms9emf8AR/npcMW58WAOBDL9Y/YeJkZyzRHiXcu51rXkPGeZLjpMiEGW25SGqMmWbOunsjkHQW26/wAzIYz5G5nKzGOdCmsuR+a+1VFswZuydp8RutO3HeO9dm71zDhscqrm3WG4jN7GKkM9p1mQ2dGZ+c7FKShMtGkXitNFtHyJPw54sJVRzoznTWi5zaKCE5HNAXPqofY01uk08Kdb+5r668mt5XnAWeN/ZrSu7ZTR46NNGciZrOXPPCausixTpjIpoRzmVcDtpddez1rrMaJtuV9upACbznT15NttZmadBDKg6ZTmOgHVwCfBlyBvQduNBPxnJ1c0nMfhteJnQt3PmCVQFqZrq9qMXAwN0DU/I1M7U7RqBwtzmynSMQJ+Suu1dUGqya8p11ywWOXMKZWOvYZm2DKjY70Ge2jXe40ZcsDrGeNHfkKSPj6zHg1rFz85oy6RHg5i84E8bLJbLAdc8QKlgjcG0amUJpbuh4cGdQ8RWss4iutJrMLjorLWcqponlz2fInYeM3ONPXPZtcUwftsTydnQgGMGjXVy/WXL4+1KOQqNo1S6FVVRrl614zNarQuiPDm2IZRIYVWpxpB1rWtagXBlCcrxdwq8kPgu+tvRJWrUqlis3wxp1b5MlTGGOwWmADnKFut9iXz49aFbgIj99IqzXVzjVJnA2XouHz8uk606Ma66vNpmabl2GKnjzld54LDGWJsHLdQedS0iIDpyaZZedIaM3YykSpzF55INQ0dieRZ07a24TOivtRjV5CfnxOctFHOsfXWHG36G/h69XGRd4+1OYcjdUMHOZvmdmZBguYa7Z7E1hmfsNzkbpyZVsnXyzkzQwulNHDPHsDmqm5QwqfK2S/rzaVqh0NHVlW3YVK508dliz4W77N2wzY1lNazPqIscJ4zmWWavWYn23WdG8x+Oxf7NOMbB0sPGuUbLmzPTL2iUGXt1r0ctNE660TtnM5FdOamQda8eSac01fMLDs1TblgfWmaxM6Sa4BgZs+cjrXWUAVQ3LouIMbHAM82/wDmcq32CW6jsRxSNuq1k1wutZ0zeuM+UI7s+pu+eNNprPVStQw5mstaKmsUHDXIlXU5D5C48DrN1ceYuq+GuMBHOO1GgB0qNvXrRYxORo0fUrqaGFsWZcsuo1fapouVzq5TXxGXcqdM6deMXq5l3N6SN+J7aTGSKh59/t2aEvtM+Mc6xk2Ye+MtHiKzhmPDiPxnTPqhrKPVDgMtVcBUtn+Z8tZY4t6Iaz2iBinArLyGdEK7dliPUGlzk1hpwGW7oIGQWZ+2qyTDm9caGtKWtzTmXKY8OM866Gu7MKP56Z0/p8ih/wDPWhjnixgayCh48Wt11XR2DOk11mQptdoZGOeiOTS1O324mt9c2pgQ6suk+mvtL7NDpdUaNOuEq6RDUclmaxmIoW7+W+zr5sXXz4zjPi1vWsazp5nahaFuXNQZoB4VDL1JV64DOkDzvV12OL5RwE0pDOt6xrYCO8+XJENtErgSI6zq8jbrWtUgkvlXM4Z0e2c9k5iCdeOKPjT1GZGDp1xo8Z1zvSaDXS9J4cun9eg8fgd5z1jltLlXC547B3HyrMg60Nqp9qbItqBEDVfWmj44vqTSszVELY632C3iwbUHyazFI5o8G+3jNZJvy/fKTaqAn5G2+Q51ennIbF+s7VLawicIJec60qMLmizvxqq+t61uw1k8G8k/Z5HON6B1lTRVjHRYkstq9+M8azRxmocx+ONGu2nOXWtcztceFjuzPdc1Xak3Ub16LmO0mm3IM0UXqsLnGta1lILRm51YIPNlkCB9bYfqPCZGH2iawePJppyqW63Rkc6vLmtTsZdIzkdAx3yoGdNm6jq5QwKmhQoFKzlviupHrV3p0emTPSxGwXVvGm9R0qZHNBHquqy55Wfs6l7Nazlc9UNJFt1YGswvJQpbnCh3SFxICmbJwF88pSI9ZvNTrqs+RJkO43m0HYR6BKdIfbWc0ghjU1w2s6ldRhqgWHxTk+IPY1pjxrSA4uYtjQh9+XW8VjOu0bII6bEsa4pH5jy9bBsc1L6zJxo1Q8ZckXtDXLwjxF478Do11YfD82UkC854fs6zjOjPUnbqGtUIH2BHLU0ifhFmRJoO1aJeh7SrmSpYF2/Mx4/L5HyYcPj5dYHIFdTxzbMlTWWdTrmg25rP/P5N+PSYcgxAX5tuoTrUzU468DpR3qYF3qqGo/BVnyZUslArUQWyxyTtYjYJqnKYtqazned1nX+p9otR4W7c5Z2VPn/1UVu6MwZdz8A1j/q1nO9fs1lzEoNBHfdPHx9sv4eZ152s/f5TwJZlyZATQ2twyRudvqnGeME/883jWqeTSDay7OU/AE40diOStKphv5eQVnC8BrQb15DMxnOWtZ0EDhAOKyMsJYtBNfP5eYfJQpoFZbYsSFM+01ZMH/z79RpO1Syb149YbzNGa+JbqXsmurPlM28i/OaVAHX1v7Jzqwx2V8edjjKPh1C+pdjPxVT/AMl03Pmc1xDyId2sudaxjOlMZjejWuOIttcFy+LrJV64NZMoHb5fl5TOr11zmfM5ZYLcylhw2z9ggqFxam6Q+UuZ+UxHuTGLmfEzoD1btHsrwAlurM6tOIfCLCPOXGTFcoU9li6uyuWfA9tz9Wk0eTBjJgyAaqcZhQGDRjJTxBbuoagpFjaVlyeNMuAPsOWp5O3W+LAoM/Ull4213mdZNZ0DrbRu8oGdcOajRMtOFTRkHiAhV5OdIjSqCUE8R33fOtIDx/5zY+XjQl99U6ZYzuaACf4m/LvWvF4c+PHAKsDLE1fn/ToyAAmumjIK11E0SrlSyZyqrqPU2KxpFbdOQzrUcE6fVpdUwzZlCXc6/Z/0cHXUTjXDXWLenlwzOitWnNPxxL405Fzc1TPEajzAhmhnzOpo61rLWevHxDiOuAdZzWdcyqlXEqZvqpNh2nw0r+XWb1V54dpp7VHJkQYKaUXxf5XM++3ToDYZ3bOVHgqaM02vRQyucpHTb20a1U6N/wCZxfdVutDnOT66zTo41in7OcmDXjjmzrSLOKWOnL5KV4ctwzklDFnj0GNPY8fkN41225nkurt6kTIOCnSLrOnSMwpOCaeTJpeXSo6wzLhjgvHanLk7VFWfMDi25qsx40Y3WRM50joz11lc52mW1qn9fOiaSds9g1p8mOp2V5mXrrRoNWTC4ddiJqsOmamaJ59YrWrDlTWZnpWjVbaz2SbXrnW8TOu+VqeS9NA4pUzlPEWLlrWYdpvTqCitpqp3ja0mfwB1zvrL10rntcvjSssnMq47TS3nNzmDWRTJkX7Ec9pVn4rkwTL11vd5DtLctCNxzSlzt9bSF3QTsZj/AKflFA5aJnNTfi3rwaXJ+yVqHkfEZ8liZrdmjGmazc3Z5MGU8g5jzDRNdY0Hb68OOtGXEfo9qgk0u8lpTNHLqD9auaNdRwG3i7dHV0FoVlM6MjEcPY7fC/GrJ+k6+Sph66XnR1RvQ5Z2WF317arqrqzsxqXl11LcjAxVrp05TVuj7faumSZRw9povV6y99LVIIu9ObE6pkPG4/V4yP1exbjWYcTxOXPBrgmc9dd19MlR8Wd56amkX9Y6/XKcuvEgXp0jOQM51KDXgx4968hWqGPErN9tK3qZIy3e3/m/+WvGT9TkPl6utYCWgjT2YNm7FVPgt7/UM050dIsA7uiO+O7f3QtzUshQPMz2058ee3YZ5s9gGjV651ktfgey6XUrP6ubrNnY12V0dpreMxsjuad9HdJm45F5zMrMpo2dRNGJ8SwjprNdHFOWteTSI0Dw8zPMRJT1GjxebPi1oFpYXl/Ojha0moPbPXcFDNMtM//aAAgBAgIGPwCbghLVINgZBn0iwVr56j//2gAIAQMCBj8A2cewQYbt/tHh+sZZDn2gwX2KvM//2gAIAQEBBj8A8lbb9IFm67jipUJyeXJulMbSLxWY8VrJ7svPRE1LqdYWCWobU9fqLi3ZXqQeUU6nFvcjkhrM/glpYNyHbzRX1I5OGmuT4nsf/wCyPdCiIh5PNtQrLcOKR4vXQ6v/ABCT/cQj3Y23G2iFh2zOVA0nL1Ku6IVbC8sNz6/Bz8ysxPoSr6jeqyjfYmYbytxtKEhb7j4rE+U6sx3b0HmNBtVOvoJcrhQuyF48m3HuTURy26jjCLxuNueh/X/V4Jr+uWuaXut4bI5VX06Ea4GonpuJYU6ENwsyZ7iaez6nFT48uWgnfprZGg+PKopzkXLj8xri041XQaiU8ofLiqilhQieVzXYl6Ky3ioJmJuNcjSUwqQnyqlPQaibTT1Q1KeqnKLFxi39i0xysVtQp010kfNNebxy0S7DScTbSwJNTJ4+igXFtt7nnEzcMbmV8ifhDEuThbjjO/widZkaiWYtYE9T8iUXq+9janjoO4Sz3HFzlnF6Oe9EvKwNf8syTtgTWdIyPlybfKZ5PfQhYFtoNKktfhtFLqfgaZy/p58HjlHJX5N6HuuEk2S71E16dTxn2zEnJ6KEn2yS8arB/wBnHKcrXWTlyfL91oxK6kckpxsOOickwXq5OM1Dzt1H6w/pQosfL/8AFDfLUSwVUanmocuGtaJTvbqPchq8RkukZgmZeC8adCXpjYcsnxvlg2epP8tGTMdynvIhDfHUcqCGqew3HQS5LLrsJccIbZjohJKGxbPJEbx06jqkTUt0uxEdSVUUJZZyXJW62aJy1hnllZghUtsiXzgaht58tmKXioxgcXt3G8uDrsQ8qm+hDtDawJxHkk2ePBS8pLYc1C+o+X9kcnp/qeXjKhr0PFqNl1J00ZOr/QUXqhLJDxiGiHhbF71O5WJueuRtTOrZ5O4pbHjE9RJ6O+xSp2100Pdrh/qRqnZUvlqVxUaj5JUupCUJ/u6dDfclOiGo6kO4HI2lTWC8aiaUQdiZsjjnqPSTqWobQnN9SW/9jZjnQnyMZMk76l2kVvArp12FCvfroQ7j5nQa0obWGNxproOcYRHJ2VUbidrdkwSXQ5y8GjhqGzycQ6ghTe2Tyi4mExptudGeLz/ljU1laLoeXJ9IIUw20iv5ayQ8rHctftiWceLtO56j8V8y+Mv/ADYScJimuxSnqJZl2LVuRqXKuFqQscdDyftWh48nM4ghWvyRFvEIl4/I4yRqiH+0v5jU5JdweTqc9RtuNiYmi6kmIahm2vqPyiHSfUr38OFJb7ktR2wS8dCZxhFOH+olnd6jVrYS4y31I2+Eu9WiS3DIdCWhe54rCtkZenYfk4egoVccv/kbbCSjBalblEO039BrjbSUk7qUzblodHfL8ieVm9SY6yVlv6mI67Dl6Qo3J0VSN6aslv2r6FOtjny41x4pec1TcFpZ1NxtXpuPlbnU8tXSgvr9BeSluJ75EoLEppXe40/kXawRx0FOpiScHXJsj7kcc6jKfoW7JWFka0EkonJLZHlCJeEx+KiSM7kwbCWNRoo6D6F38I5Oluapaxscv+pt/wBaXtbz1OmpCUJkZZWRRZMd2Q9LUjaieTlpbl2tuo0tdSPr1Y1rENPU4tuE+nQ8m4qZWjFKnWOuxKUvMdCsDb/dyWmI1HvsTMxRLtt1Oxw4cP6Vx5f1pe9P9245rv8AQmMEL5foJ4Ym746rU5clyfHwfFvh/wA1r6wL+3+m/wCvkr1icMh4+Eqhpx47ntidepBVyWS8C6nk3mhNuictmIOpSISd7mUoUuRT7VrqXkhaqyMoql0+FEoTmtjq8mw7l6GJ0Jk89G4T3MYJVt5PudUJxh+hOUTthl0nqW46bieJsaXte7+guXkpblx03H4ZUOXuNYXH+Ty9TeN/mLlEvLS36Ccwlo8tC4cc8stZOP8AGHfU8nEOcib2yNRamvU8nHQhKJ+Qpz+hMYH5XKqBJu+VqHI+Dyq6QeSw54uD/r/tpca6QNf1t+EzxkrKybPUp0yrJy2T9Cl+hGWQ8HXYSdn3KE1T3FNIpw3gacujMcdiZgbWTaC/2xknPwrQbRMGKE9ytMl4Z46LE2V6njPbuP7n3XQzQ5cL7kxKY10JatX5bEt2jomXr+0p28jjHTPodZUIvt8hpKZyheWYpLBx4vjMqVy/Akqd6VY7tI8k6ayxzlRD6E7IXjaU2N+UxHYlq8JIaaj7i8VCyUvUjmqeZPFOFxPzuXkrTQ6kaoc6GKG8EukURqXkaayRBOqyTl6LYl5jBeSEz3ON4J1xYuC9WTr9DnzlLwt9SYK7m7ZWII+Y5pL6nTCWCXTdtbEk6GKkvQxWrMf48FYOqJarArhOiJaQuUSPxqNGeKqBqVxhNuXGNuolavDJdO4nqe6PLcl21XYhtS022+mhbp15PTUrH0kiYEkjZtWkLjtl7Iy6usHvfjp5RMI8fVMzG513GpsUon0ITTnU7TY08uzEtDFPwlEscM6qxckpU4epP0PJIm/doJRZY4FLiClmzvkd06K2G4mc/CddvhGTjCnjxtjiat7ISylZfp1RD10HLnoREvb9S849EdBz6EO9bIdy4gpTKx9yFroQ8bkPD3LtMhZWPRHlFfqeT41wMpa1vsbzoTGcInRyjHlomhyrZKPFVOUJJ9q0Jn5nktdBKKxJi1qTlvQjLRdwS8aR8JMwxwp3JSpGcfC8Ga2IdKcii1Y59SF8z9NidMHlMyLcUZ1Q0qImZKdbDhZG9hTgcDi92N+olHV7jjTK3I6T8PJS1CzmdTadug3xp62Zzr+hCa2mBwp3LWTr9kyta9Dyb9qcC4xGZ6MahvVnjx4+9uVLjikkWmmtNDxVvByXGlxyupM1ojJMyh62NaMtXo+g0jP+xmRznTsbtiX5HbsfhMfUQ3FCG0lxmmlZDt/DilXJZ6v4QOdhOI0KQlv+CP2jhWxeftTanWENcH7dN4E2P7EkctKr4eP2Gk6eBt41+Db+RsRufQ8fm0JYN+O5TzIk6gn+RLzqKKZ7nEfc+1n4HxVuJQlEbKBS4mFHU9uYl7ETewnyUcddSFMX8h8Yu3XQb5Sk1CRVvUt3kni36iT93LM4JWmhK5IaY2qcX6CS1xoRmKLvsOJX9uPdga1xB1Q5+RWtQVW59kWpEtBwohfUb2odzZG5MU8SS8OicWmNtRDSTN3p3HLt6inWl1HKw4Qk8csm60aPR8vRCTdbkJzJG2vUXHm548f2zoRwvk5fiug99TfWSHh/MrOx9CRaClW3oOqRMUrJ1OqwXZ3KzcsTSh7ELOvQ8o7CifDV9RSlKbiKpiSwyrW2pyWOKSnkJcFLmtxuPJJT25aCjXCFOdSqZHH7kMr9qyytC1EuhQ4WpBXzJIjOextJZK+CulkpTuXnVEuoIL/3FP8AL6E/Yj6am61QmqTI2voNrLm9jlzURxamXcvoRMvfYjH+godsb5cfOU1DcZ1oleootQQvViXGuf8AFpxZyXN+6PJ9T9epOpmJOpvCL+gm8fk2ZC0UURU5MQYhz9hLR4G/ke7QTmZKtsWkXBLy9SJtLCJV8X8x/YSagp1MruQ9RyYHVPHczjMZs4zENKPGJ8U9YOmEeT+nw6l42Gk1iUTN6iaISmR/Y7YKEicpqijyzyQse53J7VeL2PaqWp7n7cPkiOPWWaEsUYSs5cqzX6kJf5qddWNJ2sD1/wBCmspdiaSWUfKBcuDjnxw/QXPkkmuMVrdsU4jJ01ZDTlka7jemXoURo8D3wheT9qdxklO+pie5Ovw4xt9jo8lUt/0Kc/gUvxl240KU7C4ceCmbjLkS/wAkpytNx8eSufqeOU64+hMkninCFfc9umW8dhxT/UznEsSlS89CPqfoYwX8xrqf5RMlOxLbJJ4zBxj9qo6bdhOfdc7LYV5wyd1E9BK3xy4G9Xgibeeg2tBuVKcLj/J1Mku2oSfahp40HwltTMdRTKcfcn+TtSTyiYvRi44n7EynK+QnxcrYfJaNUXlEPJyv2x8zWVn0PJvKwRMRsU4InCI4rqQ9D1HBHzOhC3+hLolvTDFDlO4IdJ5IV9V1JWTyi08dMue5TaTvqQ3PjMf6kvGnQfLLR/1ysSp1ex5RKmyZxoh+N8dydNUZzkvs/U3j4V8zeMj5fTqWKfg5tNX1LyUqWpGHqLxtRY3tkbdyqIx1I13WRJJcloWpWDZ2p+w1NqMfdEJytxJZsaVzqfRyL0U9iHoaTqOLPFYTcsjfO4+gtI+o9G9SHya1fYvGhLxtqJ01hHXbpsTqS30+FYIWp2JUE/xwKXKeY0JTTa9Ub7ruQpc6GI6sj+Lt9zMQNdLLUP5mb21Jb925m8ep7kJLEDrJEZMjPI+5CI1ep2IFGWJbEtVsKMrJ5OpsSbqYKXkuexSgaam6YuXgr3PLLdJbEbPBdlYifmYmNOw9H+o6wLjSactOhxTWBXLdnm9bgX/XHHlhvpuPjNZG7xDJ8rdl2RNuI9B8mvK49WOb69R5UZL1/JVrLbEvuXaqSVqyHQ5cPT4QRlC4padqSJ5Y2PLRQoQuMaiS0z0aM3Mnk1SqNxNP3aQT+7oNbFHYb5S3oSnbsk3ZM4x2Oj+Eoz3IZKt7fCI+F9kOFpDYm10XVoiKm2SqSRKXuWuh7nLWY1ZutCE4OpM+pC1yOzJPqJ6YIwz+3g+HFvnDXP8AlxjRdytKnBHHGvcnLWCYovXBLY7TjVCbVP7jm06R6wW7mJJqbQvJxXyGkqf3EoiC5bepiNBJ/Q6bn2JiWKHeGRpqXfU8koS3ZLUVBCudES8r7lfubyX2JWkT8HfjH1Z4tXFfqdcE7i4Y5bv6HRZQ59DEtY+GJegsplKNBYb07HjyVsS5ao8U4b2wJPC/J/2YTWCinBjqNxgl4eB7ExWz1ERBsnhHuuKXqceHJ+MxLzQ3pNTsJfuQ9biDeMop5Ibw62EppYZmIIhy/qKvFcZp5mSqc/UT5S1jlH4OTSh/lntfu5Re3YrK3HLpSrxJTlbHuXoO1+g2YzoY7jeeKwjsLnPfpAlxQoxqJTLhyyE55PY6orHwjXSNxw4SK9Sc1ZDIfokOflkrXJ9heOjspHksrQ41nUctdUPiraXk2tnUH2F0yO4SwTqmoEmv2xK7jha/QSTvkqnoPjycvir7s1SWDdsjcvFV2JdRkXla3HKlqoPGez6E/J9O5MenQrGhVcta+o4txfUxKeoklerOKjx6/kzYuS03JiWlMlLO7EqUXRLucLQ8d87UN5T1/k+5K1ZdXZUpq76nlU3PYSu3Ypdx9xaNlEpR0LtkLOpKTzEHL+5qP6uL8ZR+RypTwxaPuQ/kdRPK2ZPH/EQlDz8PqztqJbkRiiqIFscnyc8W6HKl8VI7zH0PGb37ETWZfQXBU20Qs79NSePu5P7zk8eLwp3otX/FvYfJuCfp8HONBNnLZ5E+kIpw2eHBSnm4o8nXDg2ktPJURxvRPqSpzqOI0szq2NLSJN3x9zZGmCr0Mwh8XhNnilDTs4yorI1haTsTxw49Oh/5KJk4rhLce7yjPSCYzoTNXCHPtaVC8onWDqT8vhPwnj8j2z44XeR/0T7OXJcmuqIHvsIU5WhRLeDNYL0Eulnlxecj47vIumhJ9iNW/kLjxUTS6nPhE+DiWR9SrUXBiPvBm9FoS/3asjjjU92i13Hy+RMNLqU1Lybv/LGnTVPuiXlpnyE2p4p+h/xWe0kzlsfFKW1C467s8G8ZXXLOK8lybV+OE9hQ5eTFbCbykNp+mpcQRqbClJVKFN39C8PBvKlJ6IUOGsaiTjb6jXLK1Fo1kTTrLXVE2oxsxO/GYJ5PscXEP+T6i31Yut/DqJx/9VHF7eHFUZjbuLxebaJVyQnE4Gk/JuCPHHzJddjNYjoiPWh/UTixcUs4Xcu+pC62xJdxp+hDw9epCwPL80tdhQ5f3MRuUqac9S8qypbdVuLlyVc7TGsLMsTazoSnO6L12FOuew1PoPip5aSiVSqZErv8kj1avoJzUU/5ORRb1HGNF1E9vucuLS5PmoTekOfbsUvYq6nk1E9CeNxoKV7nqOLb6n7qRdxotSInrpuYcTL2Ry8F7VS9RTDeJ3sTVpw2jyn3cv3cYjjPQhQlEnjxaujxbcLEbvU6F0n8xTjYjXQ7HTcnSTJM0JzHH7D30I+T2PdmSrZddTqxtL0LRQlOZ+hPJ+p5K5JVqJImHmXgV+SgZ7prQkV2xvD1/A3yfi1qKJh2pG+HDw4/8ZmPUVYyjwVb9J3FydpOn2F5U9h83Uj5K0S1rMFYfzGJeWHLUXCJfu5aFtKVMLOYEscnrsREpa5TFym5h/8AtJMUvq2StMoTS/QlVpA1HilTKm2qJSd2iW17srRQPyxhocKJlLqVPJuE0icLbLrU8FlamJ5MjXDXQWqaOxElWb6Dez+w3PZDWn+Mv0IyhNqVlIdV9j2qETrg9dSIkr6E/Mp+3L7nI4w5zWxdr8CXEehTyXlEK9F1Fx53OqOOvLk4jXqZnb5jXKvyNx5NZ6EK3ORqTlxKi1fVofLlm05wpwjya/avnRxi01NiTUdEYlXPrgT2M4lwS1TmZyzM7dB4mGNccbsaw2/JKZqBKUuTeErKTevyOMudfUrORcvFwQtKE3lMV1bHfoOXDevQhXP0F/4uZWrRWNWTyxuU6VpCUqXla9hOqpM5Nqdu5a7kk7jLVDS1IeWN6YjqRqlFihwmNN4oT42LTSCM9SU86EvGouKpxJMdkSqhNT8F5S+OKyLrgs7ipTIp5e5uI2SFy4qlMs65+Y7cpLvOop/lgfHjjTQuyXTwuxx8ri63FOttYFFt6/8AiNzBmawVni7XUehGI0J2q9yc05MS9icrivmTq8CaU9Spl7Dex5TG8jbpTY7zfyGnUX8ht1DpHu7yXgbmFmhTMaHt4tvosi4clE53RCctqExeKtfyMy3NYaFx8lySXjK1aJ5ZWFk6k7ifzJfy2Q7jdmxCXkiUpM0NuloiMQXmci8apU7IULjNLJCM+px5ZX6DbtQRxeS8I4rGhC+fQabjYslUv0ImOOoocvEDc4whKVHGG30WhyaSTX7Ryr1Gm47iact0kLDcQeSvdFafIndw2Qrdz6j5RE6DcY16E7fUb9EiYpsci62l2I8fdyuXpWw2uMJ448Tj/X4KODbXL+TnRj1bx0LuZpkPK2GtHQq7yNVWrEo8m9ZK9dh8Wvc3M5Fy408rc8m5l0tup0/BKc6RqPi1DQ06aJKIktydDGXhD6I+zHOHQ3xzqt2i3jC6jc2LqfYjDSsS1jXY9rVP7ni9FCWkjeqoS2r0GqaJ3FuX6C48cj4t9Uh8ufL3TXGM9SkRxtKMjnKyluTPYesajlvx5YSIXFSlEng1FXA0sN16CUSsuRVWwq9sxIkv8gSWv4N+hMKMSmdCEhveb26ELFJ9uJ/2cP7Z5pKeEQ/Jv9DjybqPKhQnnJKtrCGnncxNzJLcJ5HKrUtRxSq9dz/xeJ+Q0/36ND1X4LdOmjlx5Qrmqjl/qex2naf3E2ompWTy5Z+xC1IWSYtDncr5kctXkaylZd19WWs256krumhj11rHwSTyTbbeoq7o8kl4p64fInXRErCyiW1DIWempSzfoQ7bFY7yOrVNmJI8dZXZ4Nn9z+tpzyS96SiHJOFt1RQlGCW8Z/Qbzw5U2L+N5Fxap36MlU3bFGltM66JHjxwmeMXKH1yU8HXCRxbwn9SFZG+o9v8yLisxM9SnLyy3bIkfBa5b2RyVvxUv5xI1yUtbdSVa430HFrQjDw1GGd3Dnc8XHcnjblTuLg34xFIh2h8ljppIuVpxc77juUtSF89CJkul8PJ3GhySflxn28t1ueP9vLxUO8eg0ljHYuoIjuSqcZHLxSN4E24U0hx7doLzUI85XiuT4xrd4PbTX4JyydRTrQr6ELUpXoWLklh/gSeHkiMufRnlxtaDhD5co/cl4/y7i8aeq07j4p7NsfLV6C8b4pSmRcbi1aJw8/I88zkUbST6ye2PLRzgSz5ajfLita0OfL+xcvJr/5tf8uvQt5HFjaWlkLJDp6ihW8sanAlLm2zxVLEdBxEZW427f66k58bZK+XT4cOXDlKSsl2icXSKzhnlpiyXh0n1RCzhkdKZvuzydLND6HucbD0m184E0p0c/cj7nkvQxfXIknD2H50uLji2RmDxSnd7EKkTriCM9DyWMEE7IXLf7kvHElry6G1kxehLtPQXGIeiXWx8uPu0hCTzbv7C5U0JNTzbb9Gzkmp2PFU0Zl6voVlERe/Qq5E57ohOZHGv2IPdTnTY42uyLs4uPJJy1iSal5SofksKmtxKuxa9UKFTHybmKgbTZDfu0ZG41x5Vq2cW8avodENpU6jsevtRioySsiRbrKWkkpQ+SvobpZf5M08oa4uNPmVd0Qq2F5Ybn1+Dn5lZifQlX1G9VlG+xMw3lbjaUJC33HxWJ8p1ZjvOg9tDyVMh7Qux7W24uohmJS0Fot+o+pxce3CaFGZQ9YOTaziNBtrOGVhaidJ8ds+pGXmDlZWXqe7TB0e+KwOVnXsJpU1bJyPoyW4UWh8n+2YXUa4+5ccx17kqluYlxJ5NSmsjhTERN3OCUJzf2HxdpuZ1FVLAvL9uqI4qVuKc69B1L0ZH8lkTqdEXcOiZyzpiynTEdBtoha2zOVA0nL1GolmLWBPU/IlF6vvY2p46DuEs9xxc5ZxejnvRLysDX/LMk7CjOkZHy5Nvlnk9yFgW2hWPh/ljghj4NSrcl9icCl2qgSwpjfI1a3RGJG88uWOhONJHVvDJdKKe44tOrPHLrPUjHRmJS/iJ8VaynjsX80JLDs8P6k+XJ04oX9vLm+XOUvGPbIuPG3PuaFx0wl0JitTk/7ZaXHlySWW1EIt4x6DlQhzgnQXKLR3ycf6/LxXPkkn0Zz/AKk/J/1uK3JediMN/DsZU4KLI5OFuOM7/DOsyJccIbZjohJKGxbPJEbx06jqkTUt0uxEdSVUUJZZyXJXjZonLR5ZWYIVK6Ij1Q+MNvMil4rYcXsbuLOpDV/gh4L7jXjbIWVfyOV4VdSMakK+Tx3OHDXjbfU0h0+zFS7kqnuTMzqW53Nqbn8Hjs5nUVxxUv1jAnFR8jz/AK+T4codrUXD+zm+fHjam7fUXjmc9SMNYY5+m45yso+/cvOUvh0OTiePFeXKNOKI/wCTiegm3rCjpqNt23LfU+sieg4r/QT2yTySciStHlx1HNENUxuOglyWXXYlv/Y2Y50J8jGTJO+pdpFbwK6ddhQr366EO411Og1pQ4wPsNvGhHJyyqSE8Rlk6Ik6kZbJb9Rv69B74+RVTlii5kiP8RLcJOBxhKhK21mReSklUstGzFct46HLg4ammjlH1Nltv6kNRFNLToTEqfodxpum/kLlycbqNCUNP6kO9fgucTDU8Z/cpwxt6tv5lqehPw8pGmp6ERUy0fcV2Qsoeh1LUNoTm+pXv4cKS33Jajtgl46EzjCKcP8AUSzu9Rq1sJcZb6kbfCXerRJbsh0JaF7niu5Gv4LzgUKll7lkLBgfUXGYT1ZDt4Iy2Pk6WiHOmD8EqfU8Zqp9BxLkc0/wJt5cJ7slKkTEN6C0Es3ckLGxwmnLb7GR+XZCl5x0FUyssaWFlol3sjjydJxKZWJyeOdZIIg8YLH5cZ5csLQ8k/FyqefQt64Eoo+yOpdSTENWba+o/KIdJ9RJKJyS2R5QiXhMfiokjO5MGwljUaKOg+hd/COWFubLWB/9Tb/rX7W8ma17kJQi8krIrn4RsTCbMfIh70XaFJCU1PyHwrk1tcyf/TLiF23Ij3bfc49NNPbuQ3AnMy4+Ra6p7olGe5L7IX0/1JdxR4u1N7iWhKJd8vwYXirmOskPOe50lVsPy0saa7QQ9Ttqx6TgTmGv3dhPfDG36IhZWpJTPc7JWFka0MqlLkU+1a6l5IWqsjKKpdPhRKE5rY6vJsO5ehiSZg89G4TOxKtvJ1OqFUwyconXQvXUjHQUdyX8xNXuV/soJX13FOeVwLjFK56o8vmN4cUXl3kbmk6+5Ex/iNoKvYSedXsK71nYbdJV6kKGuCtvI2lbOMKIyvUnj+0bdaSzxuZ0Fcbt4RHJ0hNOWra9Dq3Y+OFxweL/AG5SI3VvoTvoUp29Baak8n2Jdt6GDqUiEne405dGY47DcwNrJtBf7YyTn4VpkbRMGKE9yrjJep46LB9zxnsOPmddexkuludNB7QL77GZcG/QxE4RE28dh83PgsdyeSl4TIXyHrX1FuOf3LK7GzZsTNCdxE9SnK1IVwO8I5TqrnAlpB64O2R8lroQ3+2VK+4uLftVvqLxqf5dRxnPKdTx/kNzMj8uy/UrM/QriNJ1qh+Tc3nQSzPw6iacNaimkU4bwiXmMFqyE/8Ac9ziMwTriGL+tLuydfoc+cpeCl9SYK7m7ZWI+RHzHNJfU6YSwS8u2tvhJ0OxitWRH+M6FHQzWC9B8utdiVl0eJvBatjefGWx+7oiY0wLR7dthPc411bGJq5s5XheglwSTcPkJNu8pbE4REdJ6jj1EuVKajoQ3behAuLbza07DXKtkVjfSVoPqOXOHWg+GCeGmTbUvBGpZDWSIJ1WRNW9tiXPu0EohkPA0silxFTuUs3J3yO6dR9hQ1gdTOfhOu3waVwcYU8eNspOrfTuJZSssh66Dlz0Id9C8/odD7G/c9Y+DXH5F/xcpbjbd/BQo5fqNqXpAqh5ssXQ5X//ADxx/wDYvBLpTMfqNKlxf3IShbChWtUJ/uerLtJWuw1vT6DSxqyOPrJKaUfUlO1qJpxuyu8jlzt0ZxcwsIxMuH2E88WohuylS0LEsPUnCY7Ho1YuStJ4epKroLkleovwSsKpJrsJfyzYllrKGlCazA0n+4zS03HCV5G9kKcDgcXiWN+rEo6t6+o40ytyOk/CVMRrmdRaT+B+NPUXXUhPpI0lJepfdncTnBPFWtBJ3r8i1cnjpFvNkUm4/wByvdy11Pcpn6FD8lPlMr0gpR0HFp57lrP3G+fHD0ojRvJHoNYiZ7jmkxpOexMyfYa9E/qU51Y6lrUhqkRosLqNclMYeg1Eyi9jH+5jJGiwhThF0pO5G+RLEa9D27ZLWNNzFvQmcfMibiOpu8M5K6M5G2Qn3Q28rQqpZC1MZr0PDL1jIliTfjuVrJDqCZ9xedSqZ7nEH2PwQvkJY2E5zoQLR6EK5J3E/wDIJ4tptOWsw1YmsdTpqLl+1P8Ab1uCHe3wVqLrVl0tu4uEZp/qOcOixtqehMTxQ+NdieV9O53pImUppovSiNNe54+KXLlHJcp01UCbeCU42Iydy3LE0RvgcYMYKU8mNP8AxEJUti8EpxUPseUVoxy/FR3F41RTpntzruTlk4nTsSPWLIdT84E+OMRsfkkWgpVt1A6wTFKx8ps66F2dxau5E0oZTsmOxLbS1+Yl/X/W+LVLlJtJHzZ/4/5REXORTDaVfI8Vb1FxhrwpbQRiNRPajinhOSVqNNJSs6qhcmpkl8pqhXbRHG2ydnknlh56DTfimv8AIE8+WpMOHXSjo9Dy2E9BuoWR6v4dCYopEOuM5HGdGeM9ZwKcVZ7qlj8X5LfrsWs1R4uaxLJjsRh6voe141Ym8ojCzJDdn3I3J+RKbTf+IV3qRMwRrAlsRqQopRRGu4oUDqLEtNBvfB7tLknKZ1No0M92btDjP5G3cCeETdY6i4vj4vLgnbDG+WXueM41PPxXFtKuKqtSlaTlY0HOtHupcVS6C8n7m4+dHi+Mvi5nTx2G00uTf30PHlD/ADqWoT1WgnyXk9ZEsdBq3xz+DeDqtCsRDLuXaG9PqYtZZg6Dc0dIwYxgU8va1Z4wkl8pH5O1R+2em47bi2+4uXFw3DZCzGpD+Y3002R7ol6wL8ijKcX0J45eRJ5dNIWywNcs5FuXnJKyRiNRvL0e+4vL9s2lklOZN/8AQnX4KFoq6o6PJWDNkum89jdDSrWhrexxueWFovySlPHPyI/svlqxcYqqJ01HTPKaaPJOsHloxzBM3vkc716HlxqLXcTL9BNa036EtaQRKRmZOhO5ehOJNxN51RC9CCMdS+vYUe7is8hKmppCpqrgUvJ4+sfkuo0M2Vq7JbvT1PdPTuNupw9hS5b2KyhNO8ucDeehOIyUO6J45IW0WNcFi4Z4tWrLep2I+ZKwQty6JnTDE0/QjR5N51JQoWCNdDknh4Rw/rbnjxnx/JD9CIh6ET7hTq8kK0jxVajSnx+gnNLKEohfUUPFzJWRT8IT9COV/qSsmaassSz1+DXJWtyXpYmnS0Nm3RDyxpU3VEvtJb9uqRM50Fyeg287dyYh9B8uVtYW5E3se76njxczhnKU+guLVf4yUoX1o8re7Hy4vGm8kLA2nqYsxZ13ZLtkzED5NzWdbJ6C8cZISEyaJ0wJtynmNCmm18j7+pFuTBGjydMniS+y6DediMsUUsPsJTRQ3wdsjyhVWhGXuZmcnlxnx3HsnC+Q3GWPisbntpuhy8FlYO2SIG3gnk5b1E4mRN0xvkVkTWGeMT0EuKly5I1OT/dxVvshtZn4TNawVW55bPG4otj8XXISeFbjqPjjLTPCfasLSyv26rc8UryPiSlJ66DUUrkzkX1PGVylJ11KqaIxBbicHT4RniLiksdqSJeFoeWiikLjAlt9zZtm0DFOuSfojNkpxDgmKEv5aHtyS/QbesDhYIeGPSyIohk6Khv+RbyXdHQ8lcD3e5DuD7EJN/2eTb5f8VGEKXKacoST90pG816i4pWzVNmLGuLa4u+UVJOgpw8tDm0Sl7U4Y4XzPF7i4zben5IeV9j/AItnilnA9oOPjCaUN72Z0hihU0bQXoRGLonL0KF8zfl9i6gSd60Tgr07ExLFd4ZGmpd9SUoWsktRoeWkkzfQ36DXw26Dlyhxqtepxhvyj3bT09BvTC6HYz3JwhK227/UXFvGDNnW6L62bjhUySlayi1eoy7ybDS11Gne4mnnC7i0nfqQ8k8ngfRC44aslqVOgna0TG8bdT2vFdB+Tif9jy4VukvoRhiSaS3eh23JZP0+DIz0HoXrsTjxGk4Syz/MHp6ja5f4hu5167ERJSw7G88FhEbC5z36QJcULbUiZrJGZLyjq2YnQnEZ+DuII13FLmNCVSI1wQrRarjA9dkTqTBEXEkbGMHV7blqYKcdhvMfkaFGpQnVaCb1dT0FLlajStK4Jf8AiPHrUibUSNLGzIxOGKqeN2ZlzTJW4n6J7kcnSzBCWNSW8EK1ozH+wq9s40KJbvVDfF9TxVQS2M9lpROg+LV6nlqqHLSjKYoeTi275KYWk4k2bK+pKUdC7ZCzqSk8xBy/tiP6uL8ZITnk9jqisfDroOHCRRJDFPp8Lv4LkscSUTn4bMa9JJnNoZitzpGSYqDdIU94JT7CnTUauEOHmUheLhcVqNxPQVxxdi8XLatLUlKFOouL+Ww8uLguVq4IX7V+0c2W81PYn6E8SGpZ9KKNyd4olaCe/wDsToJeK8VbjUnlrddRJr8FWRU7iU2jy1LPL4Tx+R7Z8cLvI/6J9nLkuTXVH5HKmcC0bIfyOpOe5PHYhU8/B9dzsRvZawU4ljSUvPqbayWq0JdQbFODQnT9BrTQVytH2KWmB+WpolPqY1+hmW4Q+L/do0Li3M5RCl/7j46xgXKW5+h5Np3HHXJdZfUnSRQ5SydENSoWSEu5MYZo5shYFC9dj/NyFkUqx8kqWSsIr1IeNESsGSJv6EacthcojlqfcR+DqJx/9VHF7eHFUZjbuLxebaIHvsIU5WhRLeDNYL0Eulk8X3Hx3YnsNuiqWUht64EmpgabjaNyJp5HO/whK1qeM5yytMGst0StRL93Ic09CUyckL2ttWS8LD1gUZyeTzA+T9SVphaF3ChdNxS621HBHyZH8nqRyidILufhUPYc+h05asT0VpELci2l9zxarLaHy+glhST/AIkdyd87jm1uSsGKIWdDsdNydJMkzRKuSE4nA0n5NwR44+ZLrsZrEdER60P6iYuKWcLuXfUhdbYlpTOS2ISskz8HFCf8nofclqiEsk7ZEo9ukbMlZHv+g+o+PF9IWguPFP26s8WlyerRMePJjfVkvBSozrMnK7VyPk3kiexW0tk5nMbjX1Og9SeU39DMwq7kzc57ifHOhCkmInU4p1Np9GStR32JTl5JmXF9z6EO+OhWTfQb616DvshrT/GX6EZQnMcfsPfQj5PY92ZKtl11OrG0vQtFCU5n6CfJ+pOjHyTjiqXX4V6kai6Ej5JVVMX3I0/UjTcm06b7kYWE1kb6a9CeTgXD+tS3MTsJK+bvm+rJR0RyXJLfjyieUrRELucPDj4NcVx53M8v+RmI+xTrR6DuVMwIXjE9XuTyrombzoTHudxuiHnZkqoKpEK1TLuqQ+TcRcC5Q22vSS3nQUqhceMy58ppIv6F+pOuxGylx0J23MxJMwsDjGxaoaWpDyxvTEdRNqVlIdV9j2qETrg9dSIkr6E/Mp+3L7nI4Q5zWxdr8CXDCG9tDYjQ3kgnUhrsx8XyrjcjfKk7UFU9kddiXULG57qSU2PlMrDnc4zlGaPsS6RKtM92fwROkjScpVOjkaVQJqrpEzHLZGY6bn7a3VzJPH147MbeeSz+CXVF43MjaeHhnuqNrGsJXBbVb9RJRO5Giyx8XRDyskz6l30IWpb7obX7nglULk13J5P02Hcbs2IS8kRqlAocJjTeKE+Ni00gjPUlPOhLxqLiqcSTHZEqoTUlC823xw/HIlOXRL+pWCy8kfUVOHqeW1NEGIjA07ay+4umep/7Ukx8eSvjcnin4xLTOPJKIViS9BrIuKfoLxeBzcV3P3XmSfLy5aif+QLklmqJtdIOLapKuP6jeW4Q8qKZupoq4PcvUh3RDcPEjh0yv29eh5Ze5tOSdcIiYJ0PJ4JWCicuMGdS7k6GMvCH0R9mSlJmht0tERiC8zkXjVKnZChcZpZIRn1OPLK/QbdqCOL/AHHRadTitMfMrXXoNOZ0MQsTuVg8cxkj+pv/AK5lLlmYsaQ5hQTydPBahuxvrKQk03zUzt0gnKaiCFEJzCyNpYtolYFNMbxH16k7uEe7K+py9qc6MS4ynz612OSx4659C09K2QnKhUnqNtJtLTUU6WmTmWSsMxepD+ZyaiBrxhPQ4tqnaXrqPyxAuTw8IXeJ3gh5Rv0FFHbBT9Dt9z2qXuVxhrKY5ox6kcql5GspWXdfVjnDob451W7RbxhdRubF1PsRhpWJaxrse1qn9zxeihLSR8tVSF0r0GqaJmZwcZ7JdTMPBxXFiUU3Ml667l30K1E50Pco2HqVfGMi/tfPjD5ePj/KumxC3zgUqBy71ncrGOpLWTOdDMxSE9dJO+R7VA3zmXUIlcX0nYmPZOHn1IePwLk/kKM6w9yHrEj44jEGY7iXJTf7vwOPQnc/ySqa/aKLbMpMhXuPRNQzxSSVWPQlcoTK9x5MhW99CJnr9y6Xw8ncaFrNuepK7poY9dax8Ek8k223qKu6PJJeKeuHyJ10RKwsoltQyM9tRQqd+hDt6CUxdbkz0ll6IlOWi6YriPuStWNKtkR9i2yIb67DiG2vlJKXR99xtOmtckxTVciHq86wStdRvTRDttZkfbOh1cT3J1IcQvdOvSCJisiYlyttttP6C5JNVBa8U3X5FySajXqRzXudpOva8ZP+Pbch5VsdU9zV2Llu9dhtubqhJ5VpFq3eco8kofQfkqWiZUy/oTLfQo8WqeCX+3lSf/lxIWcMjpTN92eTpZo5JPy4z7eW63PH+3l4qHePQaSxjsXUER3JVOMjl4pG8CbcKaQ49u0F5qEecrxXJ8Y1u8FU1+DyV8iXkUztW7E5zXY1SR5cVSeFljylnf0EuNT80Jcb1KXc/wA1Np0MQ9RPjT5OPVai8rT/ACTxShqmLk1PH+S6ExWkCjH1IXzHF8lobKoHP+SP5HufRIpxFniuUTBxbvxx3GtUOk+Wj6j4cnN3pkj+3lypQm55R46Wx6NQ2iP2yovQhk7YXQuyIjkmoe254um2TxUX3sblpKo3ZcQOOSWi9ckTeKQmnayJO4I8m+KtcdJJS8XzV9CrSy19zNPKGuLjT5j3R7nGw9JtfOBNKbhz9yPueS9DF9ciScPYfnS4uOLZGYPFKd3sQqROuIPHOsHmlWIGqh0TFaidR16HRWJ8+C/t4Z8W2s60Pkk03icxsXnoPZwhvRV1HGrqMotSlHqSk/uJNxyWBTD2S6jbvRLYhSszt2J5fJbo/9k="; ol_filter_Texture_Image.rust = "data:image/jpeg;base64,/9j/4AAQSkZJRgABAQEBOgE6AAD/2wBDACgcHiMeGSgjISMtKygwPGRBPDc3PHtYXUlkkYCZlo+AjIqgtObDoKrarYqMyP/L2u71////m8H////6/+b9//j/2wBDASstLTw1PHZBQXb4pYyl+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj4+Pj/wgARCAIAAgADAREAAhEBAxEB/8QAFwABAQEBAAAAAAAAAAAAAAAAAQACA//EABcBAQEBAQAAAAAAAAAAAAAAAAABAgP/2gAMAwEAAhADEAAAAWARLWcWalc6C1nNiREMKwY0LqxsxZqUlItTJqxGWHNJoAyqUFgutZNYQKwGmIAsYV1KyySsoBZ03JUQGhsxZWMsJiyEiGWEpaIKrMyoFLWRpEVyOaLRlQTJLdOekDQWZRXRGSslYZUilZYimiKwKwjVIXOdSGVCwEiGWGWlrIJawlrAQhrRCmDU0FEpAoWpawkFhYyoEaXKVUIywjKZrRLSwWVlGV0jqZ1nWdIWFkRpcorRDLCZKWKyAgE0FgazqAJYBLWSyCyIjRkBIK1Ealgs1nRLRKSxFrKZKNamdZZdS1mbISURKJYZWLUM2VsElEFSQslZQpWBawuYKQsZSyEBEyFjKkbzrNyzTLmFSWKpKyItZLEZYLIQEilLNy0oJiXVgViBQrBZFLkhlg1mgVsBILIiIQI0UtKwLoCh1As6gs1YEFhYy6lzqSMpZGpQiISIJUBsAEZZM1opcEUrcixXJVKlArYWRCQCaxsjWpEIEEJKJldWSFFiOdVyUyxEMS1gRERFLWBEairJCZKWldZiABIVEQsRMkMsalzLqxsyWdRoCAbMyw2ZsTUtK3IsREiohUAgJBLWRFZrNqzZSsZqELKVgqWRIiIQsilZYhExYjKgaCMhTArYIqyySxWUJAVgVQJLERAJJqUWsBjNQy1hZSoFZCAy1kQEMsUugJGoyQmpcorGYaiNQLEFiREZsiEgSWIiKxlZWW1nMqmKhgqELKWsSlLIhICFSE1LGU1UZEozWjJoZcjLCAiFhYy1gFkUQUkMoalLGWspSXRmW1nKVJAJERBZEQkMoREalkKBCylQECIYlpYQIrKxITFkUsVgalBimtWQBKmZSWstZisiIRIzZERGpSylrKWI1LJmkTJWMsMZqISlhliANZrGVAzZDLBYxqaLKWlbI3LgJcyhF0wxozYCQkQWRCREsURGpQrIYzUaAgElIRiWKwDWZWIjNiUFRqUEM6SsClJaUWJDedMq5srEZQLEiEBIhlgGFWV1klU51GjIgRCQyxBZQakQylgIylgMtZqUlAGXMpKqmRQs1vDLmysRlzZCRAIkRqWHNqjMvSxMmLEZc2QEREIlBTBRZFFQJEAy1jLAZLOnNysujKJD05spZWBERCREalhLOmylrITCaWMWRqXNiBVRCIFFUQIUxVDKWAkRS6MlKZ0SixJAaLpz1KWVkBCBEIjKlLSqFdJc2RGTUpZmxlzZoyFMQgIwVEFgJAaACNSwCMpKZouVkQpSGysbIgsCNAAjFTLSstZEMVBFKlYIUEQxLFZQmaQKwECECEilQsZbOjNlyFdEyRWIpakbMBYEREQjLQqFEujFkaHOiysiCylkFSIkqLGUQqICEhASKWEc6JQAGzRmzQZrVYWIgBERWQyoEEsUsVkWbK6zCQEUS1lLWVgVlKmbIiIiISIpYjUpLAZsaYrNBKWEugEzZGpaKwpIiIZSWlDVkZirRFYFLEUVSVFiCSwWIAIkRAMshTKjLkrArEBKWsCzoldZhlM2NbzQgtZEOaKSw2IkAGkyuzJGRsglrKyIjNmgEyQkRGpYLKJUgCyEBNSgmcbi1ndlnXONVqyBBYiGBSWGwNAJWGahqAEMqZErKwKwEgEiIiGWsCIhAiNygWMupaXMZldS1npKylmSGMqgjVLBArQiQGigrOssoRSxEVlZqUszZEICMpZEIEQUxEREagoNS6zrESyO8hqUNAGdNmjNkAwLJKStgJWRBZSgSwy1kojvDnRYWQgVUalgsSM0wBSjLERCQjK50GYDW80sjNZN2EoWshCMtGVSIrEgAM2UKoYiAd4QCyGWsLGXWdRnWWWCyArJZGWECNAMupSMqy2sxEIJKBYgJSsqSKlgUFMC5lZQklSqKLWWySoNZtqZs1Ky5ltZiM2aAKko0oRGgIV6YoYlFdZJWyshlDI2REMsIhKEEVQBLDKEJGSV1h1llzZqXUtZjWUcbC1kEzZoyJmxKVIjUsFjLqUgWGzUuLIClgKJaxsbAhlZc2JShQCtKAQkZGqV3zisc3StmbM2blJYxYhZEQgJEQiUqOdBGVbklSAgKIZSwpsRMo1qWCWGJSCVAzboUwoKKVskNmzNmdZhlhlzZmyETNjLoCISGVHOoJcWaKUsbCWCIiqlrGW1llyNhYmpaWA1BNAGVSgsF1IgpY2QmrMbwyspZAZ1lVjNkMujKS6IhljUtLQUCBWUqMCyZWRqgsapSKzNasRlgHNFoyoJkjQwFTrIEbrO8RrOkxZGbI0FgMujKKpEMqMtLABoyURqiBQRRrMFCIVS1kaRFcWazoKJSBQrIzNCardyoLJayVqVjNQWZKyEpUCrURqViWgWiqEhKMkqNkZlSsEFrMiENaIUxWs6gCWAVLmlzKG7GxsiM6yms6LCylzYmbIZYiqjRGpdShShRLWIGilkyoaCWWSspSyuaggE0FgMoUrAtYWEtnWV0jcupGkyGpGpYLKXNkQWS6iASITUrLSgxAKiJKplSXdmJVZGhA1YWQIKkhYrS5IZYNZpc50y9AQ1m1KXVmSsZWVTNBiyELGWIiI0RqVlpQJUrKWsYFbMy0sIStkpZJazUoFCsFiUuCKVuRaXK6zWxg1K5lbARzqILCzNkFjKkFgMqalZaylZQpSVsBSIlBlbApQVrC5rGwARlkzUJkpaV1kLOiylZXNbKyo1lIZUAM2JmwESArKVGNS5rUtLRVZ0Ks1gUoqisBEaAN4isCI1FWSGM1CBDnWdZc6M61LqxQrOsxqVsyIGbM2VjKgRoAEjUoIyma0TVLAlYoTVYjLASqGs1yLWRFZrNqzZSsZqGWsBlLCVLHTaMZM2a1EyRoLM2FkQgRCQyiaUKzWdEtFNBLJFZSw1SiaAtZtQSIBJNSi1lKpioYKhMlLqWxvSC5FCneEJayTOoylkIGilgsZUilLNS0uYas6BKgQh1KArItZiIiKxlZWW1nON2s5SpICIJYc61mihk3vFYS1jYS1kQWJEMKhAIykKxCgrKWFagKysCILGKmUNSljLWUpLo551WWsxWQCBSwZ1KwKHTfMzWw1ApUiC5a1KVIyxARDLFLCBFZWJCYsilisDUoMU1qyAJUzLmWLphjRmwEClJaylc7ybudayymskoRCQ2BoyRoBjNRCUsMsQBrNYyoGbIZYLGNTRZS0rZG5cBLmUWQ3nTKubKylizcUmpaakd4TWdAmQ1nUqUrrNKpzqNGRASUhGJYrANZlYiM2JQVGpQQzpKwKUlpRQULNbwy5srGJcgEuhlB1lIl3mmswlKS9LEyYsRlzZARCQyxBZQakQylgIylgMtZqUlAGXMpKqmUSHpzZRLUCIAlbHOmKmWHWcmpdEQmE0sYsjUubECIiESgpgosiioEiAZaxlgMlnTm5WXRkDRdOWpSwsQIgEpdEUpLpEQrpLmyIyalLM2MubECqiEQKKogQpiqGUsBIil0ZKUzolFhAklbm1lsLIgqNQEIysoMK1kQxUEUqVghSZCmIQEYKiCwEgNABGpYBGUlM0XKwimVh3zQ1mIgphAhGWEpUCljRiyNDnRZWRGbIhiWKyhM0gVgIEIEJFKhYy2dWbS4UrpGTNJdOSJmwqhECqhI1LRVSwFNSVkWbK6zCQWUsgqRElRYyiFRAQkICRSwms6zmikoIGabHfONEYsREAISGVIoVJaWGyMxVoisCIolrKWsrArKVM2REREQkQyhGs0mqMzWTVUZrW+dZS1hYWMqAkFUJGpSzUtnRAsNiJABpMrERRVJUWIJLBYgAiREArRWUvTOqMSq4liLWXWCgrEyaIKiispURlLGVzcyyw2BoBKwzU1WSMjZBLWVkRGbNAJkhIiNSwCOaqZuZRYt4rArIrKWsiCzcoFkUqalBNZ0GYlaESA0UFVgBDKmRKysCsBIBIiIhlhI1nQGaSiodOZK2FlDQSVQVqAK1EMrLEJShJKStgJWRGbGUIpYiKys1KWZsiEBGUsiEpY0MpKZuFl1rmS2pWZGVAQ1kqRlQI1LZ0jZCRS5ECKxIAKylAlhlrJRHeHOiwsrGUCxlSA0RDLGpSUlwtZplosjMqRDYBZojJohlpaHUglpUiRUsCgpgUiUKoYiAd4QCwNARGgIhIZUZSWlwVmrKWKUsrECErCwGVlSCzUubIZUpSxCUIIqgCVlCSVKootZbJKzNQWMsJAIjKwrBKRUayy4s1Ky2s4sRlZYNZgIRzqlbApazVhKIUy6lxYlKFACwyhCRkldYdZZc6ygVUQgRoDUupYgloKLA1GdSltZgs1ms1s56yERCONwwBTrMQy4sTUsEsMS5KUAhIyNEut84NZpawslY0ZI0AmpWKaCKCozG9QlUNTFnTOsy0a3nFkQkbzoCXMu7KwCxlzK2FialpYCzSVAzboUwoNlvmmbETNQxERGiGVjU1kBlLA//EACAQAAEDBAMBAQAAAAAAAAAAAAERQFAAECAwMUFgIXD/2gAIAQEAAQUCos1v8180mku1YHV1icj9bAsemYemTMArkQR9Qssl0xX8HV+YNfMiDHgA8XJXJrmiPAEzQulh4FYHpyLHFPAGHWlsJvjIwBeo/WGRgtLEmutPydWcGPfoUsGpdpsDRdPwiEEGckoGl0mw0rAoz5pN4eJgd/WJ3liFEGsELJj8nC/EEOS5FGF7cDE6i6PLYXNjq5dGB7yST7OkTIjzuXwJYB6IMQSuyH6uVoZky5uLpYeBWbFjij/q5enz6eDESXRw6ZrS6V8z3PlkMVlDimRkkslJY3XEiNFgaNL8YKtLsR+KPzMIaI3GkoGlh+cenhsNKsv/xAAhEQABBAIDAQEBAQAAAAAAAAABABFAUDBgAhAgcDEhQf/aAAgBAwEBPwGEI/Ls3piDAaMnOEfIwG4GA3D6E9uPtR+AnQToHJC/NyPhBtxrjI7eAm+Qm3NUaA6AfLdi4NI03/dBZNMMFpTbq9Z/dSerHhoQ8mWNAGMRQiuN8OghOHt08p6VoJGITn9unTp5L+ScDRnhnF+J0/YsjiA7PKz5IYQU6J6FkYD6CKgaRy0Am3Exkas6AS9+Tfk3QpThMd+jelDM0wxScL0RlP4aiOgn9mCG0Awx4//EACERAAEEAgMBAQEBAAAAAAAAAAEAEUBQIDACEGBwITFB/9oACAECAQE/AZLZlNo49iW1EN42ijA3lDE6B4AULR28QLE+Uf4sPgI+A8Ub8XJ+ECS6eaaJkLl0MRVN4AlOh8gFuKY4DMQnzHgBi/ZuBSPi9sNYjunTzBBfMprhvHtm1L+eSaeIDwjiMnimjG0QDqCMUoLl4AozjRNSvBGozmzZMmTdNHbEDQ8ZoY1f1Mm7N4T2ONnxR0lMgOjZDyJqD4gSXT0wElkJpmOhiKYeAF+L9ro7XkDSI7NANeEdzxXzEUDS1EIxwbB6IShsMv8AyYdZ0PAH7H//xAAcEAACAgIDAAAAAAAAAAAAAAAhgDFQEWBwkKD/2gAIAQEABj8C8HUuMKwJ9lxwrwYuegYc4nQBbxvH/8QAJBAAAgIDAQADAQADAQEAAAAAAAEQESExQSBRYXEwgaGxQJH/2gAIAQEAAT8huHId4hDVCWRrEajXjZo6aYLvmS62XC6LFspcLplCwYs+0UGg6qkLNIvNDlCLdGqhRU4hQ42vGy42vsX6MTVUMTNoevehIqP8ynwLGITMliO+CdI/wNdLyPy0OnQ3/wARYhvyhMbizA0bNReIWhi/Bj1Ci8V/C8HCrKCz46ViLMQ2JyhmOw4fZsxfhKeX5Q4WorE5nhmhOSoocorGvNCcVnJRRT+BorwmM0I34qFgvM9H+C2X6uExIQ0JzdrxQsM3CEP+GDKEdjBWMC8O+rjkX6rFlxXwdhXlDyoUPZwqOedQoZfuzBh9ib4fY8sR+eFsYh6KKxKEOK81ZQjoi/CUbUL9NYeihQkNHD78ouEP+NjO/wA2dhQxSoZfpqMlYF+ZEJpF0O+hNjXTZ+wzon/axzftbjSlyjsc8VPJpFGBrUU0X0WeKyfRrhboVjhxWTo4SHDQlNeXNS4ZwUcjo/Dmp30oooqisRZZcXaE6ZSetiWSjKN/RpiaeKHgeGX53GnjyvL9PwjEVDi4Yy4sfm/al6Liy2WhUz7I3oos7K0fgte7/lUKNMZXguyseGdGseXPYeYX8HG9lFVKpKLoYiy8eEP+dMrBS5FtF9L8bY18CXm68KaxNCUaGdHCEx+dr3qKhpV7qUf9NIooZ0vPjsci5c0amxwo5HR68HsvH82IuLpelvxeYTyfZhFj78mzhyH8jnvh+6lHIqGbk9j/ALt+lCGWfJjaYnwvw2oR2VN/xUoSNMpeIUSjo/Nl+0c8uORT6VPJWh6Ns0xCFvxf9KZWDFYPwdot7+RfEnBQ/wCS/i/F4qaihiNnSy5oa9X/AA/6aQk2WKa6Jew5TpHYqof8cQ/D9ViaG9G5YtfYtClTflZNbELwtxhMb4h5e8lfLPgOORgfty/XPHJs2hLAx58HFTwWUUUUdFQ4UpxY2N2Mf5KcFgaLNjotnBL0/wDwa8KGWVbFln0hnBI6LJQnTOYjvpTU4LHosyKFXRrf835X89+KMWadmkb6bFo7K8n2NPOh1FRvxyayVNQ2+CbSOWyvFerHCivff4sqeFDVhrBWMl4yXgTyYedG/wCGjAhmT9lzqaahiyxPXYXpa8cGV4vxUs0bKModtmViyvdH2alM3w/xbj7K+0PY10wY+R/KZY3Lizkah+kJ/KMHR/yapLzgVDFPQl9R076cPM6Qv6M8WI/R10y3Kjfhz07mde+jLEPxw5CZkjVhmzppifEV9F3jQcfRlZKNQslR3yyo/XRZw747HYWV/BP0hwhi8XieGkdNOxZY0ixu4Nu8pDTGL7oaXC11MwPeJwbj/YozcNtCyNQ/FwtnD7mvCuVK0Pc68qNq/gWyk5bI46WyhQ/ox1MdcU2WbOmhwhiMFryprEs0l6UJJ7Gq0LRwrAvaryisHBirJTlWZOw2x34vJmz9irm/DG8CjIpsuNlFZKvsHUX9Q3HI4J1yeeOeEXZvRw7sflF/Rf0JpjQj8lM+5ahOemRry9nRi8P/AIYWxiKn9KQtn0KrN+/soXZ6M7Ff7JFq+5iz78VQ/qLVGT9E0NY81DVDQtjwxCHG1KOmSsH+g1UXiaGsQhOjJtxWPSOx0ZeYdXfSrhxZ9svI3OeE6GkfQYij2UaNiKs59iNZGseEaWxrytwtioOnlR3xWC5cai/SOyxfJ/yHwUPZ8qKEilFR+QtiQ/wsuxn6IxZ9ooNB1VIWaReaHPCpumJyljRQxwtleKqeeOw9iVmB+ch4K6VXRMiP8CP0tRdFi2UuF0yhYknSP8DXS8jghF4P8nRDUchCxDki/GamjhsSplZlmOuylgeBPAlbFd1Tsz0+jqP8CxsvEsUJmSxHYTlDMdhiLPx4YxFxf9k/SfBbuEtnLKMq0fq4oSTaGl+jSfJSXTHjpWIsxDZpCN+6wNWJZyVk547GB+Pyfs74aoQp5GkcyM0haMbSLyfg2ITwi42V34Goz8DRXhMc3HIvwkyqYvqNh7H4c3mKlYG7ctxcblCyioos3D0UxZW4f9i8fZd7hPx3xRWJQhylZgZe6wIawUV8Tcr+CGx+M7nN7Pmz74fAa8uPzwtjEPUM7Chy2S80YoepXCENUr4J4jPB7EpwkV4747D1ZU7EdHuHo+mVprh9i6X9zz+jlHRw9mxux4RpGUcEIp8NjOjebobtcWLQ3fu8nbl7wbK+I/Rsb+I2awdKfBYsGjnpbjSjo/D8ayfQ2q+haGkcnFiouhizHTE0aS6rcUZMx2OQ4XxNH7CuPqejlwzgo5Li4fh7Mj2kK7sZtHRlC8NT0PLEb8ocLI9whzocW44LZw+y8i35fhGIouyseHDlG2jWEXeBrA/iS6LEOKrpeIq9FCiiizeofnhXh7jSF/KoUaYyvBfjbGvgS82f9g2q+RR30yihShDlM5P7454Q/wCdMrBS5FtF9FsvPjvqxC3BCj9lC2MU14PflZXt+GlXupR/00iihmzhyH8j9XLyxJiQ0byY+Yo1NTuT2Xj+HJYi4uvS34vMJ5Pswix9+YbUI7KhjFNLZYquEvlMrtsZf6JJoSKpjq8GyiUdH/dv0oQyz5MbTE+FztmmIQt+LGPxcVY0xN3BmirOH4ZRb38i+JOCh+bL9o55ccin0qeStD0dLLLihrE15qeiYsWfBJssU10S9hynSOj/AJL+L8XipqKGI2MWvsWhQxSnFSpoR+QtxhMb4h5e8lfLPgOOTVQ/44h+H6rE0N6NyyzRtwzn8didSixuxj/JTgsDRZsdFs4JGB+3L9c8cmzaEsDHn8eEhRvY1CY37XrBY9FmRQq6Nb/g/wDwaFKhllWxZdFcRyFOaKvxXlRyayVNQ2+CbSOWyv5vyv57ihwxZdOzStR0QoT+ROv2bh5leFrxowIZk/Zc16scKK999KOjyNPRobE0WfZivuaKhDxKlRR9mpTN8P8AFuPsr7Q9xqaahiyxPXYXpa8cHgqPobXCs3DFjOCfwi8D/fDEITlQ4eZ0hf0Z4sR+jXTBj5H8pljcuLORqH6QnjKjvl7o3F5huVl0PBZgqKQ/KheO+WVH66HXTLcqN+HPTuZ16R0qtwx/R/oP5Wha9KKjkXKKzg5cPEUbUYNx/sUZuG2izh3x2Owsr+Cf89o36rBovzWJQeH8qP0sWFMbZs6aHCGIwWhZGofi4Wzh9zXhJ7HC9OGo4dioqO5OmBgSTY1UqoT+R/KEXxjXTNl5M2fsVc3/AAU1iWaSmxynieCis+NOx5ZX0JWh6MfJVGhP7/0P7FfDP04pKxKfzF4F8rMF0x/ImmvgVlYwVjAvtDXwJo+5ahOWN4FGRTZcbKKz5vz9/wAVuz5BsYKcKNlGiyzgoR2Lp4yV8sC+2a04tC2fomhrHmo6ZGvL2dGKGc8PxThFRyPtnYyZCBeFFChR5RWRmt9GvsqtjVOmjQnWtCI+gxFHso0bEVY1Q0LY8MQhxtR8CLziKlDqbxFl/wAMowmRKuDo+4sMRd7H5VFWaP8AZWMGa+j74Y4cFsSH+Fl2M/RHPsRrI1jwjS2NTYir1F+C88KhDGdFP//aAAwDAQACAAMAAAAQMwSSMXW3Ja1izuptYRgzIqyQSV+SZhuZMtOJpSSuxreOt1rerzrvUPV+JRG1ORQZl4LV0OVKWwI02PwD8jjzmJNT2GGmiDlLa4+WCJ4oyFN1Ow2ESQCpSBtx2WiqRUZf1N4mpNI5eFZ6LXwfVKaTaRVyTOqNDw+/iuVpmpNpVqoxxKcSu1Kryq1vWqRl+G5pNNAuMqtW2BtixOMeI1r2ds+WSNxXNUt/X1YpzKWvxo2tVuTOxpxKWJGSJtyWhKq2xAkxz00o8mWSwSLJ3plzoVxuRtyyUJJD++HmZsZWfS+2qy/WXxxOeKNxNtxwrtiI+PIzVlSk2yT2GRSR7Jd2KNVrttmtXJSeOJoyyRsON/pJyOtR69KQkGqVtWSQa1OMrNd2O2whJ2NG8JGiz2QUANqX11zmeRRg+JKqq2uOt2vRuqROrl12koqRpgSutX2KqI26x1iuxdpwkuTcHnWJCqyOJKW9pz2OqZJRV9tR5Rupip3Aj5VZSSS2NpLxhNRVKSWBZdJ5xJuqPpdg7ZNtWWSTSKuJXG22OGRN6K97avJOMusHfZRJue2Romc1iWSWOihtbMNLxOyWSDI/jZtquRWrusqHqVi42TmPeONKR2NyJvjh2+5RxttVO4rIiIu2Od13BHVu1xpO1gp1OTGhKyMtBFxKUYul1eyVxptKUWJO2CBoWKOOy0/ypRFWU921mr3PLmRupBNzqql1NuJNOzZ71NcyNu2dKVqTgm1D2VlSLRqPOsRxxXxLOyZxO2RbyxSzVhxuRpsxtNuSWKSfAOtLg5BcFdq5ydR5OSyyRVNNpCWWrty4duomKojHWd5qKfaMJ2SqGSRIGhSW9pMv5TWNxQKe0NSpYQnf5ODyK1qtqIKSVJR9QOqdWOJW4Jd+23WAezW62KSWKB72RpHfFltRxSKpKUcRSS7flq0ixyKmOVOSW1h9syU2jBRJ1p1bimZfKNLBlOWSWy2SVKGwBKRWbfx15WwYf7EolYWpsWN2yV1SxqqS1GuP7KqqqoiUYRgzD6eCU2hRFtT+Su1T12pTD3z9z+ptrzrv4bRvktW21NR6NupUREbz0DP391resjjzZHicfs+VxJS0JTzzlqL5VOy8GPwDSQCoyLeqUKxyFq2GrRW3FNI5vU1Gew2EVKaSqz6n8RBSuI3ymo1DbX8eyoQOSXwfu1KpvDYxhhaszKSy1oUGhFcsXa0msKcSI1rynPjskw1tRyRu1pNC4DfVJ58lhOMexpxuPrbmG1tK21qO3eW6Ibb/ANeuVVbkzt6Ztm9qQYqTrqqsVgDlXABo76mY68EiyV8cUjjC/wALZJXZpY1e42POfV6BrEarL9bsl3X45qfUw+1B44HIlEevoQYZ3XYZFJHr0o01JpcLUpBU2s6637V5WDZa6snI61HPZDChOMJdhbE8oGKk1XYbFGEnY0bwkaKuXXAFPAtIo7XFXYr4kqqra463a9G6pE4edY6PJDQjE3G3PY6ojbrHWK7F2nCS5NyPlUvZJLWgIm3E1FWpklFX21HlG6mKncDtk+1U453KmElcbbYpJYFl0nnEm6o+l2AQFFF/ZY3TtzWJZJY4ZE3or3tq8k4y6wINPK1SXW1TmoepWLg6KG1sw0vE7JZKOjQyHU3xLZLXGoiIi7bZOY9440pHY3I2tqZIG1TZYZU85EJRi6U53XcEdW7XGm7U+J7lalZK3ZXHMVJT3bXV7JXGm0pRYkrf67lChFVLfjWmlfE27Z2avc8uZG6kE+YpOyb5lE4oBHIwr/U7ZFspWpOCbUPZWXLXl9HCo3balE5KJDwV2rnLFLNWHG5G2zZZXvZRB3daLTShGg9Z3mrJ1Hk5LLJFVc7En+f4XYBSr7KJLFJQ1Kkp9ownZGq6rElYYgO09WnZ3EqMmw7gl35hCd/k4a5cpU1EZe3ZJa6s7XWo3FGhRxHbdYB7d5VZrU7orq23ZLJFbFI2Y5nGnVtJLt+WolDZLH6q5kZ7lXm3LYotxCmlbBiKZl85Y4WY7HUca8LjPbb3LJWCEy2qiJR/sSiC3kyZZYncirT/xAAgEQADAQEAAwEBAQEBAAAAAAAAAREQICEwMUFRQHFh/9oACAEDAQE/EBa8WUfpbH/4PEJwbpBohSlEylKXlhH7h+lInkf0QsX0aJjyZBqYmUfoSyn3GTmDWrb09efB+Ru8XlCY2JiEMao+jQ+yGXx6EPEQnnKMXLYnlxZch4xFG9mz0C8a11jFySTGh+lPbkJy8eIW3G4Nn7kP0Yi+hMeJ0WeGvsij9Kx/BYmPp4sXDcLcZMS/eV0iVYsR4C+XllG8WP0rhY+FjHyhuDEhn0Wyk9CJkGoJ4xNoQTG8ax4tXC5W33If3i5CHwbvUxP7nwpT/ghix5B48WPIPp9vHryjEIo35LqXD4mQjxMo/GLX3BiQkQglkJ7Ln5r5uPq5S8p5e08vnZwxbOLy+byhDXbPJco/bMe0pRMuLZi9N9iEh/D9E5eMo9fL7uvZwi4unw/QuITUkj6NTfoxD5fuo9THyi9Ph9zITEieSEEhCeBPJ2/Sz8Fj16u1036kMRC5RcsSMQx9P1oQ10hj9Fx/OW+khiExjxE5T95Lb6VwkTwfo0P5qx80pS8r0XFlKKC6XwKn7qL64JCRClP0tHq+Y/Uh+y7BMXH0flFxr2pExE8k1D1exD1+1dUY06IfsRC5cew8DWfn+qiJRLunwJDEidrUJ8LHkIQanEyE/wAV1dKJjeMoy4+1wnnjGUYssH55nT5XsQspSlxsTE6MZBY0MhCbMWpC6GTII+kJjGUeL/AilKUbLnzKVQqExlxIZfQhDJrIMeQmsZD9H7l3RspeYIhK8jxL+6yZOk5jEPKWn0hfBSlGJY17lysbL1BLF8x4j4PGj9HkpBcTfmpDGyi2a1Mfc7Qy9zxieS5fBBsXgeUtEhohOKJ0YkN8UfpTwL3ofC4uwXjWQRB4hLwNjKJlFt5uMTFxN/R/B9wmLh+tC868JQ+vltDZemIbQ3ix+REIicwTyM/MQ1qEMaEsaF7ELEMYxLKKiG/XCcob2cf2IlIJDDU1MfN9yxiZS4hDTZH+jFyu56lqF4Y/gxCGxiF8xlHBffYsWI/NglyQ0QmXE+FwhdTWg0TyQQ0NYmU+jQ1z99S+a4kJEPg3xMQ3kGQaLC9JExLpkHyPhDHz89C4R5PG4W5Ml6aIIh9ExMuplKUvf0eTHiVxBsefpOJ6rMSGyEd1PUN5RiE4N0g0QpSi28vIMeXGMQmPHt4861CZCCx6xehoSJBk5g1qeXFlx/gWUZSiY3tG8++tehD2C4SZ5PId4YuW8QtuNwom9ePHqSH7H41wXKHysXjEWFo0hoa5eMWLhwWiQso8o3wh6vvT23LiH6WL6NePAjE0IaPok8Y+n0huD8iCxl8YpCakJDWQ+FL6Jq4PhceYJn/M/S4x8LGPlD+4huLH8GNEGN4sp9IeR/R4idISP3FjeRoeMWIS/hfxj++DwVPu0b9NGIRRvyU+BxvAvpCEGNaniGecbuobvNExvyXFixrEKfuSfCXyXwLzwxvHj183k/LPBUTxjxoaINCXFHs2cof3F41qta38PrC4Y2PLn5r7eJ4ynjPwg0NcQaIL6MXS1DxavC4aIfkxOKNjLyhDXY8eMSnzJrQ3HiGx58WziZcQ1SC1RlGylKMRpSl7QkP4fp9Gpv0YuKfwhKEyDW4iCG9Q8NQXCfCxcoo2UuG8TKN8LiE1KCE8CeTlEEl9Esn4sfw+sefRkGiwfK6Renw+5kJiRPJCCWMSMQx8I+DKfRKYj8E8do0yTaMfKH0um/UhiIXKLpP3ksT8FyH0kqpkUnnzlGUos/RofzVj9Fx/OW+khiExjxE5XwKn7qKUTKUQxkYxf1ldITKfpaPV8x80pS8r0XFlKKC5+j8ouNdUonxBrDQkTyTUPVj9SH7LsExcsaaYhi7TLqGheMuPYeBrPz2Iev2oXfwIYvRRYhPhY8hCDU/10RKJcrbOY1lH2uE88YyjFlg/PEyE/wAV1YXSx+WMV9Sz8FqQuhkybOnyvYhYnyh4hZSz1UotQhk1kGPEfSExjKPF70IQi8NzyMFPwvjt+O0LzicxiHlLT6QhNYyH6P3LhYt85+Q8fnPzKPtPUxcNb81IZfBSlGJY17lytW+WLV5H4JR/z1oaELU6MSG+KMbKLZrUx/4ixZMbEMWTH2lSYkWcXm43pTwL2rEPVnxUbPPDF5YxInkb5mpHgZSl4YhtDeLH5Ji4m/o/g/Q8XKxMR8iDZ9JdRca6QVKPyf8AcXcJwiEROYJ5Gfg8o+p45WoooJ+BLWVDgmkQMo8TKPP3GsXC7mIb2cf2IlJ/gQ8RXROj8DpFxCEx6hMhBJkIUo28T4XtWoXhj+D9q1Y/p5RD4LyvI1HqFjXKFixrhIaKXpC6nAxvz09b2iHi5lEhoa4fg3ekxsTxko/BP4Ih9ExMupExLpohPyPzlL60XPofgef/xAAgEQADAQADAQEBAQEBAAAAAAAAAREQICExMEFRYXFA/9oACAECAQE/EBiELGeE7ouTxjRRf7rGqKCiZSEIIf0QhNWJ2M/MJ/FsvQvMYkNdCerE8onjEF18G8iZJiLwRRPXsxLULFnouhKfFjQg0MYhpJ6uZiJ38GLGUvR+kEPJiEh5MeTT/BkEtvyGPvEJNWPibYmL4NDFkO/Cl4rEMYx8Er4JH5lPwQyfBix9Dxu6uZkF8Xi7eNDQuDELXrEKiJYikG/zi+TLMZRnYfs4oglwXxe0fJrELixKiGxYxZYX4MuVidGsQ0mNd4li4Hi+T72E+S1i84vKeiU+DfzPSE1D9xFKLFj4UuUurWTitWoYyCXRNb4LhcbLjRBd48ouSKIbGylHil+kz9Hi4zFs2ZCcZk5tZMXFD2iz3kvkxi95rJkF9bi2HWNEIPU8erhBIn0Y2I/BuKxYvgvktvBkx8JiId4sfJixspdbPBO74IfFC+TxataFxZOS4LncpcZeilHjDWUXJfN4tWsX0S+TEMbEsg8fBdoYhclfg9Yxe8mIXwghcZybEhjQmIo2UeQnY2FryE+L4Nl7PwQvdeLjBohOLFznCY6MfF+xw/NZPnRsbLkPwkFrxfJixi+MJlGKUYj08F0TE8fzbLjKXgtfuL5MWrguTeUeTlVBi+jKTJxp2J5+4vqxfKDG4N5+4s9z0UWUXJ6xrFjxZRt4VH6PLjZeK4P4ta+BZBoSGKE4L5tZ2NCIIeOhJxvJcWL5seQgkTEhoaFRdlG8TylKXg9bHp4XTes8KXEIgseUYvmxkIQRCZ7kIyhoRMbgiX4P0Yi6sQsbKMYvBFPwXF/WZCCRCcadh3Ixv+FxF18GS4hi2QsKTshCCG8Ty/R6xbCcqN4/cWMgusTPwXBjLx91sSIQfJYud5sXw/caGNzUxIaolkpINiZS48hIIbEuEEsfwNH79mL4Tg+x4hMeLGNiQvSDRCbOMxC4+SPwXouTKhPHrF82dNR0G6eLEhjQjEickMQljxRDLi8aN0U/RMYnrGIQ3iY/ox4xCeW5BwYl1xfH8KUvBiWXKTO4ylG+hBOneLi4P6PXiGJExjE0ioQ+L4rL8nSPT9ENjEhDGu8TIdn59Hjxn7qY3i6xCsp7rRO9fFvg+KfQmXrGJieNExCfePfPg8e1Rsp6JDFlxiTLlExonJsu0bFqGFxELWL0Wr5M/MYzohiVJFlyw924i5TwXGiah/RCE1bBCxMQsbhSiQtvC/KXGxLopVBkGhYxLGhY1RQUTKQhB7MS4PVkIIQydixCYyc09vRR4s6EMXCneJjZaIvBFE9eTHkxBohCawkLGhLivtRDEMQmN4uzobSOjoKcEPJiEhjGPhMayixYvddFq+NuM7HrxiLwYh94yIaE2/RMT4rFj1iFREhsaerITgxa/MT4LUshBjYz3khif9HB0YjwLvFwYhcmJUQw9keIUusUTKU9ITjOFKM6RcI/NfF4u8mIXBrELFrF5jEq8/oQiiJj8yHhTqHgTvxY2fmNZ4LqHjH/AKf6jx3yL5IYyCXRD0KIPpFKUQnrQhiFCCU+MGhLomPHqGO5f6WEJwQlwWrjMWMXSOzg3e0TExsTpRbOF+DF4MfeISPVieToSP8AnBCQsmfo8XNY1RiI39KJifCiZR+CHyesWMZS3hc/eSdiQicWMXuNxWLENOSYlcYhLLXtx5SkxicZRi4IJEyCFaQQguTGxH4eCd3wQ+DQv0xuvENiUqyjrEuCwnR8GLWQd4shCEeEsaITgxY2Uut4w1lFwb7KOhuhviPAhHh5lEyUXFi4snJcFzuUuMvRSj1doYhcGyURAbuM9Y1nUKi3YIXFi+iQ/ixDGxLIPHkJ2Nha8nZMSljELs8F66yCIQefghe68XwghcZybEhjQmIo2UfB+xw/NZCEyDEIqQhpfmTobhch+HgteLjBohOLFznCY6Me+nguiYnj4QaGuFE8JjZS8Fr9xfJixi+MJlGKUYseJpoYh82iZB9CZ7k407E8/cXyYtXBcm8o8nD3PYxej5sgxDGsWPFlG3hUfoxfVi+UGNwbz9xe8JK4nkFzfBrOxoRBDx0JOFxsvFcH8WtfAtQ8XSEOfJ5+j1senhdN8byXFi+bHj5LWPIS/KEHr9GIurELGeFLiEQWPKMXzYxj1iF2IkQ/RLmubH1kuIYtkLCjZRjF4Ip+C4v6vHsxRI/RdY/cnJ41rQzzl7rYkTshCCG8Ty/R8GPXjFKrxD6QuzwXfe34MTGPZBDYlwgkQg+Sxc78jHqGzsSxD0vg3C3GyXhOMxMfwNH7/wCFjEeuCQJiP8H0hDZRIXC6xWIhCcEMQljxRFx8kfgvRfBc2Maz2MJHhZrIfgnly4oyC6P+Yx8fwpS6y4vGjdFP0WQXK97Sj4MXY0N9jxEZ2NNlC6EmLGhrPD8xMo+D4rLjEsuUmdxicLi5zmxZ6IoNQ94H/Rii4MaKUbLMhCLGid6/q6R6fosXO73weLwqYmLsfT6Gq1jxPi9PEz8LlExonNvg+KCEusXBbNgxY9QnGUdExPPR6folyaEJiLBdl/oynguNE1su0bFqUNKQRSE+VGRJlH4IWf/EACYQAQADAQACAgMBAQADAQEAAAEAESExQVFhcRCBkaGxwdHw4fH/2gAIAQEAAT8QaJ3PEsmBLcXvuWYKv3GAUUea7Kpg2mcBU8hogCRlc2VSOv3Kp8x93BdjvnkAURsEFMn6gsr9epV4Cva7Oga/UCNaH3GvhIvjCXRrTyQNO179QQtQQ8/k6yk+4Tjkq5WrIAHTzUFiuQAiV79QLQfM/QSzpQuEQNv8nu48FOATFxN2A1Et68ygN3fx+BcDxqTHi7nwTzPhdxq85BxGAKMyhUupWu2bEsNsfUCs8y6wWWjpNCOJ5locllb9GANYB2rPdxF2j5g9RLIW9oJ5gzmR+Jdyp5hbzxBrKif1EYq659wMTkAqj+oa2Nx1Rb+4HMMdC31LdC/uJ4JZcuhmFfC/uMX38MPTJ95Lu475R9Sat0p8RHRjMd/uIxp/XZR4TxnvnqdPmNAFfuXbHxGHV+YoDhwT/wAQBYXFb2AFeXzfJVQ+Zlz92RVMNiCR1Gf4j4DV8vwxukWm5Kf/AElez9ww9kTFHfUXVbfqMN3btygFHfM9nfqVl+Z1cW4Wu/TE/wD7PEI1VlzxyH4KKo1xFLB+Yq1oeokPxEtv1Nsh2JvX39zGP8gNuv8AZxTAgsch1yWGeYDy4lm+IK75YzPNe51g3al3R67BZdj9QW+P3OfKFqlr2zVFz3HWjhyPYFsxupxSuw+3+wBWAD3HlV+4a1yaYRVTn6l05AKXk52Xdtk5i37lvt8S1a8QUb1jSeO9lxxPcg4Lkbg3k43sa8xeePucX4gorxBT6ZVzEUlpnqca/CTxXuXOpZ6YwqFxd0SdkVfMmmh/s9hIBV4ZajQH3HzJt2Zk1pYGlTRuVo0iUnRSRLUf5FS/Z4ilad1ibeWks2FkrK9RAfMaKvwHmFHNkYuUir2lmwaz+zyiytm1Fwg7ceKmAb9ksyUUS7O7OarGeQ7LDbycNcIqLFaMoTzQStncjZifRHCjEm4Gn1Dm3+DFLnzBfc8wixEVoytOx1su078QqlWrjql7pEf+CYAxUs8S6L8Mfcu4OnQgVcrG8ud8zAgb/XY2j5YBvq5Eb6Z2NBl5ssJ1lF9lsH0O1U8r8y7tfMo9XESjAK3vxKUp+yJn48xKfqXGWsfHqcdl/VxeQVad+H/Jo5MP1DFrLb9QYHbaiKTiGywwai56jivz5la/hlLLI3AFB9wJNpANiI3Y19y30RUHZ8jkNfiIjUaqcPmDGtgrsfHzyAozsf2TL3svHY+p4mH1BKxJaAOsM2fDkXJhcx2WuiPVzEV5fwRBPF+I10nfKQUUMTxAXt2D6LhzVsDgbefUUPslAqcw6nzMLR/cTxPkNzlIuVt1kT/Y8phyKCY9lBtLIDxGVBQ5ZNX8U2pEQg0bBNWkXjzAqj4jTpL+JeL5jUFuiKiV+pebC6yPReS+TNMTqNdqXC7lNxXFZsbv4i5U6lbBXiHh4i23c5sS2FwLaYQ4xLgWPM8rdn+zWYp58y4D08xPQ08y9EKR6dqUMBZoQRpjLDDAAYj/AJD0K9zxl1yAzO+4tKoAV2Xcdi5AYXE3YQCvM88nn8VZGuTGH6iaIc2CVrAWS/cvZ4XxLil82IcO+IHqJZNuTsV4+Ze+Zz+L8T6Tgxtj9fgnzE+YfEsO9mosz/4lDY7MXbqZVdJhdn6YjzkE9uWF1/YKosSpY7deSDGjT/2AKlBowapEr0X6g+TDJlv32AxFW+MaeQXyh+fMNC6KmrJ2DXwi5GYXBXqCCD5Z5HlzW8r5jy6gHZR4wK7Bi78TJ4Tkar5mC4UFx76nFy67NZyPhdsHsj6i1pIth7i3bBnEe5KvjLfid3cv5z1Crdqa4n8lfP8AkH0/5D2/xCj3Piei5Cx2J60lOMZyCH4hVvn1KNWX9xoMM+JwRsIlX7CELuwq2xs5YeHxLBpY+Iui+OwPwexgp25ehJS65AFpjQ/uLfgniNipiAtRMNHSKX5gHuO3rURMgqXvIG3O+IGxbmyqn1Ez8W2S3mU2UR+YOQ2zhX9Qbu+eo+kbIrLqdZhsyFZZko0GECdZaCV/2AvSz5jtwr6hfJVRuDnzEXtwtaIiOx+IdrkSsi+GVuJZ8nGA4vYh62+QoJ79RQb9+op878x4JAPh8x4HfmXooqFC+fJEVzjj/wCI4240dXHvqeMi8n+xMtMpDQ34Z9M85L2Y8i1LePwwvvqKJ2fDFrJ8yrLuBk6siSgd2ApTlygrpImx+5hXY+yaNTrh2cKnwYvk2wOJeBW+ZWfit5MH4GvwKHYlXD4ltuVvZqzRyeNlqZE0WZBxj3myz/yQNakUolELHJsuNUzjnPuYYLw2MSqlgqY8f2Nxn3EyDKKu5Vd/Hu3CeYuVGZ4v8D4jPAQsxpI9nzLKcexY65z1FH1LHpc9Kiuj4ayVvWWh9QvZ2EdKEZtDJan1CjRuNMqYUn1Fsg/hUj4lj4iZAajPNSjnl5EsuVHNpVyxj5g/LJeoRSwSp1UeR37gFbErmw8lFTDpsGVd0y8CdJRhHWbA3sNEunkRY7Gy4OVLrk6VHkNio6yqmi4N+L9maRa7yUniyCTGYzsadYF6b89j6LGHS/MT9pAtrzFrXJdZB4hQc2HsQFLCPZ4TzOswXChcuJQJCnTZ/B6njuwe58RXpJdhuztsIde41d+YBKW5U38pb0i2rPhl+5ZWf2HzCvwhXNj5hkTFDVR5BUJF2ec/CtR3koaP5BG4F8jle5Z4qGvf7KDbl7TKEolO1F0/yOs+5RFeHIro0qUpsal+XYOnbhpsf/2PmyyoY1CHaILwmDtXFdSq/sq3IlTxPMfqC9RJVTqFWWDfeR9Pc0f3EVAtcSvMzK6Jx+Kxbmdu5R4hKDk+uQzPEWzs5O+YZMWXXYDLpj9R5+NgE2h+Y3wJw2S185A/uIsAubPIhfgxW3pBwPD2JRZy4s7XYtHK2pXQbqHm7Fumo/MXA9Qxsl/ESti1LLkpfuIh9QW/qLeke7OdhHmSwStj3YCvuWFOXKpukidj9wsVV+ZUqbybDf8Afw4mTkMcnyS1wt38ZWS08E7EqLn4MAV+Ao2B57PhDSdgE2IA8MUl+JVlevMGruZ9YulkWrzJWn/JinzKoLAvxE4VU6//ACBRzIM1X7nc9T5g1HEdZUGN3youVA2eZyGlSrIHxCzGmN7PmIhSq7sS/h6i75UETjiMNESk3Irdwax2PIlNykIwlXPuBLztxyfJAL2JTUewbix5PE3I9plpf9g0VN6cimxwgtRvlx32OQb3kFWDf/mJ888R5btcnlksUNWfEen/AOZazkV3NZjeECiedgDpOS8qcVPH4uVZDtSv+Q5sG/FjzNItd9Sk8WQTI8AuJi6wMUo+YaEuzwymXG6diunzGo0DZsKXeSlAdlbPECfUTJeZ2DkZx3YdnxhyUB8wU8CRXFuUSoeowY3pE2Ud8x1aRjhr5I3ayiAOf98QaL5+orEt+6gpdxUtqqlrJ0IlQbTOXEy4U7L97Ay55lstxOsRCLBbHKlq8qVb8xUbcvYB0qnUg2HnalT7fMYFItfuJu/4ygYgLxj2EHfUcUd8zj4nmVtQNjmwXsJxCZ4yBDWfqHYzC4dlvpOLtSzzLIBBVOTkKgN1EMP9ntRNWX2Xt9M2qD/9lufUrN/ksKQz6uYcqUq+WoCVHyr9QPGPp6nPYpgeEoNPH5JJ3svxO19i7PlBxTYFEiFlsVEdEC6iHa1ecm9jZAVvZ1mTY0yr1ML8R2JM9zBuGdmo5kO3FPMX1z8Xmwc+Iaxjr2GZG6udjfqFeYLxBofcUjLVPHxNYfqUGshswz3yBoXJQlmkIKAP3K9Jd9T4YwKLP5NDuwtG/wBSgSrPEXwmfUf8RDUsqZk86R/HylbcBKXktXxAUr1LPMMfUKIdyU65LIxV2Pw/2CfqVN/4gFTQTxBKps9QNRlAcZR6iXvieSJsrdnn8Odh+p4nGLGPjY/gEJe7LPE5P+wj1yBoDkGqPcocuOOx80v5iBO3BaH6nkP1MGi5Tg8TwPZSWyFMpGKFa75ive/yWqhB6FgpsyFDTZcaNk/UA6iByAQM+GenqXB2NaXMbNqzxLUNvxFBfYXVo17jOKngWvmCtBL9T5VFs9TLqGZUcX4jfghdV/4hjpHtkYeH+zDL/cXuZXzNFjDI9l0su26lypcHpciU5Bgv9lvuvqCkG1nm9ivJaq9xKl5+GKp69igKNmTq7HDhPiVxolfLUmmuRg+YKhTspW7lib+p4yCeFzFfmUy8/ByGZM89nWU/SVS7g0tgo52KLL77gbhWfZKquXOzoxdiYcDxH2qvuWGNFzz/AOo+RfxAfcsV4nsSjRshyF9l4y6uEK0ike3KdhVNn7gEEvTJW5PbNfgfMZYiDCvMdZDGOM7yFCVxymLm7LaPTKcuaXZSBE0Hva7KxTkv42cFPOQ3Npi1D9IrBC4Hp0nZ7GBmzxPrs9p2G1UTI4yg+5Xsv6imBY+I/HZnVvuUK7MKa/yYAbPhuKylbvnuIdIrRo8k01t+Y6+IrzxDw/gHn1LUniUdL8RNqNrQ5K2ri8ZNgvIQLybFjACsPZG3Ie8xDxcyyoqDtktd8TrsoqJDhKuDq7KptjV0dg2ttkSm6sr3LoFUvYytqxvveksYQapZ8xDmEzA/cfX/ACPWH6lB5m//AMhFT8RNEyaUPJqdgoktRFyHgf2Ngvj57EotEcD3fIW1TnzKen7jZ1c9wx9RbKirdSKVkHw/yFV9wbnC/wAPFkPE7aZriXuGRbqjYjhIFkOdltTzPHzNqmGwOVChUWxKgs4ZcXEZdxDQZHeIylBBgMMYgnTDSXVuzVXZWTkXCricK+IvVrXW4o0AO+LmXMCFGoU5fqVak+0ijexV0375OtTfiX41gtVbGDtXHJTLr/YZ8xMohjpcSvo9QS0Pz2NV1f3M9DzFBdS/Bt+pd9BE9/2LTnI6VyOIIXf6mn/UHx4nof2c/UHex9x5CwuIm+JqW8iVmRMvk7s8S62XZmz2/Ep+IvBBxEb9TovK9xVYVWy65DA9RZ5gOuzyVZHd69nSkFjfPiZLd9QVsei61qwTnKiroXKqUhEb8EDYF86koI0fNQG6H1MBB7l9lsoht+5aj36nnYCfiUrD+RP1F3kJHl3N9RUPRKes3D/kRkZpfrmwv4YDp/jPJkN72XV/cL/cfdz+Ec6i6eT/AL+NalkqONQgNfEFriVLiaqOkci9JTifUNqJTXZ38V/J8nYuYfTPmoDAtjsPIqJi/EM/XueJp22G3o+UIGZxjxoQA+PcE6HYAu0K/wBlPCFG2fHiW+M+WbefyDXP8h7ktZRcviJVKdnwnt/YFPmLUOS1cqcUxQ1txC8U+IhQtTSqUjfR2U1dXKLPrsdXkOh243RKcrYMbiuA7E5C7qaFs6zkTK9vfUuBS9qyB1FDjYhCOVy/MVEy2DUv8BRY38Q+ZptsfMOS0KvJ+9jRNj139xKEB+pQY5h6lxdd2Zl2S2mq3+yg9DKXqC2tmnm/mAQHGUJZ/It8XOyzzZHXgh5IIwTUIZ/xCgYUNOxTy3XqOEL9uDpgRbjvxkocpJR1rBZkTCFObcXiwuJR9wUPRNmeX1LbDfESlH+ws1kK7YHgMA4d+6lTkAuh+4S3g8S0eSyUhdZFPtLrLveQq3sZo6vPqUncZ4guEOwoIPhJXUnIpovX5lWZPOwbELWUAJR0QLrwPJZSuRE8NMKMrkFeRGuzjgyt9fqKDb/MZ3wcclBf/Jau2RDv+IKOlnuVjT+oOca9xBoWe5e66QG6sZhXiVVzKWdqd0KCVorI4FtVyFYB/UtRD+zy+GHbDGLlXzxU1r9y8UKQJkdVcar5i7kR5uoK3gPEKFsiZXubRLmI03xEvkRN9wXBWeo0ga+7hupjFVbCSrTUVHmVkOfUOSrJtUwcIKqB+YAkBYbs2DhvYXeZHdfhhartj8QqaifJTGhngX1Fr5lkWv2M21J/KilXfI17L+I0oFIzC+V2oKpTFavpXIcC0yxp/YJd8TFbk6AHxFzkN3sQ/s4NHwzWVEGKtRJR8xvXvzDaJcta5sCvYLMi2zyWWQWnkDB9kVkvgz5gWaJ9MoNLa7L2OeINZU9/mPxEDzkUUpKMcnmw+5lyAmwVgi0Mm1FD9xE9QTwz4O9i35hjOmHOwcgteC+4Fa2odO4TH6EFv1LcIvKmt7XzLFZEVfuU8hSNXSj8ywc8+ZeL5jW0N8QfJ3Z8mQhBHiz4mrsCgOhOg587Mifv4iu0iHL+4YgD7ihLLb5Etl1Crb/ZgzfcKMecjZS4B65PJVTyACq+7gTR/XYQsX+oWrp4jm0X8RKSHPmCBuQDU8y7UDT3EpOMslefDAllCTr9eY6iPqeINXNV/dRsPfkg15ZxlvMWir7HhuNlKzQ1HKmVcpq6lzx2yeGDsPLxPFclFd72OgvJtba4f/f/AHIXdH9StBKgqxlQFdyo244ECjcluxMdN+YiaPwMar9/MUGqZb9QuuXKH0i0bFSsslqpVQN6pYC7yVJ7P9lLa6RbPb3FghZzJVytWQAOnmoLFcgBEr36gWg+Z+glnShcJQbf5Ds4ER6CoUS1Xn+wN47A8/7EU1ZHp9MKpoonFqB0yiYfiKgmVoNN/AUf+5dOxyeICkF5d9RhyDFKX4PxfKr+QPaLNLwRG14mGgO742eQYLyBZZx/5B7aXcTfhuJRd34h4PpgMePIyr1T7lFTiFTlJCVr+vccPCnMll8X9QaOJWa1GvNJF8YS6NaPSBp2vfqCFqCHn8nWIn3Cccl3cd8o+pNW6U+IjoxmO/3EY0/rso8J/wCXIG+zb+q2WIL01hKrq8xmJ5PM507LugROzGMssiNsFZE2XtkTZ1C3ci7sag1yCjuE/wBlHhjQKbslXjpD7Sw9TEOS/EUK11ZLLS03fmA+UR9eIxRururyBt93Ebfr7iWPYnZUcqKhojeRbxin8hZ5A6e5e38viZD/AK8RCKKTvm4u5U733D6EY6A/kt0P7E8EsuXQzCvhf3GL7+GHpk+8lhnmA8uJZviCu+WMzzXudYN2pd0euwXTY/U14JYOMVA3TvqXgMOEV1WXOqS5YY2ZyoeUvzjM6xB26gFUpUOxnn8Cergp+/weZtfUobgVpFKleRyPNKs8Q/c9hGfAsvn3EMqgvxKNN34jZcc/2CikSsgQqw8VBHUPG8lBtnv3ALzdSCR5ByEXf0PEG19nLgLLX6JS0ieYlw8xNa+69zGP8gNuv9nFMCCxyHXIkOikiWo/yKl+zxFK07rE28tJS2FkrKgAPmUPKaESLiA4X8GqP+yqj1Z5QgjpMGZMiFWRteRroqZbsusgg/8AEq28j9yoWsTzORe5p+IgWf7OErw0nb8RsPT5gapKVgn3DR8/cu6/+ZYMVxQC8r1G/S56sEBV3wTyGl+f/viNM0i3jyF0c3/kXTwodiOK/uFm3cCwuGWI0BHzJt2Zk1pYGlTRuVo0nfMwIG/12No+WAb6uRG+mdjQZamy6fiOX2iIwueZ/fUAFQjnqOkOnzGWrn4EGH1ExEYc18QSdgWUduLFxyP+fjg9qFZVXByD8xF12DTyGviDcDxhz9fij576lEHteJq6cvsKRP8As8qf8mDnItqwp2HQush3n6ho4vqZhfK+4Ft3w5HOwOWGkLOykBcRoVk2t7MSyKlniXRZxj7l3B06ECrlWN5cBRnY/smXvZeOx9TxMPqDz/JWJcSi8jDeHYALVLkRZOQwuKtfEaEYGR9QLYEjpz+zAm3FEb51XJVfcvnxLhQ97+KoFImnYyyuclz1EsKCB6lC+plI3Fui4gdnLTPqF6us4TSj9y7OPdmiDV+Sato8/EWmwAL2L5ODtwNK+0fcZs5UoBvLb5/ke75cI+z3PGzTX7h4vZvRyGvxERqNVOHzBjWwV2Pj55L5M0xOo12pcLuU3Fct/Uv91EAds6TCXTsoOjuzGPMOQaQAVO+IAvNl0T+RP/iIxlCOQu+zkFkfMWqk+/xYaQT4iUcydh9QSiE887ArSFWvuN4qDtStF3kRdG3Dc/yLR5KnF2xq1RZNEpXuKv8AzIJx+zIbBx5CrOD1huw2v9xquDtv8gBS2grKzvIHps1hx/J1+SVnzB+JeL5jUFuiKiV+pebC6yPReS98zn8X4n0nBjbOnJWfEAYPEtTzkQs9TA3Q+YFCGxUNKfUGHMiZf+SjXmdW+YraS42Ji/CwR0n6IQ54i18ILWPdRrDb8w+SGK9ReTTOCsPNSqhR0gl8nmW0jByWO5dUS0dM9QSw0PH/AKgoKiW3sEZwyk3h7ivbTT+9iNKQrxBxvz2Kvf8ACLX0X15gGzrn3KEx3Qgq5yLhIWu5Lu3l/FY+pcUvmxDh3xA9RLJtydivHzFu2DOI9yVfGW/E6u557k97UqzNhgt8QWnwZUfLUgEbaFlxAL1JWPMsW/cG8igCV7iOj/sODTxEV7r4Jfs/UvV38VOqrs2FhqCLVk8V4gnf8g1pb6iXlQtAD2o2e2wELqIOv1HBlXVew9LBxvT1O9g8K1jYVNqvEU8tlp7Ea524B+mBbfM8ztrGWA3vzA26r3DmJ6XR2DW+I9nF3Lrs1nI+F2weyPqLWki2HuNkVl1Osw2ZCssyUaDCInWWzAlvkQ8I6oHeQgWo+oL63v1EDLu9jjXrP3APKj3Ee8+ZY5WeJ2iXBwv1GkslB2ImG/csilruR1fqXq1u4VCbGmVeTrSWDln3HxDX0l25PTIcsgiaRyr7LcXFYWx9eSGxv6gcZXT42JUZSSzb6gioT/3CyrvjICjfmXbYeP5Hy3+LbJbzKbKI/MHIbZwr+oN3fPUfSYV2PsmjU64dnCp8Je63OSXoR87Fl3ydTyXoLZewEH+zJfh1fMFhRm2+JosWuS9AIhXWMbXBy24gMir5jWJZTT1LFFc58QStLIHo18zEBXNmJ6hjsUM8bCpQL4gJzxxmzew9f7Cwt5Ft+GVTcS+rJxeRyUJaHYFadiseCd+Iae/rs1KlefU3Io3PiLWT5lWXcDJ1ZElA7sBSnLlBXSRNj9z0qK6PhrJW9ZaH1C9nYR00Rm0MiqTDY/8AzLvPEtw7CnjjzCrSCnljiCq7q+TYhvu4K549SuHz5jfqVVMuj5l7XuCXsUcjGmeZuJkIorEqdVEohZyU9iGp36gCJBTBnhiQcqL8RrwlZA2IJrKt5sBM8M17HsXI5M8X+B8RngIWY0kez5llOPYsdc56ij6lj0uC9N+ex9FjDpfmJ+0gW15i18JdZLajVTp6hyNhCWDE+ZjW/wDmdtFHxE4f1nkxV0I2fCVdr+oq/qC//LAeUKLE/UYGxxGrgEpblTfyiZHfuAVuRzjFhhLp3vuWs1umXgTpKOQU5sDYEumIsaxsuDkuuTpUeQ2KjrKqaLg34v2ZpFrvJSeLIJMZjOxp1iujSpSmxqX5dg6duGmx/wD2Pmy8nmo9jh7g+O3KXkC9CVVL/WWKt+JusD4mzhR5iHi/qI+w5KRlGIX9S1UQIrLjzn9iKyVTsaqBa4leZmV0S3pFtWfDL9yyv/MPmFfhD7R8wyJihqo8ghSRdnnPwrUd5KGj+QRuBfI5XuWeKhr3+yg25e0yhKJTtRdP8jrPuURXhyLO12LRytqV0G6h5uxbpqPzFwPULGyWiTiYZ8Iab4gFUuMCaZLD3+Rg1v6lF3bfzACxJ+yJRFHqA9v1MPgnzNAsBK9wAXpG8fuAmqvzKlTeTYb/AL+HH4rFuZ27lHiEoOT65DM8RbOzk75hkxZddgMumP1Hn42ATaH5jfAnDZLXzkD+4iwC5s8iF+DFbekHA8PYlFnLlUFgX4icKqdf/kCjmQZqv3O56nzBojCuC4XcBey08QS8YqZUuCj9Sh1qE16lQc8VT4lmefkj0fMoRXj3Ev4eovfKgiccRhoiUm5FbuDWOx5EpucTJyGOT5Ja4W7+MrJaeCdiVFz8GAK/AUbA89nwhpOwCbEAeGKS/EqyvXmDV3M+sXSyLV5kZT/kxT5nlkxQ1Z8R6f8A5lm5yK7ms6sIFE87KPImzKg1FahDiPiDb2CZvK9y0cNQ2R5KPBsFifMpPFkEyPALiYusDFKPmGhLs8MplxunYrp8ykIwlXPuBLztxyfJAL2JTUewbix5PE3I9plpf9g0VN6cimxwgtRvlx32OQb3kFWDf/mJ888R5bt5FYlv3Uwu+EtoKlrJYh8TE203LqyPLlHZe7s9pWzxNTnYF7Brh/I6KbT1ALsSt9MVG3L2AdKp1INh52pU+3zGBSLX7ibv+MoGIC8Y9hB31Go0DZsKXeSlAdlbPECfUTJeZ2DkZx3YdnxhyUB8wU8CRXFuUSoeowY3pE2Ud8x1aZGOGvkjdrKIA57/AMg0Xz9TNlQp9LEtlMNN8XNKIqL+aqCquJbnqJRLYdyFBp4yMH3LpyfKWE8MERJanIq7E4psCiRCy2KiOiBdRDtavOTexsgK3s6zJsaZV6mF+I4o75nHxPMragbHNgvYTiEzxkCGs/UOxmFw7LfScXalnmWQCCqcnIVAbqIYf7Paiavey9vtPFB/+y3OcgZv1RDLAP3KtQOcnl6+Jd7VQ4hwvpc59RDjLAPB+OR4fMD3GXPpEpuBVPiA/qBYnqWeYY+phDuSnXJZGKux+H+wT9Spv/EAqaCeIJVNnqOxJnuYNwzs1HMh24p5i+ufi82DnxDWMdewzI3Vzsb9QrzBeIqH3FIy1Tx8QXh+pQayFVwz3yFtOfUoimkW7Xd+Yoleuzt7pUQlwcKy4WPh+px/FVos0RzxUfmZ55BPwrK9w8IOQ7GtLmNm1YclqG3FBfYXVo17jOKngWvmCtBL9T5VFs9TLqBqMoDjKPUS98TyRNlbs8/hzsP1PE4xYx8bH8AhL3ZZ4nJ/2EatyBoDSGUV2UcuCnTCPkl/MQp24Y/kwZ9peSykRh5GW9lr+If2TEvkPl6Sod06iU3MPv8ADh3Irf8AiMyDO7CXFzJ2uGZMre+J1f8Akp+kql3BpbBRzsUWX33A3Cs+yVVcudnRi7DMqOL8RvwQuq/8Qx0j2yMPD/Zhl/uL3Mr5mixhkey6WXbdS5UuD0uRKcgwX+y33X1EjDV5NLUssqD5+ogoO/7HDffO9llG2JlWC+2VTUQhVF+vEwUclAWd9RoEdeKnj2fjVRoepdtzwOsAqscvs88lZcTUPqeJg9ztU7OLudhVVEwjjKD7ley/qKYFj4j8dmdW+5Qrswpr/ImHA8R9qr7lhjRc8/8AqPkX8QH3LFeJ7Eo0bIchfZeMurhCtIpHtynYVTZ+4BBL0yVuT2zUdm+fwUjxAAfcaue7Zhv6qCI0Ku7gaaGWteYLRU+ohZssMK+pqsmmogdbAx37mTENS20zxCDsUR5ivqkonS5xll9+p03jFSevETRJpQzU7BRJaiLkPA/sbBfHz2JRaI4Hu+QtqnPmYFrPhuKylbvnuIdIrRo8k01t+Y6+IrzxDw/gHn1LUniUdL8RNqNrQ5K2ri8ZNgvIQLybFjcEph7JQrT5lcrDCfUtcahgsajw7cAvzS3YmDT8fEX4Q78y7D9wO3Uc5AkKPEDYu6ext+5rLp+siwXx5nqIBn7gpB/sfwFl+p8RPK72JqT4T4ciWb0h2rnJTLD/AGGfMTKIY6XEr6PUEtD89jVdX9zPQ8ynp+42dXPcMfUWyoq3UilZB8P8hVfcG5wv8PFkPE7aZriXuGRbqjYjhIFkOdltTzPHzF8TofUUqFTvmLYlDipV6UR/ZtcOF/8AUxpL9ys+CBbyV48xNoYV/JQ0dnWou4/EV1s7B8/+YtzzKxt5D4jx+mEFs9MFrXpC19RTo2kqxMfUD3AT8SlYfyJ+ou8hI8u5vqKh6JT1m4f8ig5L8G36l30ET3/YtOcjpXI4ghd/qaf9QfHieh/Zz9Qd7H3HkLAYib4mpbyehjy50ueINNw5Djlz6M/FVsUCjPmLW8J2r0OS0fXILFy631KSm9iv9gZnIaOMVVyyX7ibUtqvEM/ALKx8kBvIlljUpQDRA09eIllDSVaoGsSVoPq4hK1ZbhiVSnZ8OT2/sCnzFqHJauVOKYoa24heKfERkbml+ubC/hgOn+M8mQ3vZdX9wv8Acfdz+Ec6i6dL/v43IqqjjTPcBTOQEYhFiTviHxMq6m3c8RcCVedahGQbfQeIUC5zy+mJ28fca+clRTnjzDCpXGP1CkHxBb38wOrRmooflqH537lLzzBrQNnxHg9jP0gssjqx5E1YPpnEGFTiwlgUf/s8EQz/AIhRcKGmmKeW69RwhftwdMCLcd/kQoWppVKRvo7KaurlFn12OryHQ7cbolOVsGNxVFHYnJx2H9EW/wDqUVBqIoA/9RvviVmQEtAo+4NlSx8YkcJ4LgtYsqkm1TZeKBr6gqjb5z1KVd5/IsFp8UTq1/hLM4YHoYpBQT6nVunVLj5f+Z0jPNZHyodshf7g8NM8dlFdm6wsYC2v1KDS6gg/YeICu88JNiLHSzzcSf8AWp0t+oKuNe4g0LP3L3XSA3VjMK8SquZSztTuhQSg5pKOtYLMiYQpzbi8WFxKPuCh6Jszy+pbYb4iUozzsNVjGlI/krLhRjrPMFSDtyi6S7JT4bKmevNT4uXtLKbjtmBFndvHtRPr+SwPT9zGde/icBdWvmFjYRvolqoyvUDyr+RYd7NebiLa+RNe47CW3OYY0t/2GqwfUat2LwyhiBL2hV5EWHGogHT2eIgWc9wRb5mK3J0APiLnIbvYh/ZwaPhmsqIMrRWRwLarkKwD+paiH9nl8MO2GMXKvniprX7l4oUgTI6q4hXzFuSiid8x1qFEN44SilRsKuN12WygGsgxeCUK+ZwYDbzPOSsoH7hqz+TJQbF/U9m01ETXmFaVrscc5Ez5h2H3dRr+RWQX/ktZnxKh5J5nJ1A2tg3Mgqez0iv/AAwXBp/kpkB4uYuWS1f2DsBSfs9RXaRBy/uGIA+4oSy2+RLZdQq2/wBmDN9wox5yKtRJR8xvXvzDaJcta5sCvYLMi2zyWWQcTIcR5IrP3UUfA9jVvj4nyj6niBq41VFZOXUvYtp6hMclHzDcIY155L3s6J44wLa8eJVZdzxrDpxj0gfEABr6gBdf2IU031UvTIG5c9o0vYv6uTpYLsfEK7Vy0T5nS8E4SpR8Qao89QzXHuoaqv3PAi+nqcxv/EbaqYtalhWWS1UqoG9UsB3JUns/2UtrpFs9vcWDVnMmlLgHrk8lVPIAKr7uBNH/AMwhYv8AULV08RzaL+I4kaZWxI5OXkvJVOz4dgjfXLjsDIto/wBnSFVLJ4lDcNhAc9kwxOCG+YirZyxypZba+53fcbrCf//Z"; ol_filter_Texture_Image.metal = "data:image/jpeg;base64,/9j/4AAQSkZJRgABAQEBLAEsAAD/2wBDABsSFBcUERsXFhceHBsgKEIrKCUlKFE6PTBCYFVlZF9VXVtqeJmBanGQc1tdhbWGkJ6jq62rZ4C8ybqmx5moq6T/2wBDARweHigjKE4rK06kbl1upKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKT/wgARCACAAIADASEAAhEBAxEB/8QAFwABAQEBAAAAAAAAAAAAAAAAAQIAA//EABcBAQEBAQAAAAAAAAAAAAAAAAABAwT/2gAMAwEAAhADEAAAAWufUm28mmWkJHITXWIVWErKwjl0o1WAoEmw0pjJNWTRsTZiWWxJY6jJixg6A8ywJLqV5FxZbG51SElYYKZdkKrES1sFgSlnOzZJqsSz0DEXZmUQkcgVVSkF6zTLcI5dKNUxCqwlZdgxkmrMBQJNnOhJY6jJNWbE2Yl2Tc1uh5FljB0B5lBrlIspl0WWxudUgk0YlLDIVWIlqUWWLszLzs2SWkj/xAAdEAABBAMBAQAAAAAAAAAAAAABEBEgMQAwQSFA/9oACAEBAAEFAhlp1lPugreszJbLQaXeFrWXEKAtlbyoAKU7AHQ/wdx1rS767wL1lPsjG/iJbLQZcQrvC1qBxmU4Atlbm69gC+ju13g61H//xAAUEQEAAAAAAAAAAAAAAAAAAABw/9oACAEDAQE/AQD/xAAYEQEBAQEBAAAAAAAAAAAAAAABMBAgQP/aAAgBAgEBPwHG75js7cbt2hhZxr//xAAUEAEAAAAAAAAAAAAAAAAAAACA/9oACAEBAAY/AgB//8QAHxAAAgMAAwEBAQEAAAAAAAAAAAERITEQQWFxUYGx/9oACAEBAAE/IU7ZEJF/g5fggmm9N46JoSjR7w7fnMFt4xiYhI7L7FDIS4uSePhKRWiEazuB0/yy2xGjAqohEyM6GqOvSDR10J0PowwmTESmmFAn+1xKQTbeE8UkbokDWjpFA+H/ACQkoyBnRrwhcMHLvogsmzov8LbLQTlCQyXJIjOJaZpCmRx0OZkU6GrlnwgtM1cNSYxDGhNLmsPgkk3Wfp9NFQlv4NmjcItsXo14dH8DFY/ToSjR8O35zBbCRb0k0cvwQTTem8dE1xck8fCUitEIkxiYhI7L7FDISGzoao69INHXQnRrO4HT/LLbEaMCqiETJL54jdEga0dIfRhhMmIlNMKBP9riUhCWcMs7xC2ZNnRf4UD4f8kJKMgZ0a84sRhPtDmZFOhq5ZbZaCcoSGS5IAqHxCFd8Vh8EnwgtM1cNSYxEt30dCSSJo/gYh+nRJus/T6aKhLfwbNJhH//2gAMAwEAAgADAAAAELhaqr888DoxEl8iBRkQUqRfXRsE51nVmPf2kSrvkuAYqrnC2joxPHAiBRJf0qQZEPaE31WYGOdZnSr39tgY79f/xAAcEQACAwEAAwAAAAAAAAAAAAABEAARICExQVH/2gAIAQMBAT8QQQZhKuXofF1nFe9eIcF31XglEIwIIIwaDtjRKuWyx8XUM17ZfiHJKvqthCEIwaMC/8QAGhEBAQADAQEAAAAAAAAAAAAAAQARITEQUf/aAAgBAgEBPxBY7bMdnbHbMdg3ORxBYYLEd8LDtzc47Zlid7k8c88Tx1EuWNt2LOYnbbMGvA9zCdQz9I1P31m+pMRPjq6SWZ2x2zBO2O2zHYLEd8CcjiCw2ZYne4sO3NzjskzqJPHPPFup22zLljbdixIwTqDXge/Vm+oZ+kan7Y8SzJiJPP/EACQQAQACAgICAgIDAQAAAAAAAAEAESExQVFhgXGhkcGx0eHw/9oACAEBAAE/EGAXWQIjIvxAPiCAD/ctldIqrhkrB4lrpUd3CVig0RKqgNUYLiXsaOPMCrttepVuajQe4G9qDztilazzFUTf1COMJBhydR+ku/D40x6CnmDPeo9zFU/1C+EzONVCltPzALkWK8zxWHcT0QpyZ3AlRlDQBwbjtrB4jVhmIdimvzAk7K0HUW+4l5DiAK/UMi9MTI+epriXdPLCS4LvmIi1djbCqXuWhTJj9wDTDSyws26iWZ9YggupejFtRF1eY4PEWhdBFatjwRaP11Ead9QFjiuZRaghvDKsywNNfugBguoFxjE4VmJj0HEqY/ETbMoz8ksiGjgILtnkE1Hg67nse4lg3Xl5l0CqItVu/wCYGYzyQh0DLjeWIO8BAqu6hgh9wsu53FSsHh3AgrioWs7iDpniFYuYKAuuJbWGZr8dxLJwagnQwxts3PClOIBlHJXmYIy41fMUxk6lYP7jV4sgLTUdGg1VsLGokmH2TQW3xEpTqUvXMVnEU8Sz5dQbtQclx1Cl0zUFBQPMUEiITJQ07v6gNG1wFf8AKiBV0cwlYoNESrUBqjBcS9jRx5gVdtr1KtzUcHuIG2jgm86a6gkaZfLiEAH+5bK6RVXDJWDxLZlR3ce5iqf6hfCZnGqhS2n5gFyPFeYdF1q44WmYqibhnGK3BhydRempd+Hxpj0FPMGe9TZ3EvIcQBX6hkXpjcyPnqalS7p5YSXBd8xPRCnJncCVGUNAHBuO2sHiNWGYh2Ka/MCTsrQdQRZgvUusK3Pca2UEbqpPBFo/XURp31AWOK5iItXY3CqXuWhTJj9wDTDSyws26iWZ9NagguiBf4TfOYM1qC3LYVzCWzOCtR4Ou57HuJYN15eZRaghvDKsywNNfugBguoFxjE4VEK9BxCy7lJvJ+5RbbxBMqz3H5Fqog6Z4hWLmCgLriXQKoi1W7/mBmM8kIdAy43liDvAQNlpMCGfmYIxquoImXEwH5EavFkBaajo0GqthYJbWGZr8dxLJwagnQwxts3PClOIBiHJ7ngIODd9eJiV5c5lLt2EsqMO7+oDQ7uAr/lRAq67iWYfZNBb1EpTqUvXPUVnEU8Sz5dRFwVP/9k="; /* CC0 textures by JCW: http://opengameart.org/content/wood-texture-tiles */ ol_filter_Texture_Image.wood = "data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAAFAAA/+4AIUFkb2JlAGTAAAAAAQMAEAMCAwYAAAU3AAANagAAGMj/2wCEABIODg4QDhUQEBUeExETHiMaFRUaIyIYGBoYGCInHiIhISIeJycuMDMwLic+PkFBPj5BQUFBQUFBQUFBQUFBQUEBFBMTFhkWGxcXGxoWGhYaIRodHRohMSEhJCEhMT4tJycnJy0+ODszMzM7OEFBPj5BQUFBQUFBQUFBQUFBQUFBQf/CABEIAQABAAMBIgACEQEDEQH/xACdAAADAQEBAAAAAAAAAAAAAAACAwQBAAUBAQEBAQAAAAAAAAAAAAAAAAABAgUQAAICAAUDBQACAwEBAAAAAAECEQMAIRIiBDETIxAgMDIzQSRAQkMUBREAAgEBBQcCBgIBBAMAAAAAAAECESFBUWFxMYGRobHBA/ByENESUmKCQrLCIjKSouHx0hIBAQAAAAAAAAAAAAAAAAAAgAH/2gAMAwEAAhEDEQAAAEVxWcrokmmU5ijHqbkYBiWczJJJ6pdWtephmpIGWpFb6EdwKnojKEPFPVRE0756a1NKeU9D7apLJDO7SjuXBbvJZ3bE0F3n6twEmNzcBSaqpugvMQ5UdVNSiqJ2SzIqjplkNp5tSHjZXqENW2nqfPBmgy7ByRcFkerYl6o3CwUlnUd8NyKWwJSelyK3ClCOqWjqU8jPtCUWCK56jksAA9wsEsknlsntqUxSdpqVXZ1PqmqkUlylKiVyCaHyzJaqm0CxIy7FMGrSX0fO9BRWycZq2FZA6Sad0ltqGLGoNQOcdUPnfICjSpsXplCGwiZ8temswRRZqmogpF/m+mDJZLGOWwoclkiJqV2nNZEPW9RMwQq2maiRIMSpELUxqnyxSWyaXCSZN3hXQJdT+l5nomoNMGXYVms4Cd09UztEMAYTgY0foQ2QlDkDnJcmPRRLLHZJVaXJQltBQFiaXf53oAT1KgGi0qJb4lnoTRrYsbnYIF6g6pK0GSmRayHEZRJVLLM9FWJpUgAOKS2jU90toKnojWpaMonpiJDk04DIQ9FApFkdP7skOekVICAa9D4lnonr0A5aLBgromNgVyVrk7lRlM9IVE5RIp01UOmcJYlhRFXJVKmBI0DQpbmjKE0RHHdFp6AkqTM3lIcNE1S0KoDE189IYn0TTUoo2HqS0rYuyUT0zuyHz0TmumeMclkLiql09BLQkXxAvGBJhg1UrbgNctIzM2SMGLtcRYmbvAzNBdbhoCmcqqAaEXFE0tk+lg9kgL0FPcYnaJC+0V1yiH9gQhRpr0EOUm7ogJem065a5ECxCm6akM1NkRO2O30MBiIw8UGrGxrZ2yrMONJbUpUYyyT0zVaGqKCAkGdiLX1ebfGTvSDVNSaxRQqWtVHzFp2pcorNaLtjrtUJBBOUaUgQyolrnp6nLDLMFzunrb4LzFEqCekxpgUdNRNVOg9JCWSgLQE1x3ViXohnEos7NidL01Sp604GCs09UdOv8/0BSLEwmgKAiB0JnoTRNU1P/9oACAECAAEFADge0ew+8e0ew/IPYfgPxH3H4D7xg/AfYPUYPwH3jB9D8owfQ+0e0eowfQ+0e0fAPUe0ez+cH4h8Y/wB8J+A/AfX+fYfQ+z/2gAIAQMAAQUA9wxHqfQ+g9R7R7Dge4fMfQYPwj4xge0e0YPtHxD2HAwPU+p+A4GB7j7T6n0HoPhPvHwx7pwMD1PyD1OJ949o9T8I9gxHof8ACHyH2D0//9oACAEBAAEFAHfS1kMdJ1lSaw044sqxGnF4i4HZRHcCxZeAX5AE1yLCx7LsAtj+UvDqdQC+Nl8rDxP+FRE/xR+N6jSreNTlWzSpzu3Ucj9FYGvrS76bkgESr2z3LlDBTt433zm9cXjMHec6jLKZlzkn2H1Yb2/Ir46wNblVxx18NoONK6EwMiuRiePZuwjTSg8V092JtcwWba52xCcb7N0vnTfiTqSCBCq/1sO1W8gOGjWc6T+XHjW6A4qjtWaiWMBJFZyxOFkIwOEXwkxU0m0vKsJe3J3M4AlKTFjRpvYFL+uc19bjPHjx2DYR5gM2G7/nZlx+PAD6RhclTddyH0oRCsZrDBiplH6BfD1pZYtUTiklreSpkxpU7KyNTfWyO1bhpOK+t4jjQe1aPGY7lYM56mG24xRVmLVlv9av0tUsbhCdLKUbVOmhk0qDFYbVXZ+i5Ggf2eSTBmAdlTHVY2Vn42mAZlJ03Amk/nZ9DmUWFqBaxidN8drjwVadbMdNZBawkNyCSluVlZGq5QeM6iyxQzPOmxxFTk66EGvkk6Xyx/pWN9gGm0eG0SgUkiO1ZmApxYRgiMGCvEEhxjkfSgwrndJ0LHd5Agcn6tuNILV8nVgwppkYBLrcYKLGOMsYvko3U5LSZdiNDAGlgDWVg5dpztYDXaM1JNLNB/8An5q3Xk9KRhui51yVt5AbtcjOpRFlCCSytY5JrQwtZ3chvKXk15LblWT5LDtokuxGgfjIFbEahHbcSHybkEB8hQwz4GQY7uUcuPGJGlD43AxY3jszoRt3HicwlkFVB7KLLuuolYsQ+OydIY67WOOOfIYOE/Kz85PdnYx2WAluRPd/4kY4cQATjlnHGOZG2obDOqNVL/gpOqkgYBHbYbVyrrzYnaSA5QQVIrUHXeDqpysnNM6zmHUSg1VlycHNrDNhBFKNI4f3xyscdRLCErGUQVA7NgikDdVIEg1N9RIFP2YwjHyfzJ7KZvaN1R8gOdbN2hmSg005BlKvGdggsDpqJ1cYjuGRjknOg7jnXUMmMMMq7ge1ADVsIMmtgYGRr6tGlo7zGGZo49Yl7wcU52g51xo/lmIMxZYu5WBqvjtuvkpSUoLV225tyPx4zbphKo0MN7iEt+p+yrABBqsgYP3pOHOD+5O65gOJUwLWRFMm3NcVElMxZYN3U2GL0BNDwy6pYQrwBa5BFgnj0ZWlTFGdbGLH+lp3RDCe30rtmT+lJzOYOVx62j+rR+rWGeLm5IIpXxf9bAZyjlEi2tQbMgWUiqxT3blGnUDxsjhCA7Yo+og22fW0jWoltMVOIS37xL0g4YkV2HzSdNo/r1Lm9eXDr0oWAFWVA/QycadvMIOFaHthXsAAYbiGxXDVI6l322nMUnMGL7ZxcQHqjWAezaNt7DuKwD0ENgr4rUHejx2/hSRLfXjDxWgaAfEpzVmkZraNVZbTi8BmtTeATUryKJQgRjkKRyKzNdEFyIutjHIjVVIsU+G1gFfpigeQ/S0eQgdpx46o12MoHFEVPIBA0IZP+3QKJqtzYkFLc6C2m6sABwVdge5egOK2hOOdzzrtyW/7KfIv4tLLaPGPrUfMSItjX/yf8qc3sUEUR231HDmFrJCsdJLHRXIDEldXiYeGz9AJsvMYDbbmgDKvj/ayZtnt3dR9qoKttRlHaCjSgHfK4tG/pXYfBQAosiK8lr3XcpwtZEByShaRW0iDERVcSKczaH2XiWOTXnCZpTk9oGLSDVcMwM6RneZ45HijxoR3FzL/AHf62tFFea2iSgypG+9ScXLA6WVowwsrUfqy+KzOgLFtYkaptsU4tgiv6VxNvVvxtAwRnV15C/1n/MDYhllEKAWttOVx2URpYnWpIFJE3EhuRJW0RaImxQaO3pRsldtVR/SuQAP7FjZWE4rOyombzBY+CxoEma5jkAmhlOAQcIILRp4/W0YvG2rJX+yTprgPyRC8nodxSWqv1FygsdlZntOl4iozqCb3Y6buqA6Khv5AEWD+vb9FG5Y7VhlLf0gYqJNVjQeDmLOvIGKhtcErVnX9X5QJrvzrUeSpRKsGuELhJBtJZHOdaQFWMHNLRLIMqftdGkgGhhNYWCsdtzstydzD15U2DPhQMWZtyRijBjTSfG4BF77GzpQy1USgIDE9uYUtnY/lDzhxCgeNz5J20Z2XEEL+BIFZI1L9HG24EvYCbKx4mAxxoxE45GOOcMNtGSnD7qifCkzWQBWYR4KsD2WWWA1FRD2EdpRtZiHZjNDeS2CUI7VudSk91G2t+dkl+rpqFOqccY+U9eR1oUEvASnEQD+TCKRAZCQK2Hb/AIJis9UbarANeARWD2o3uDrpysc7kJNTZrpANI1LqJRl3ARhRtRjqoYd5iQeQc6DmxJrowxIDZJYD2hAZTkkmsnJiQAc1aF177jionsDN2+1RPcsO6pm7cTjQNHGEEqVJaa3HiCxZWspWWrusza8HtcZjqYkJTmjCTcIFg2xuAAFcGsyMNkxM4ByEd2/qpA4y/Z5mo+VutUaDiSCIFtiZZmoHUlbguSFd4W5iDixZ49Ah3U4458ZI1XdLOoGeehRFbgTaN4bKRIHmu6sQOHWwLN0qzsaQaSShB1MM1gvYYsVQbkMYUEV3A93kAQpB4wEmuA1uKPqsFrhiyNaCWK+MiEs+1oGtegggftYJwyj/wAlQ8ms6uMJZ8UJ4jGtgZXryzDl4taFbLFg3ur6qAGqUjW22yzMUHdX+l43WmHpjVB7LfV/0sEuFMSVQt5mJ0OD/wCetcygxxK9NdjBcVZUjNhuwoz5hBT/2gAIAQICBj8AgA//2gAIAQMCBj8AAH//2gAIAQEBBj8AhXalzgx0/kk96ITu8ipLgS+6Nq1VhVq6qzPoei6or9kuTHTZRPhYxcOVCWiIPPsR9yP1YtV0N/cjh/qLPtTR43ih5fUb30E830R4cmPKo086Gkn0N5KmBFUuR5KfcTrdNEcaSXM8bwp8iuEq7pIhK/YJrbGRJXSo/wDltPoe2LqhPdwtQ3dNdCLxVOQtR5kXmhPNC0YrrUTEsH/ZHjeVCDwdBrNm99Berjx6kt40P3dEW32jVwlgjye48usWLKb/AOyJLCtOpJ/inwZbdNE8K2EX+K6ks6EUrbUuTIKl3YgsuxvQxZNdRvCnUj8JLE+p/ixUul3FbapIknj2Hq+gvVxDUlXMbwsFJ7P9VmrEKKf+5pfB/k2zyO50RLKcSZL2PqSb+5dia0EvxXUnLMile2+VBWbI7Tx6djehJrFfBkdS3DuSeRJ7HRU4j1N6JVf8hrFi3EES3jrmyKxp8/hH8VXiSd9KISdyKr+U+SHnNU3E9R6RjxFT+TrzJVxG8KLkKGLIJ7U+rJW3Hj9XD17C1+FSLzRuX9ieiHu6j1N6JOmyXY39yNb2hGza+5J7hUufYdSTWSIRd8rdxJ5EPHdFOW88dVjJ7ycni2W3yclojxxvpVkYrbNtkndbysE3cKzDoS0PH6uHq+gq4ipihENRbup5HhQpjKKI5y7kc5E8fqkVb2CpsVOSEtCKzXUlUfuGyVMiDpf2NWlzJzVyUeJJ/akj6VtkkuIknZGi4Wsbxf0x0vHL+MFs1HXa+4krVShGWvKwlwI5V6G/sKuJzLNSOosqdTyPFiWEm/8AijxK6jbPFm2+ZN+rWNFdfkbyCzJGsu3w1XRiddkkfsuo1jNchva5ys4ihG5VWuwlJWfSqvWQrdkXJiT/AN3kdXoiEMbWVfq8Vbke6S6j0fUfuQ08e464GqI7iuDX9iVfuLPy6ntieP8AGNRvRcxo3dymfcgPRdBPeVRF1vpxJetgnozFVb5HjWFWfVm+EUe+VNyPJJ4qKFVbI/2Y3dFURStK0+RKWRDibx4uj5jGngRv/wBPYVcuTJJY96k9Uyiz/sTbd1BZR7FNlqJiWSN/ciPRCXu5fHcWnDoJ4RJvKi/aR4kr22POToPKi4DeLI5U+Y19xpEevY/U3FCKSuHlUyf/AMnk0TE8U/mTq7kz9bOBR3OJL1eWXH7dxDTNG3xGq6CEOtzYsLOh+qLb3E8WjIJKtWS1Ys6mdSNLKobyN6Je3uPTsIVPVo08WRawj8hrGBCKx+l70L8oEL6xHouTHXD5Di8ymEu4tGM23V5nE4iQ95TT+o8PpRbjE8dn8WeLNk64sjf/AOx7+pD2j3it+0l7e4/V3w3vqSr9zE8lyZR5rgyX4yT5kNGjxN3P6eZOCuTXcya7FVtbZKuNSI2J5f5fDibimRsv7E0roi1XQh7DxKpJ6kT1ieP2jbeItV0JPCPc3dvg9WS9xFVufJizl1R5MaPlaRlenTiOu2LqTo7HbxQqu1fM+nCjJLGNUQnoyUX6tKe4TFUVMhI4nlf4roUwl/iKv2HiJVzF6uOJ4vazf3FSxpvkiayS4lhsH7mTWa6Ea4yQnnF8hxx/yJwdlKPh/wCieDinyIyuaS4Djn1K4r/yeObvVGNbXFv5mtfmP3PmjeRWYhKvw8ryNZP+pTCB49B7xPXoLeeF5NFM31HvJZyUVuG9/FlFtKu9vqeSmK6C976H6p8GKeSfBji9jTXOpCONYMVNsZNcRPFJ8CMs1XoRf2snF5MWVPkS3PnQksyGolmhbzeieYtWP2kKYH/ITzfQWr7HhevQpn3K69T9n0G8RvAjoeRrHsfv2F7H1IPGL6EXjT/sj2zT4nlgrmpHizrEp6xJpXqqEqf7o9LRrNr/ACKq2sX8yS0fEjqRzaLcJCWa6GvzFv7Fn21PG8UPL6upTN9Cub6I8OTHvGndWh+z6G8lRXEbLkeT3E8pojpJczxumyi7EE9tOcGNL+ST3ohO7yKkuA7bY2rWNhVq6qHB3WLfaj2S5MdNlFLhYyO9cqEtEQd1exG3ZJH6sWq6HrEjXMg3hRkHg6DWbN76C9XHj1JLUa9bB+6vBFt7KXCWCJ+48msWLKb/AOyJRwrTqJ3KVd00QlfsItfxlQkqWTo/+W0+h7YuqE9m1cLUN3Tj0IvFU4oVcSTI6oWqFoxXWonkJZ/2QqXS7mkkSTst7D1fQXq4hqNu3aN3bBSu/wBVmroRRGKe1pfB/k2zyPGiJZTiT16ksop8GKt00TwrYRf4rqS3CW21Lkzx407EFl2LMUMV1q6jeFOouAiccT6nd9LHrUbzRL3DWLFuILAlvHX1aJY0+ZoL8VUk1tpRbxJ3K0TW2U1wQ1901TcT1JezuS9y7E9wlhFE5LbXsRzbfKgsonj07G9CrmhbhrIjqKuHcloSasdF1Glibybwl2Nl/cVb2hFM+5J4Cpc+w6knfYRi75dCTIeNWfSmzx1WMnvJyeLZqox4ipe+5KuKG8PpXIUfuZCLufVknW48fq4evYWvwrkRdb0bl/YnkkSrl1FnLuRSvkTx+qRVsVNipyQkJZrqSqfsMluIWX9i29rqSntsUeJJ7PpSXIUfuouJbfJyWkdh4430q+BGK2zddw3/ABq+VgngLd0JaHj9XD39Bai1QiGot3U8j06FHfKK7njjlVnizbZN+rWNFVfU3kFmS0NX2LDVdBOuxoXuXUaxmuQ8ZuiFCNyr2FFOyNFw2jeLpHS8cv4wWwddr7iS2UoRljXlYS4EVhXoPXqjeVwtLCIq5dTyO6vYSwk3wNInjyjUbxouY0zd3KZ9yA80ugnvE0Rdb6cSXHgKWzYzKrfI8Swqz6sG+EUSlgqvWVpH8YuTEn/u8jq9EeOGKqxN417ircj3SXU3PqPVDTxfUaeB+vYjuG811JJ/cWfl1PJV3JCpdHsUzRM3I39yI9EJe7kWHcsLT1gJ4RJvKi/aR7504E5ZqKEndH+w3dFJISvdPkSlgiC3m8avsfMY07LGRW2sewqkkvVtSeqZZn/YnXBM/XsUwcST9bSw/buIaZo3zKZiE/W0dcxYWdD9UW4xPEsW2ZubHlRcBvF9COVPmNfcaRG8+xT8R6FNxGmA6baPka//ACeTRMTxTp1F+UCF9YjenUafrYOLzKYS7i0YyzCvMpqcRD3nD+o/ai3FHivsZ40lWrJ6sWbZUilZVDeRbe0SX4dx6dvhGl3zJJ4yItYL5DzgQisfpe9ENGjxSwf0k4fbVdy29diuLZKuNSL1GxP8f8vhx+FMh2Vt/wASeUUJ/kuh4/azxUvZP9iHq8e/qQt2xHvNuBL29x+rvhTN9SVfuYnkuTKPNcGSyknzIyvjKnEbvi69ydNjt4oVXarCmFH2JLGNUeOeaGvW0o81wKiKISOJ5XhFFMJf4kFhA8KJP3EUbu54/aNvMVLbV0J5R7m7t8HqyXuIrJ8mLOVOKPJi0+VpODspSXAng4p8iMsVTgOOy3qN4r/yeOeKoxra4t/MrsrX5n7PmimZFfBKvw8ry7Fc3/Uj7Dwkq5kfh4vaz1iKllG+SJ6Lmyw2D9zJ6roRrjJCeDi+w44rqOL2Oq51IRxrBixjJriJ4pPgJ31XyIv7WTi9lj4kbMPkSswfOhJZkVmJZoSeZvROl4tZFPwR49B7xPXoLeeJ5Mpm+o95JYyUVutG9/FlEVd7b5k9V0F730P1T4MUsk+DIu50/wCyPbNPieWODUjx51iU9Yk1c1VCs/3R6WlNlrX+RVW1i/mSWhAj7kVf2yYlmug833FvP1RDJFv5Ceb6C1fQ8Lxr0N76jeNepXGbfIbd5XAjbceRrGnIeU+wn+D5Mi8Yvof/2Q=="; /* CC0 textures by qubodup: http://opengameart.org/content/tiling-cardboard-texture */ ol_filter_Texture_Image.cardboard = "data:image/jpeg;base64,/9j/4AAQSkZJRgABAQEASABIAAD/2wBDABsSFBcUERsXFhceHBsgKEIrKCUlKFE6PTBCYFVlZF9VXVtqeJmBanGQc1tdhbWGkJ6jq62rZ4C8ybqmx5moq6T/2wBDARweHigjKE4rK06kbl1upKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKSkpKT/wgARCAEAAQADAREAAhEBAxEB/8QAFwABAQEBAAAAAAAAAAAAAAAAAAECA//EABcBAQEBAQAAAAAAAAAAAAAAAAABAgP/2gAMAwEAAhADEAAAAevPRZAFpAWQpAFqAFIWFhSAIAWwAFgLCkBRCkiioAAWFAEAQVUABSRaIAAAELZCgBYVAVAgBbAAWCLYlhQKQBBZQAAAqBAAWwACKSqEQthUAQWUhQCFCiCABbAABFpIpKqJVIAlgApAtSKgABVQACALSIWiBCkFgAoIFAQAFgAoIFFQQpFpIAWAAAFCAAFVICggC1IopBAAWAAAoCAICiwAUgBSBQgABYAAUBAhSAosAAAABQEABYAKRYUFMxQBRAAAACgIAEFVBQAFACIBRAAAKFCIAAQCzQACwFgAQCwCkAloAICAAoqoAUQoEAQAWCqSKLCkAQEAKKqAAoQpEKCAtgBRItIAEBbAAAACwqBKABC2AFgi0gACFsAAAAAKgCAAtgAgKJRCkBbAABFoQAFggAC2ACAqyKCAFshQAsKiVZCkUIAAtgAikqwQAFEoAItQqBKQpAAAWCkAUBAACykKAQpFpICkAABYKQBQgAALABSApFRSAAAhRYACgBAAFsgBSAKAgAAQosAqgQCABCiwAAFAQAJSALRBQqBASkCkBbAAAUIAEABS2FhRAAgICgVUKAiCggCApDVEEUWFIAgIDVgLBFABACUgAUtgBYWFIAEBbAUkUllUgCAgAKWwAFkWkKQBAWwApJLaQAIAQtCoACiFRKIUgBbABFRbEoAEBbAAIUEWoWFJAAFsAEBVQIUUIUIVEFUIIUiopAAWiAQFUEAKIUQAIBRC0//EABQQAQAAAAAAAAAAAAAAAAAAAKD/2gAIAQEAAQUCAB//xAAUEQEAAAAAAAAAAAAAAAAAAACg/9oACAEDAQE/AQAf/8QAFBEBAAAAAAAAAAAAAAAAAAAAoP/aAAgBAgEBPwEAH//EABQQAQAAAAAAAAAAAAAAAAAAAKD/2gAIAQEABj8CAB//xAAcEAADAQEBAQEBAAAAAAAAAAABEEEAIDAxESH/2gAIAQEAAT8hYw5GCuuDuqOnA7miCvdQwZxx00Q4uLjDvUQdRx085ohqrxORrqjjpzfAYK8HkK8xDDuMYKo+N1R00YdZ00QwZ+4ucB3iMO8RBDXqcDg8jB1FTRDDXVnoeIwV7HF7CDqPAw1114miDvMQVVZUYX5/WeJ4TTDBXDXXkYcnkYYasuYYYa4feJohg7wdMMEPurKmmGCuH1nRjDyCH3VHkYdzTTB3sYK669AO68TRB1HFzDBXwGGCqOPAdR5GCrLiGCuqOmjDvM0wdZUYd1xU4HB4iGCuP1zka6o4uIOo8TB3wHc00w4qPIw117DuqKjDuqLiHhEMHdceRg6jpp4lTDDB3HHoK4/UVOYzjpowr4BXV/jvmBgENdUceBrrqgqrip1NEEPurOOiGCquCqvYc4H3XwCqDuvY6CuuuPEQX4hhrrj9xc8Bg74xjBnFzqaIK+B000YV8ByHezjpwHWd/9oADAMBAAIAAwAAABAjbBI02ymggIJLbW2iRRIEGQkkiABJaW2gyJJZJY0miEhLbW2iYrJBJakkkkJbJEk2UBahJamkmkCZLEkkwZQoJK202GbJIEkm2CwJZK20myTZK20myE0wbK222iZZKG0m2GQTbKk20AJLbW0m2mybbIkkgBLLbW0220gTbIk0yCDZYU02m2AJJaGmmgALaU200gJJJbG20SJJbEk25JLbbZS2gQBJbamGBBJZbZQ0kBBZLa2gaJJbE0km0QlJJK2iYJJLU0kkkkJLbY0m0pZbEkkyEkibbYkm0ZLLGk0Qo0ybJYkmUTZKUkmEJTTbZa02yTbLU0k0wbDZJa02gLbJW2m0zJJJLa20ABJJG2m2SbJJZG0AQJJZW22gTbKbYWkJZTZbW22gJJbbYiDJLLZKEALAJLZaUwIJLba2TJJZKbbakgIJJZGwwoJLbbZUkjRBJZW0HRJLZYAkkCFLLJG0zFJJbWkmkwiDZLEk2hLICQhaAmmZZLAk2gW0ABJLaWD/xAAUEQEAAAAAAAAAAAAAAAAAAACg/9oACAEDAQE/EAAf/8QAGREAAgMBAAAAAAAAAAAAAAAAAWARMHCA/9oACAECAQE/ENuDALgpjuiGn//EACEQAAIDAQEAAwEBAQEAAAAAAAABESExQRBRYXGBkaGx/9oACAEBAAE/EGk0RQs/hb9Ev5OkObHpxx4sduRB/bwhW/D/AKGrs48Ym9OMXhGsW6MaqRqh+GeVV6VQe6Nob/6hKOCpSfZFh/I0vxjZN0aRSDC9MTGELRKyLnCJweHQsFflaybYw9oejxEKJcSc8LwmLdGHpKjCJHIFDQhRIt8Tt0OaHMKh54wL681/o6QGOKHS/oxZxlifjochzJwYXjjE6EIkTZcj1DeDVGJ/BNP0W14ejdjxGEPP0UwLBI0J34ej1Kx8Hh9DjgwfoR0WlSPUOkhhYcZTx3w4nDQ8Q8OCwWMXRC3ww9PoP+BhYLwtgi34eyZBgd2Ojg38NnSL8NIeIeGiKF+iPsdZ0dh6hseeOMXhX/DrGHox4MLDAvEWHrHo+DweEhYxCP8AAtOspMoPljwmELw0JSLToxrEweDHQnXjXj8DVj5Jg4csWORCR19COj0e/Q+DweCdPw0i0kXIx8Hg8omEzDELRa/D0dQPB4cFnhGmKmxaxhnA8OTIs8WWeOh+HqG6HYbCw+whNSMPZHwfwRTOifC0Q10dD0jGJiRDiBJyEhL4EcoSvwaseo0hvDENUL/QhfJFkW5Q9GsGSMYZwMLSA1kSGtfQzUPDjMGhadHo9sQdpDxHDn2YZ8F5Yej04GlBw6jfFn8lH4Rh0xj4Pw4x68RPKISceHo+YPgko6Eron2JWaDD0h7JwPB6jRan4KDC3xoPR8OBh4PKMifHyLTrLkbsY+KTTmCwahVZoQJtfMGlJxUN0jn0PsR4hMi2R6LWPR8Gx+E28oWsngej0eoawxMeP0Wi0MMN4PB4PBqmyLRJOhKGaIDdj4PF+jD1BqY4jvhuWaND5BcCGPC0VB6PRrOjiB0jg3TKL06/gYenBhHB4LH4Qnb8dOB8J6TWEU/DC3w9HTRwMeeF6Kn4eB6jjw+jjFW+FotG7D2x6M+B60Uy8KRazoej0wqHaGOCVeEKJOhjW6PnjhwXhado7RRjVoZzws8f+CbI8D4Pgw8LgVpiclBaMYizRwPDjFfj/o6LfD2Po4Hhw4LXhE2/D0ej+R4cYsEUYmLTo7YxvDg/wJ28IVnToblo4Hmiw4LH4YQ0PR8HwcQPDgwhCDD0TB5YxwWeFIqcHQ2Ho2DmBZ44UFY906Yx8G6VjiPCz0R06GOB4TRqFnj7HWdH9B8MIboYOCweIeEUJV9j2x8swvseGsQhnU4fYW2dZMYNeHnyOkRQsf4Ko8dLkf4D50akahy6DXJIiB4htRvi4P4MlA1L9OhBYIwJEMdHo+DweE0xUhnAmdHyHo1OIsoEocD0b/4HweIqLg4cF+jHn9ObAlTnw6MVM0SGHtCWoMHJOCwxYvsdDD0yhW/D0eDgdKuvxYsYpFY8FcBKAs8LwkPRqNn+nBggcZi9KCdmB6b4LX8eOjwPF8DmEPBTAsEvCUmIemLBSKjTw5n+D05g8RweC8LSZoPfCoWjDD1DxDw4LBZ4TEh5pwTOhaLQ+hikDseDwasQ+COSGnlD6E6fiAtfviSGkPEPDRFCEKTpcEUzHhfkCpjug9GrHg8Hg3QvljwYuGK17LWRZo0h4h54WOxfghfZrH4LDAtEHo3aHwcnCOcGoobBjW8LBPwtHoej4PEcOCxikQWipjfBZ4X6LRaHo5bFenR6PTgpAxwSlWLH4R0Uu2DTkfDGH//Z"; /* CC0 textures by Q_x: http://opengameart.org/content/old-squared-paper */ ol_filter_Texture_Image.notebook = "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAOsAAACECAIAAAD+yksNAAAACXBIWXMAACMoAAAjKAGYmeTtAAAAB3RJTUUH4AYcCwYFZXoQTQAAAAZiS0dEAP8A/wD/oL2nkwAAxWhJREFUeNpMvVdzHMuWrMl/Po9jc/t29/TemwKitNbQADW5CRAahdJaa60Lp+dpPg+c0zNmtLJiIjNiLXfPiLVC1Zvr0/9d/PWuerdTv99v3+w17yzNJ2sn7uo+WttxxyAbGCZ9g5Sz82AdpH31B0vi+/v8b2v52pK9/NC4d9TvLOWr3fKvnfLv/dzPt9mf7/KXlvL1fuPeVr7ZLVztln7bbs7/yPy9V791tuO+6oO9dss/a/lmr3j1oX5vbz7aO09OvrSe7J1nZ+PB3np25n7vj1O+UcbdjztHGc8s4+6lbK1HWzfuqN9Q3bvMt7ep729zlzulq73SnbN4vRf/9lc7buvF7fV7S/1hvxWnKEfpxlK7/tC8t9V+7zfvHa1ba/fJVbndy/625X7tl2/3q7+t1TtX69HZefK24676rbX57O2lvb1saJoPj/PhXiowyh80nsO5q/2HzzuFK3sr7ms8uBpP7s5zsPHsqdw5KAGnWglfLxNucv3B1X12NeJObMj9+EuWxJ1c4Tp/5R7u5H6e4llKUDlPbsqkZMqnFuqiRuqldmzAEuzBKmzDQuzEWmymBOzHC3zBI/zCO3zEU+OvDd9BABywAUxABnxACaxADNxADwxBEjxBFWxBGJxBG8xB3uDvhgsYaRl24Aim4AvW4I4v8AibcCqnHijfB9cwDu+wjwZQgvRwvY82UAg6QS3SzNUu+kFFaAlFoSvUhcZQmvSWckp72QA6RI1oEmWiT1SKVlEsukW9b6p31mV+f9PwrVuxTdW3aYS3zdC2Ftx0Ii+9g23ncNs82NSi23Z42z3+7+55J+2ZFgLLvHNZ9q5K/lXZu64FX2qRdcm7ynu3uuhd12Pr+sGm/3WcD0xKAYAb5gPTnG+S883y/kXeN8u5Jin7JOea533zgntR8q+r0U0jtmxEeXDbiE2SlmnBPS/61tXQohJYlnzTtH1ZCi4LlO/bFP3LamBVDuvxYnBS9LWfrJWbvWXJO8061uXgSze2qYe3tdC8HNxUgkvZGdrUAqtaZFbinXTVHp2NR3s36R4XwqOsf1GNzXOUw22xVet83TxeVA/XrY/r1vmmc7Fpn67aZ7NyrP7gGSQDWLusxRa12LZ9tmmevvQ/vQy+bDufNs3jbetiVT1at4+XlcicijKu8vUOn3znCtf5K/fozo6e4llKoBxKU5klP+VTC3VRI/VSOzZgiexpHmMbFmIn1mIzlmM/XuALHuEX3uGjPC2H8BrfQQAcQANMQAZ8QAmsQAzcQA8MQRI8QRVsQRicDdo+kAd/WIALGIEX2IEjmIIvrIU7Hp8YNuFUzOb9sAzXMA7vsI8GUAIPogq0IYXkvahFmqkFV0ZFaAlFoSvUhcZQGnqT6ppSIDpEjWgSZaJPVCqtNnzoFvW+KVztvLQP112cxBTnqhpclP2LkmfbiWyawXU9tG0D98GmGdu0wi/to27CPUcNZd+mCaZHmyY1hfFzVQmu6sFlzq3vtSj/No3DZfNgXjluPFjH2cC0GF5UQ5OCf5x2zvLeSdZJOeOMc1b0SKkN3pPguiFcuglr5ertILHfeHjXf9pt3L7rPn7oxfeHSZswhY9GaNM5AvdZzr2sBIfZwATnn90rXoN6cFWFhtA8i258VLEsR9fVCHdOkvYRr3XGjZ4GGW/zyVV/sM3KYUydVQ8W+RBPrVuH29bJtnexHX7bdj5u2vw7XzeOZuWjaSlae/R0UuF5JTYrBhfFsDyqROel6KoZ2zYvtp3zReNoVT9f1o+oYpzzjPL+xLc/+OS7RFzXX7mHO7mfp3iWElROMUyZlEz51EJd1Ei91I4NWCJ7sKp1goXYibXYLMvLYbzAFzwy74wbH/F0JiIi+A4CwiHr4imQMfhEwQrEwA30uBMkwRNUwRaEwRm0wRzkhf/DO7iAEXhRW4OCxdQBrMEdDFIFbMIpzMIvLOMRjMM77KMBlPAqCbSBQtAJauE7ykE/RkWHKIpyUBcaQ2noDdWhPRSIDlEjmkSZ6BOVolUUi25R75tRyvvSCm66/k3Nu21Ht93DbTf20j/etIObtn9d9vAGbylucLFF6JVQ59m+4Q3oH2+HMH28HfDl43Z8uu2f6NnRp+3008vsy3YA9LypvPrndJHLenTbOty0DtbN2LriW9eMqoouDF3XwNG/rdIMB1YV/6LgW5b9tZvdeca+KLknafsouT9LW2cFh97CWkTdQu9M/0ZnL93TWY4+wQsTtVvbohrEwmneSTnTnHee81LUrOBZ5jyLgnNGJ5AJbCvBXwf/ZzvlnRQinaR/VY8tq1H4WFbC69bBph6b8X62wPR40zhad04QzbJ2OMgFhzk/rV0/De6H82JgWQ5s2yfrysGmdbaoHy9qJ9wPVevW8boS3raPJqXQohhoPzr45DtX1qqCYg+5k/t5imcpgXIojTIpmfKphbqokXol2Y4pGXtaR7KN/q1lrMXmahT78QJf8Ai/8A4f8RR/8Vq+l2mwvaAhTPJO8AElsAIxcAM9MATJf0IKtjW1dqAN5iAP/rAAFzBCUbBDOTAFX7AGdzAIj7ApTmFWLd0BXMM4vMM+GkAJ6EGqmH6SQtAJakEzKAf99KQlFIWuUBcWojTpDdXVQigQHaJGNIky9WybV8iLYtEt6n3TS7lfhkdb/TvYdhHl4Uv/aF1ybWu+JQorexYp+5p2u+xbEDBUw0RdLy2anMi6E8bhTf9Q/o/P9Q+z+mcvs0+TWuQf828vg5NlM8rLPUwFN/2j7fTzdvxlOzzbdo+29AtdtHiwqPoVpbQjXNkO9KcFzWreXbvdWxXRn2ec3J2mrcuCZ1XxbuqBFW9kC31EVlW6vOCaToMYpn2yqoVTP95O8nRqzkXJSVuyLKFsz1Je+Hl8VvIvir5NhWYmOFOneTDOhQdJ+o3DFY1i94iWYF0/XNBzdc8llw5Nb2xRP1zXjrl5WorNSpHao6OXgEJ8p4E8XtdOFPO0zM3Ni03tZF4OvLTOtoOP2/7punO8bh5WH2x88p0rXOev3MOdup+WGLnTvfJfSqNXqUQon1qoixqpl9plQyPGzYo9uudYiJ1Yi80rNfmHeIEv3IxfeIePeIq/eC3faz7hUPKofS05wQeUwArEDG4GwxINsx9UwVYIg3PFy+MgD/6wABcwAi+wI/pgqmdYaxoGO4ZNGORP8AvL088wLt47R2gAJaAHVIE2UIiRrxHM6Ez66RxKS80IukJdaExKKxNA+tAeCkSHqBFNokz0KZWi1eERukW9b0Y534YYd3SkEluoKrqtezfoAynkresybXNAwQeaKEgNzWf7PwhKeKuMBbxb29Gp3pj5p+3su16pwdmK15o3DMl2j15Wl5P8wcv6UrfxCk5psM9Mm4235rPHzRfbCTfTTkcXOTsOlH+/x+Jl0TFX729d0fUQP1R8BGrEUquie1NTqDPPO5ZVzzLvmmft5ct3s5x9mLL047tDwuiMbUbXlnOOifyKHtPwB9VtQWQ1TNDZS3mH+ZC0WMeM823nYjv4RE+9rtLrIY7YCiirERO7B4eF2CDry/3c7aT963rUBIiRrRqYA7Ws7ROFhhDZxp2TLXodnM8Lat5IvPjku4Dieu+Ee3Qn96sJJwA7MOVEVGY9SvnUQl3USL3Ujg1Ygj3qE7i5Z+zE2v45lmM/XuCLwuiqvFNQhy4rkOXBdxAAB9AAEyGTsoASWIEYuIEeGIIkeIKqsC35hHMlsDLIgz8swAWMwAvswJGYgi9Y6/3/eIRTmIVfNbSnMC7eV5eStRqvU6kC6aMQdIJa0IyUc/7PFrAdQ1eoy7Q4Pjki1QVQIDpEjWgSZUqfqFTaI8QKo943/YR9S/bW8G/6ke2A1+uIKGdRsK2rNHueec6+JFTN2uQY76KI9217yPdw0ybKpgM6kSdqgMlIInKGf6MLuYG5dBOjr92E/wVbxx/18tFl8PiAlvtYrw2+8Y9CJh+33ciq5pvn3dPUfuN2d1Vyz/KuUWJvDI4Zp0L+snfTiGyArxnZVHxbgvVGEMdoclZlV/Hy/T/qRMC2RcGxKjiWOdsqZ+8ROuc9s7x7kLCOCQ2L3hUpS5NMK1p/dPbzUSIwgq1VObgiiWwcL2kRFZZFV0Wa54Ml2UbrdF6Pzio0DJHWs2dUIC76SEO1qBD/0GPCwadN+4zOd10hyIkuy0ElssSg9diiHCxd7/G5NFe4vlReFTV3RvQUz7ZOKYfSKJOSKZ9aqIsaqZfasQFLsAersE0WNo6xFpuxHPvxAl/wCL/wDh/xFH/xGt9BAByERsEBMuADSmAFYuqUkEUjCJLCsylsQfgVajAHefCHBbiAEXiBHTiCKfEFa/+k70hswinMwq+a2I8wDu+wb0KFMyPri3/KA52gFjXDFyqkcyotjfU46kJjUlrJh+rQHgpEh6gRTaLMf0oUrTawPIx630zRe5U4OLTqgJGJmpt0KMFthd7cJsfqSmaXvJSlALlF+8mtdKdBETJXKX/3eKMg+ET9CAEGYsWTtmIdCa530nr2vby+sotf28n5ZnS+Hca2fcIGWmXe46Pt5HTbCenNbkdGKds0aW0+7nRv303zvEKuZc71zxaU3q1JvWpptsNjUxFZEaJxzYrOQdz+wjta8y5Su7PU3jD+YZrYXZYCi4KL/IPoTYEgGR5XNFAQqtza+gmPuubRl23nbNOkyz546Z0TWU5RYS2yQMS18DQf4kUfl8KzUrSdDM3Lh6tKdEXELPnytsfI/Rc5L8HuqhKiIdw0TjZE/KQmrRjiKxFxIlYyB10hAiaqjq3U0Qd4yowb/Kuc1gElUz61UBc1Ui+1YwOWYA9WYRsWYudGSTqZwBfsxwt8wSPjVwAfX53Fa3wHAXAADTABGfABJbACMXBTkwaGIDk8FqqNMAiD8z9b8ZwL/GEBLmAEXmBH+oMp+JoY/GEQHmFzGBOzk3OxPL6AcXiHfTQgTbeNvqkIhSjeODGaMfpB9GipQWNxKHXRAWroJqAErE5Q5EOHqFGabPrRJyqVVrshdIt63wwT9lXJRJnNgDROblgP02usK941UWxLPftWze2JIutWtJ/xrCgFMoj6sWZ4obewZ97CsXGm89rKnmw6x8ooRx/HBeLgc72CUnlM/vdCq1ZkPTw0kQOGuld596bkwoDBs3XwvNO62Z1mHf2kZVF0r00cttC76N/W8EGC2BLe4F6Vjo/8zDFKWSpXf6oE0u2qb5mxLdL7ZDOrRlCZRE15z5RuRAqjvw6Ni6Hak5sGT1EvMWjjdMO/+jEZzyTnn9eC5FXjrHOUdRE1TvKeAWl7+aB8bZ+XaWy+Kk9tEsIiPqKCs02XNPdo2+eTXDBqArWP2x657FHjyWVCi3Ndgba6AVN3HvGUniVXo5ymAg9KpnxqoS5qpF5qxwYswR6swjYsxE6sNTYrMsYLfMEj/MI7fJSnGtshRCH8oEd1ggaYvIIDSmAFYuCmocmqGySFp14z0jijftAuEox6wB8W4AJG4AV24IgS4AvWxF03Co+wCaeG2ZjcH13AOLzDvkaxFFYZ6vXFBI2opWd6YPRDvR293ugKdUlvGog4EVAtKRAdSo1oErlr7AsRK1JHt6j3Tethb6u+1b1pYXqAwHldM81wk84irMCZ0FsDFIcrnm8dkCYvaweKg2kRix6lh6IE+Z4ok+XFmn00+WZMF03bM8gE1vxpYBrdflS5ZMNXu/mr/7jz0vBt1cw7tmVH72nnW/D/GCatw+R+5fKvfnJf/SD5RMa1yjgXaldMNlkLbBsUopQcHMmLpwX/OGtvXO8u8441TUvWNk1ZpxnLNG0h+56RcRNIFJxqTjL+uQZlIvNqqHS920k6Jzk7N8wL/mVdUe+KZIjcjma1SrdzMC9J0ItaaJwPTEvB2r1zXqPZOCaElSKHn7bDr0QFCkxJX8ZfFU8PP29ghb+2juelYPvZxSffuWKuf9Y93Mn9PMWzlKByPiqYrh9TPrVQFzVSr16nkhdLFhqjjMi2suzEWmzGcuzHC3zBI/lF/oqPORf+Gq+9ICAcQCNlBRnhk3eAFYiBm8Z/wLBlCCWOqgVAWDiDdobo2QX+sNA3jMAL7MARTMGXWKv4YBAeYRNONZYFv7A8OIBxeFeQ1jJKQA+oYmYiScSAWriIcroxqagewAB0hbrQmJRmJCftKXULS41Nv/phmjNUilarbnSLet8UL3cUcBSc27Z/XbBvKu41uTy9NtlSncfC286RmoceQRttxmH3ybHkTW0fkl5o+qMaIH4y8Tgv1mflMTLrWOF2LTIv+hZ5Z/vZviK750Un1Gsp4eW9J9MkTt/WNUC9eN5ZZPYmz+8mz7uj5F73cSf36w8Fi91DDQeq7QzrH/ED7W4tsqyQX0a2dTp6P7fRTc9L7nGBSD9Cx7cq2kdPe/OcYv9VjbYztCrSpQRHSftCI6OOUdbZe9ivPTo7j85pztN/tpJpTbPOJWJtaEBtXgmP0nq/x1nPrByYFXyjUnhaCFbvrVxfoKFKaN08MWn1Z4V60u6xmhMCvsnX7eTbtntqYtZIJ+7l0wwdnOo6f1V6cGHe+a96lhL6Z5RGmZRM+dRCXdRIvdSODVjCdazCNizETqzFZizHfrzAFzzCL7zDRzzFX7yW7yTiVTTtBBOQAR9QAisQW5rYHQy58j+ogjA4vwIu5OshsVAJwgi8wA4cwRR8wRrciUHyrappy1th+N1qNCMI4/AO+2hAI3Rc7xrJohB0glrQDMqpapwALaEodIW6Nq9DaT0zSID2aHTrUqM0WXJKnwU7WkWx6Bb1vmnd761LXv4zzVuW5KcF5Eu67dfMXDegZh8R06oPzzed2H/3SK4J7PwmCD7RMAqvSyO0bgSXZZ8e1KxeTGPjvMRl5IVv/vLVzrLkX7c0yzDLW1Z58lmQohB6Pd4q3yKxO8nYek/vOvfv6zcaRc/9/HOq98q/QqZ80qNpUkdTR0sy4iK9m4eceq721Q4H0Nm8ty5KXtlDG9+kuQpNEtZFwU13M6XelLX3tN+53+k/7bXje80ne/PZXY/7lqXQPO8fp0nbXbNcYF4OzXI+AJ0UFDnwui/LkXXnYFKMjfI0qN55icKVjypGUmj0bTu70uf8ctv7Ity7Zphz/ms7+7YZXPSyIT75risKJE7NyOsX3f+vZylH/SxlNk8on1qoixqpl9qxQRFFwYNV2GYsRNYubMZy7McLfMEj/MI7fMRT/MVrfAcBcDDzAhEhQ1dT8oIViIEb6AnDnP0VUs2NkQsSRip39C4M/rAAFzACL7ADRzAFX7CmiS0SQXiEzVYEZuEXluEaxuEd9tGAUYJf81CazJNOpJZ/PhjWzAVaatAG+1EXGkNp6E2qUwN6LB02Q2hSDxboY+1oFcWiW9T7pn63R7C8InioOzeENR2c9Kh1pFshOuG/mrY4JyQ3zf5x9cZqRq1jK43YeRR48VqUfZpu4PVFZGW/po6Bgx48TcLrrd5ZZgXPuuKR3WXvRmM3vm3JOy/yV8c4YxnFrYOH96OnD93HPTMDt3N7/h/jlG2S2J8CdNa+yDrpDRdoveicZN0bCil7BikHJMEE6cXw2VK73V9VFfhvih4zcEbr4p2knN0nS/v+fedht36703jY6TztD1PuSSFaubOXbh2zYmBdiqp1bymjIrhENFPNXZPNIFbcCU5LgXn1cNU47SV843x4VT80Uzyf1Yh2P20IBhAiUW//47Z9LpR6iqo1g9M5qd27NpoWOdQVjT2BobmTyHh2pWe7n1QOpTVjlKyVGAkfdVEj9VK7Zq1q0ZVSNK9eJ8JfMr9WTC1lKYr9eIEveIRfeIePeIq/eI3vIAAOmkUDk6LGHFaa0dgHMXAznY8LJMETVMEWhMFZaGf5R6ThgQW4gBF4MezswZT4ilvhDgbhETbhFGbh17RlmkyBd6pGAyhBLQ7vG1JGshobCGrEt+KWfqoetCSPmjHUpTng/rH0JtXRUkQVdbRjGtWte6TPFmp2olh8Qb1v+knFDDTUy4p9UbAvM/trLWwIbOnr22E1/kTWDcCNkT6vW0eNezIq0kPXgvipSenRdT2q1Aqh0xMVHRs5419mHPOMfZJ2EX4lvv85TFjHtApp25RuiLAsTUxmnWft/JsRaeQ8vbilefuuH7e0Hz6Mk7bbi/97BHAZ65iXAT0pGtHk+zyvAc5xiqjONs97iNKGz3u12x1w6dzvK2wgJTXjJ2sS1eQ+T01ptwqBUcrOF2CdFGhagiT7g2y4nQys6N/7n9ftU2XNrbN173ylYa+oGsvm4VJzzvh+MC/HVo3jQS42LR5p4ELxwxcNDC0vt0tSb7rF79uhZiK3i8vt7FKN7vjzP0afMlcWPnUDV7jOX7mHO7mfizxLCRpP/aIyO2eUTy3UpRppCGsxbMAShSX1qGzjVWmdYS02Yzn24wW+4BF+4R0+4in+4jVfhEByHzRe83rhU/WDFYiBG+iBIUiC51hDxU4QBmeeEuYFL/jDAlzACLzATt8wBV+wBnevJMImnIrZ5B4swzWMwzvsowGUgB5QBdpAIQoqepqBE84dJWpoCUWhK9SFxjSwU4+pn9dAQsTokG6BtsaLPqXSil2hRcWHet/0kk6t/Kh4NTVQ8o6TlmHa2Zdj7rnJnFaESlnPIq9p9HnRn/6xM9dCnBCdkWZ6aIbrtGGRJf+KHq31oVtHKBk77fws6ZhkrcXL98RtOAY0U0Hjnuccq4L5kjfjNSnrmL9mnHNiuIS992x7/vZulkF8zpfOidYYpPbHjzvTvHWhFUUe2hI6pmWe3o2KXKO0Y0hg8LA7M8tW8GVO3l0OrItBDbNUg/O8m/53nHVP8v51KTQtKRjoJLz9LJ3U2RpFti+23QsTrZ6s+xeKw0jXQNCMMKwbR/Pq8aJx2k7RGEtt295HWtZN52w7/qEVC7Pf29XVdvX7NUvbdD+at+IIlPK/rXyuVc5nXX/N9lbmfp7i2fEPylE73eOpL5RPLQu1wRjwOr5xJEvq9IQXsg0LZSc5yQWWYz9e4Ase4Rfe4SOeKt7Iu/EdBMABNIQJLCtidIAViIEb6IEhSILnRlEERNPdWUEbzEEe/GEBLmAEXmBnrsEfJ3zB2lxrs8QjbIrTontqGho1VVknvMM+GkAJ6AFVoA2t46Eimt5GRMqR6jxoSUuISkZdRT9KQ2+oTtore6XDghtNokz0iQtoFV/QLep9000RmwZmWfsgZW0/vW1ev6MDGiVsw/huN743fOa6a5RyjjOOXtrVS7qevr7V4pica1HR5Pg071kpQqC3DWyIH3JEFH4zf0aZjtGTtZ+wpr69XRYDC6X8XkKZedo6y9FCO3pJ6+h5f/C833u2jFP2ZSlA+jxMu0dpd+bn25k0besnLL1nOymLgpZKaJbR3OacfifnJXGZFuni/TzSf7I073bHlJy1juOUz6vim5ADJe3N+91+3DbO+Oak8A26Yxpg7zAXaj55WgmNEE8ytM3RKUlPKbasH710T1+651J2Tas4lqXDVeVwVj2cl49aieCyca4VPySmvQvJl3hg8HXDl/H3l+nP7eCLotvOhUbZOucvw8/VOwefmhNunWgijb8OvujO8Xc9NfiqEhBx73XB2kfKpxbqokbqpXatJKlp9BersE3Lg0oxrMVmLMd+vMAXPJppRg0Lo3iKv3iN7yAADlOtB7QLGfBJW8EKxMAN9MAQJMFzrtlNNwiDM2iDuZBPWGABLmAEXngEjpZqU2hoLHAHgz1NOTnEadoqftXL0dYG4B320QBKUDRc0QQbCkEnqAXNoBz0g4rQEopCV6gLjaG0sUZInWgPBUqHcWkSZaJPVIpWUSy6Rb1vUj/elX7tFn7+Vfr9rnr9oXT1vvBrN/P3+8KP94lvfzx/+zP19Y/Et53M33uZv3eKN/b4t93qtaV+a8n/fFe5czTvHZ1nT/PR2X6w1e9sw6RrkvMPnzyNe0fzzp77W+uG7z6+zV/uVq73K1d7zZt9Ypfq9W7teqfO91tr9c7ajLsacWvp1w6vYPr7u8S3P+8+/1W/3qle7zTubf0HW+PBWv29U7vbbz3ZutR1b+k9ubvPTrPk157++bZyY3n68lf5cqd0u1/4+0Px8kP25/vc5W4ZU+O+yp0NS5qPrn4h0rr3th896UvL7cX755/W7KWtcuup3DtbyUD7yZO7drbi3vqTr5sKD9PRUTYyyMTG+aNmPFR/CqR+2Tvpg3H+uJ+OjHMHk0JsVj4eZg+GpaNx4XBWPJoWo5N8rJ84mOVPxvnIvBBN/CRnivKdK1znr9zDndzPUzxLCZRDaSozf0z51EJd1Ei91I4NWII9WIVtWIidWIvNWI79eIEveIRfeIePeIq/eI3vIAAOoAEmIAM+oARWIAZuoAeGIAmeoAq2IAzOoA3mQv7eBgtwASPwAjtwBFPwBWtwB4PwWBNZuzALv7Bc0VLgXXjXqnGQv7OjB1QhbSRd6AS1oBkp554g3oGWUBS6Ql1oDKWhN1SH9lAgOkSN0uSvXfQplf5+J8X+2kW9b56//Fn49Vf+7z8zv97lLv8q/Xxbpayb3cbDfuNeiuknacBdrXtr+cZBoH1/8Wfp9247bh+lPKOMf1LwDdP+eYW2Sv3XKBMcZrxDdU/eiXp5/yjtKf62duJkYIFhitTKTbc1ShFsccU7SDoGKeeIKhI0tK5OytF+tDUfLLkreoD9nlY0f6jfvm/c7TZu97pxXnrlH71HGznKiBc05R5leHd92FO++kBHMyCSFqygud+8t7eeXcOke5JxD5IeXvHqnbMOK3EtDwep6oNnlCaIjLRS4X42NC4eTErHgwwxJYFvdFIMTQg5NAB8vmx8XbZ/dtNHm/6PTffzdvBzM/lOGLAZfFt3v246Fyv9+7yoXixpuTvfVxVkejYvhesPfj75zhWu81fu4U7u19pfnh0oCFFplNn9TPnUQl3USL3Ujg1Ygj1YhW1YiJ1Yi81Yjv14gS94hF94h49D4y9e4zsIgANogAnIgA8ogRWIgZvQA8OUCzxBFWxBGJxBG8xBHvxhAS5gBF5gB45gCr5gDe4GChSVMY+UWHvgVyxnAzAO77CPBlDCxKgCbaCQiRlCQTMoB/2gIrSEPegKdaExlIbeVAv2P/EWkZ7uo0mUiT5RKVpFsegW9b65+/wfhR9/1m7e9lJ2Dfun7f2krXG3P0pYhjj2bOvELfWrncr9bvPeQnZ5//mPwu8PLcQUtxGXjAi5Cr4JWX/CMjaJ7YhUIEMw4JhmULl1nPNX763Lon9eDA0zWk89IW9Iu5clh9a2E8KX/YRNizzJh4fq6vc7jUd79urDKO0aZl1qHh4tnWc76NCj8W+YsBAVLaphup5+ytWP0yRbWw97tXvbOM/9hBPvmw/WJgFM0mZepOAkR37jWxTpnUPTLJ2mt/XszV/t9jPBUSGyqB1t2+cv/c8vhAetL+vWR3pw5XYkEx0z4jv+vu192Qx+0CJuul+2i2tNRA8/aX364Pt2eqkbhsia2wgDztaN82XliO5+2TprpKJ86nvlSNcbZ4p3B+b+sZ6lBMrRpMZIJVO+ahn80IgbN1A7UXI9hj0zs+geC7ETa7EZy7EfL/AFj/AL7/ART0VKzvie8YKDdjeAyd178AElsAIxcAM9MARJ4VlwDw3C/ANtMAd58IcFuICRhnZk7MARTMEXrGm9JUFdQWzCKczCr1guhmAc3mF/pNklu2nUPGgDhYw1vmFBMxpozxKZONESikJXqAuNoTT0hurQHtWhQ9SIJnEEfaJStIpi0S3qffP89a8hWSTva44cVu9i/Wanl7AVLv8q/PqvwuXb+s0HtWd37+v3lvaTPfnjbTfpGkro9s7TbvfJ1rrbbT+S1e5i1kLjaITq7mnOvcRQdJx1Fi53Zpri94wzmgQeYH2SIMap9LMc6j7ujp4tZKydxz3caDw5egl79teHuVTuW9ciGkDIEaJ5lgRSjZAWmpX8itQTQOnsPVuHGeco7Sxe7w/iexqhK/i0dFWZAdF5WDtKShGz4ok8LLqoRBalyLAU66eCzefAvHS8UjsXXTVPJbL6xbx+vJJQTrS2XavdEfHFsn6x7n2Z1NRqKtjVZMQXzVCMiXEvtp2v2/Hfml0bfaEdXbdoSj+TkxHOZq9dfPKdK7pO+y31m/s7arw1IkE5I1Pm4Avlq5beF2pUGtc7WxtLsAersA0LsRNrZXPtGPvxAl/wCL+0NKIaxVP5W4rI93IYHLS03Ky9Bh9QAisQAzfQ06p/kEzY1ibHEsKVAGhPzPJi8IcFuIAReIEdOIIp+II1uNNmkDyplJbVwyz8wjJcwzi8wz4a0EJNrXFzow0Ugk5QC5pBOegHFaElFIWuUFdbW5jUDKnfuPmAAo0O/0KTKBN9olK0KsWmraj3TfHONk6R9bumBSX1/YSNCL31YGk+oldyLCuJLa/IIGGr/N5pJ/fTP9427nZ4b6YYSoKfU5I3z8iBUdrei2OcDf8XRaVl07x7nHRlfrztPzsWVXoTn4YGyT0L2mqiaY5qkO+accjbJ2n7OOtsEeOmXYXLvXUttK2F182QWasfXddiWlPfOtDCjroZ6K4GX9qHGzgrUpSv+WRbVml+vNRurgSX9bC2CVUji7KHbHpZDi4rQS1Hbp6uGicKEvIHq/bZqnmmaYXhdwmr+2k7/bWdX28XP7fTr9v5D33qT4j156L9bUW7uLhVM7z+vZ3+rS/zm+30aru63va+bdH36LuGh2eXL6Ofm9llPR7amO9miO1Kf+Ue7uR+nuJZSqAcSuPL4pbyqYW6VCP1/o8N2INV2NbVVLasHX3DcuzHC3zBI21Yah7gI57iL17jOwiAA2jMDTLCpxoSVuiy6AU9MARJ8ARVsAVhcBba7SjIC3/Nz4VgBF5gZyxR0gDRK9JYeGFQm7jyyt5gdqn1xz64hnF4h300MDN6oHa0gULQCWrR2reMA/2goqnk6ERXqAuNoTT0hurQHgpEh6gRTaJM9IlK0SqKRbeo903lxjZOayNn4/5D+3G3qYjzPUXwX/27+9C9+0BWO6SguKVy++H5+1+jjHeQso2Szn7Gscj5loQQaVf7ntBib67xVyIkq0Zq0o7u4/4w7Yp/+qsft0wzGnecZx2zjFNTZTXNbszTGv+a8BJnAhQlNx4sg5Tj6fMf2rjCv4J7rpY4uDbz9eTIGmEpuswAUFS4FAODp/1R0lG+2Z1pFEnTK9AzK5L2euelIGSY9cFiQqv4uuerzsG0FBnlfP20d1U/Qh8byQvJohJU9fd2eaUptMXldvW4XV9tlzeS2uxy1f2yHqLa37oy+1vTEGo++fKd+NWU8Gs7+SnlEd0Or16GXwfFixetfLgyV77rr9wz+6n7iSV4lhIoh9Ioc/Gb8qlFcqdGrlA7NmAJ9iyNbViInTO9HliO/XihVWylCH5poRI+ormK6axqMRAAh5maZG1TAB9QAisQAzeNERUDILlU5+nSVjEhLGrAHOTBHxbgAkbgBXbgCKbgC9bgDgZFTU0DXjALvxpd1hZRC7zDPhpACegBVaANFIJOUAuaWWrBlg8VoSUpKuNFXWisrXaQCMeG9lDgqxSlScXlNN67/BfFolvU+4YUr/OwQzUEHN3ELh0E/3pxaz+tuYMp7WvBT5zOO9F5srSf7anvb4nHZ0VF6LM8zaeb76taiJtHOcc4QUDCy2Hrp2zjZ2vviajfcnX+n5O0e24GwKdp17YZXJc82nJIsFGgEAIprxYBZnHP1085x3lf8us7giQA0vaEWniW86wKgYVmmBFxUMtB69FN82hrlhM0b98P4yS/O62bd8R57UfLJKclKetyQJOoRMBlvxa/1g+0j6h9su6dbQZflo2TXja4UVRKCPtju7zbLu62y4ft8rcUs/i1Xd1pumFN04hef73M7xbdn6vOF7WO6G9+aTT3t1Hh39xgZG0aZlrQ0dd188tL7zx3Y9N6yOYXs3zip/46e30Bfukpnl0Y7VJaX0PLlE8t1KUbqJfasQFLFuaNwjYslJ13snnwGfvxAl/wSH7hnfZKHeDvwmwKAgFw0Ah9ztVWXGsBJbACMXADPTAESeFZRb5BwVWPgDaYmzV9MQ0hF8TI2LADRzAFX2ZKXwyKx6wDTmEWfjXNQS+fdsM77KMBlCA9pGzSRsKKTmbaXBMyKnIbFfn5jq5QFxpDaegN1aG9qcbpnKgRTb6KE5VKq4/76Bb1vqne7895R7MaWJ6UaFwdo4xd0115/yBpJ+rnZe0m6OJJb33jbKB8q5ejQUGPH2je+ynrgGzv8YOJiff6T9YOn48W6iOl5WUaZ3wPn99qrLfk3WpWKbgsuGY5Nb0LdFnWdINimIxrVgiaZTQR/Cxd7UtwmkAPDXiLtC/NT0wmIdY0PbOpa+fCmOQ3Fxhkg4Ok8/n722mRQIXUMLDKeSh8UdGe3lWddyCyrkZfSM4aZpl5yTPOeau3zl46oGHaCfK93c6u1Y+rMb5WkPraBqstlEA3kytax2npfNH7sV3c05RuaDunUuSmZxaXTb5tmmbF+vCL2d58vqwebBvR6p2TT74rluW65u0+6U4eH37Ss2h6akqjeV7cUz61UBc1SuLU/jqThz1YNTMWys5r2Tz5gf14gS94pAmmupaP4qn2fmtpvPZgL7Ra0gMmIAM+oARWIAZuEy2x0IoL8BSqNe32UexbJvMOgDz4a0lD/QBGJuIoYjgKTjXf5NKkCaLPaS5MnBZcK03+RWea7QrA+1jDRBrcUJtIRm4Ugk5QC5pBOX3NQphdpY976Ap1oTGUht66Gu5woEB0iBrRJMpEnxMzlYZi0S3qfZO5fI/Ml3nftnu46cZWJboVP2EykT439ckfiXF5RXLBUcpXebA8fvmzqYG2ncadlegE42r3O/2UZZay8SJ2HiyN293u/S5BDH+q3Ow17/d+n/3XMOHgHx3HLOefZN2rvFneUfFOtANRW5TXFbM4oXGwKh8AU/3Ovi0DZWhe9K+Ue5kVAp2jbSWy7ZjrBW1623SPV43jYT68rEXLt4J7UQ6q2ShrR+6ySGdH/xAlUDMbGENTBF2ITfP+cT7SesS7wLZ9qiyKBKv7ddP7vKyeGblcm3aRXvu3pMN/Jz//Mb7qJCOL9ic1peMf28l3LTHrqglft461QKJzumoerkjDy0oW15XDbS2av7aYTRmHXNEyHQLW5iF3cr+eovmnBMqhNE2LEGp/ohbqkqCpV7X/liWyh3fsEguxU8H0a1LYPsULfMEj/JJ3Oe1I0Aw/4WktCgLgIDQMMtowUg4Jq1oU3EAPDEESPJV4dCIgrM1t6LIUWCnH8Ot6WYzAC+zAkZZkiK8o3MEgPGohl6aQ3OI37XqlG95hHw10zcgVqkAbKASdzNRLSzn8CRWhJRSFrlAXGkNp6A3VoT0UiA5RI5pc6DyAwMbs90Sx6Bb1vhlkAmYlQIwwSCvFmmGzXk5BParX7LHZlzvJ+PpZXy/tz1zudO4tI0RfDNJfjF8beQ3B2Ps0xgnaf4KQ/drtTvtup363V7vbuz7/j36Cpt3VJTZPu/FTs2Up+0SvOO936HVjmVbsNw6mhfA446/e2zetw3U9sm2Y7c0trepfd061XJqOsqHd4dve8ZpcvnGo5TjVw9xv+0I7yyPLQkgoEwiWIjOamYwPaqcZ3zjt6T07ekkbzdUgHW08entJEqDjZe1kWT1ZNT6KztqJGtS5aX2loV/q9LVV5utL53P5wb+sUe/Hdf1IO3K1SPJENrQOMGBeUuOkL4XoTOuJeZFCiZ87fGqjaJ5ul8b4kHu08756yFN6tk+NF9rFXVfJlE8t1GVGNr6q9rmJrdUbXKrZrmEq7+1HbF6a73iBL3iEX3iHj3g6NV5rupEYQ6+TMNEhBCWiixBYYQC4CT1s0AKaI6HaPtHucb1gikZAXvjXI3ABI/ACO5SjdZJm2x/cwSA8ik36w6wbfmEZrmEc3mEfDaAE9IAq0AYKQSdSS0LLMKSfIqlUEEWhK9SFxlAalqM6LcWpSofaPVQzymxigBIhnT5RjaDeN60nG4E2ofqy4F5qfb6yy20rpt3qWeJd96IQmuWD02ygk/Q37x3Jv9/3c75Jwctr0U/hlQNrOs97g6R1SOxCepe0DZPS6zBpJfAaPFmzv3bGKcoJvLRimzrMHS54g2sHm0pY+7oaUbowtb61kNYPlcOjbLib8L4MPkrZky/b6Rc1Nlp//FX7BPtm/bjWmJIAfTHrCr4um+f9TOgfnRPNzfZOlkVKBvqDRTk61yieFrvM0/Q7/lkhMM+HRsVw7ret/uyb5sLzcmSUp1Ktj9GEWT60KEQWPK5dgF+0XLV1vmieTIpHxVvHlHarGttUDudFz7IS1nkUFTW6kzzNWGiS9mpWPKW58WHK3c/4cr/2+OT7/1znHt2Z11M8a0oIz7Vq7JCSKZ9aqIsaqVe1j75gCfZgFbZhIXZiLTZjOfbjBb7gEX7Ju5wfTzVMZFJnENBSyeoBmGifafMYlMAKxDYaBPwhDF/BBFWtCTkWzkLbIA/+nWO4gBF4gR04Wmkb5oECD5rhagAeYRNOtQSvfgjLcA3j8A77aAAlGD04NEKf1OAdakEzKEf6SdnVxBa86Ap1aZY36UdvqE7aK7rRIWpEkyhTm6hrfrQ6MeN0qPdN6fdeL7E/fCZwti7bROU++iACo6U2Bnu1RBr71DsfjorB1rMz+3undLNbunxX+v2+cvO+fM2/t+37vcHz3oQstRjYVLlfY9rzvFdbHmq8vo4NPaZZBbsm56gdbrtmMXjvX6dMdPg80xbL3sW6eb7sXAzyx9v5T7Nc5lIDT2oUv287n7RZZf5d68Q1g/AZxDfN03Xz46p+0svFXrg41+zDtnu6qh+q1Skr4VvWDle1I1icZrxIYZQLDPOR8o2FIHVVP1tUjsY5fz8X1jkjpYNF9Xhe0jakee1AsSzqqR1qY3rjY/nOPStFubJGxJ2jhZk7GKVJHjyjLKLxjlMezeakvP1nzyDlRbKpnzt8DswVTVZlPNwz1aIOj55KeymBctQEVmOUTPnUQl3USL1cwQYskT2lELZhIXZiLTZjOfbjBb7gEX4tjI8rHYYir+U7CNA61A/N0uQv4ANKYAVi4KYBOKn2s/AEVdAD4Y7Zdj43yAt/oqmfMAIvsGM4OoIvw5rZldMzm5C7FzArfjuG69YxvMO+OVrJix7WSsHDOj0j7UQtaAbloB9UhJakqJtd1IXGRsLkcG20JwVql4oWbWu/Jg12249WNTCX2Ee9b4p//9F9eN9/3KXZH2Zti6xzW1Fksyy7/9GMvjQJMSOLQnDbPJuXD7opbzvuJNbW/hZ6jbRznnNrCWnWOslo5eQ461zknRtyKe3614TqoqiTL2aVqOYIWuS8BzpMqWUgaBzKebokWruJGfIcX246n9bdr4PMoWkJPmv6YEqLa5aAkXJx2/Sr2R/7uprxKx3fsnq0qJ8McijgfCNZf97oJIQD2rNl5RBlLKvhVcm/fn27aserupYiNB7djSd6QP8kF5xXI/MKcWRwWogMs/4hnS/vXuNw2TjF6wmBDW1zOaYZkLKOcVhUjzSKUkRGvn7cWr/fq17vV+/222QId/uazUq6OnFXQ8fM/cUn33Xl2d4w93An9/MUz1IC5Ux11M2RxGpqoS5qpF5qX2pL3CH2YBW2YSF2zjVzEcFy7McLfMEj/MI7+VgMaAkYX/C9cqh+o6ZBGCEDPp1zsAIxcNPFwdd/rvbUxuOvZo+JQRvMQX7w2kKLETN/ThpwKaa4rWO46ykUgU2Rq4nMA7N8+QTG4R32pQGdtRNGFWgDhWiFbcaGZlCOTlOgAc5qQ9RYR6Q50RheozdUh/ZQIDpEjWgSZaJPVIpWUSy6Rb1vkh//vX3/rnP7vv34oZu09rRYzDJQ9uaapuzaZNI52vT1es1KgUkxUnkghfeZkJGGWQuOVlrQSN9K+202NWhnpZZ+rmvhWR7FQIlb4WP7WBv6Grin/cDaQdWhGTANsNY3HuP/tvtl1SYePa3Hg8rEl6/jR1dmAva7wfqj2Qdx9s8THvpnWtTbuFi1Tls6dUoH6qjVobPTHuzYWtNL7lneDWTrql9r5JFj3jvMBOqP5BCa0yfp1lpEUpZGaFkIqJ0u+uaF4AhtZYGVgJLuSGdMNR61bmlJ26zMLCgR5/y0pv2Uu5ewNx+tvcf9zqOl/bhbvdstXu3Wrj+kvv3JJ9+rZiCTv3KP7iQQTLl5lhIk31KQMimZ8qmFulRj3kft2DDSEmeCP3IXLxZi51yj3dgcwH68wBc8GmtaAbn48FQLyrTo1g0C4CA0ymEhQ6NYDQmrFi8G8feZ9kqZ0yeEas8ckADOoA3mIC/8SQn+hhF4gR04klJ1FtnZ/zAIm+KUsAd+tSCd7OII3mHfaCCsReQ105RUNISPWqSZEnl8YKEjYJSQoCvUhcZQGnaiuq1O8whNFWS70CTKRJ9dRacfpNj7d6j3zdPX/6pc/lfn8f0wtd9NId/dkTb0WebaMeIw2//PzOEUX0yYf1aPe1ZKvZGdTspZNw6EfkmrI5ZFL4m2bCVvwI2GNqa/9L62k6E1KfzgVFNfnTPCspk5uG4JcxXFvsv6oXqNxtG2dbrpfNn2fzQzxy+akfqm7kyzBp+NfD+ps9M20tNt0xwLB+g80jzb1KKdZw/2bHXcQXCVc89LnlXOMXjcG2mrrX1Z9MwSWgQ4zTo7j9ba7V6dfw9WrR5MOTStiP0F9yxt485JyjZN28epfT7X6CbvNqsT/S3NeDvN+KV3ng+Osr5hxt1JaEQPhY0LqM01VuLs7idczbu91uN+6sc7PvnOFa5r450WBkiRPMWzOuks65sr0/BSMuVTi2SdV72q/V+WYJW8wMKCG2uxGcuxHy/wBY/wS/vnyI0S1qWGWu34DgLgYNDQyJfwqYXBaqMdKEJPGIJk0yzqHxmEwXlgOsCJwX/6DS5gBF7EjqRPBHUIa8pbSAPUgcTgVMc96gyAb3AN4/AO+2gAJajxqoS0SL95uDQrItAMylkr/wmbgOQEXaEusUnPQBQ+uDA7PY/RIWpEkygTfaJStIpi0S3qfZP4+J+9u7eT5Ifx8/4s59J+/FpAkzpVohZeF69SVF7QiTT00v3STwW3vc+b8UftA3kVkA7w0ngCb9WkFJjXQjr2phldtwnFkPhZ49mnOLhHq3nyoi03Z2teAF7l/idd5F/3XKtb6OB6SJyg9qh443jpnAoOXpvuhY4bax5vuuZd6pq1Cr0jbf3taVJjXjqYV8PdZGCrheony4aOl5vnXKMUsY0Wp44M6wsa47RjlCBN3icdbj1a69fv5yn7LGUfxvc2Fdey6NT5VCm7jpjIOpY5xyxt6cd3hgnrJGXvPyPHt/lf78mvcz/fau3e3W4v4ZiVQpOcDsCclSKaUM1r7x3pGjm1huh/vOeT71zh+kILm3zcyf08xbOUoJV3Dzq7lpIpP6VJ+H1qpF5qxwYswR6swjZzlpQTa7GZ/2I/XuCLSfD38Q4ftV6q4MZrfAeBkVmKDiYgI/TaF2AFYuC21Z6/fyGpzu1E+3kJCZrHwlynCGghP1zACLzAjqbEB5/FV/f8lT7x2P0iTltn4ler9RUHwzvsSwNtHSKzVkAfQiHoBLWgGQ1rmFdIG2TGlPwZdaExvT+Tz6gO7aFAdKjRBZ23FECfqBStolh0i3rflC/fDYmDH3ZnOc+87NDqmaJ/q2rofSI6vY8QonG0bp3/9/jb/zP5OchG/nv69wsBE81z82Dd13F3BO8vWnIf0cmkpaD2vjaO6BaJ52b5SPbSwvu6rsRGGaXhms2nwN7nVf/ravB90QaFT/8YfNN6K6KIxsWsfNKIB176X1/ax//onr4I2QtzYMXZZnS+5lXpna97JHCHL40DcoVFiYz4sB73zSpkwfSwYbKHadqpIT86ek0X+RY55yKjzSBag5HxjJKO9uN+68FOUjWMA8f+6HlvnrbOU7ZV2mU2zDj6dEfPu+PEbvvhff3yj9LVH8XLv6qX75oPH+q3OhNX5+w+O3UkY1mnWc7KRFAxevaRcjj3IOUfFYLpbzt86rsWMSpi4R5NChSDPMWzlEA5lEaZlEz51EJd1Ei91I4NWKI1UmkrtmEhdmItNmM59uMFvuARfk0V+1nxFH/XOvZGCIADaCijKoaV3VdiYAVi4AZ6wpCes3cqVMF2dA7OplG8AHnh3z6GCxiBF9iBI5iCL1iDOxiER7HZOIJZ+IVluIZxeId9NIAS0IN2kpeCKASdSC0dHYKIftQD9I5RFLpCXWgMpa1NQCLttWPSYSWAJlEm+kSlaBXFolvU++b24i0JXeXX+8r1fifpaj6Salhbj97yjbv55G4RY93bazeO0u/dzJWlcue8v3hbe/QMs5GuTsYO9p4j7Sd36XqvfK9VzO24t5+Ntp+8vVSg8+yrPvqbj97kT0vt0Vd98DSfg+24r3jnaTz5+D7KHMzzJ93nUCvuqj94q7eexoO39uAt3Loevu23E3SywV460E2GBtnDce5wkCbxD/TTlBwYZ8KjTAQ7eaR856vfuzK/bK1EqPrk6iTC9Xtf+znQiXvbj46ullRbGze7ld8far93azf72e/vHz/+56/D/xX/8mfl6l3x11/163fVy7fFX3+Wfr2t/t4tX72rXe+27nZa1+9Sn/7t8fzf4h//4+njv/84+F8PZ//2cP5/pb/9mf/5LvvrQ/rnh/INjai7+eiv3rtbD57yratya839shaurNlfe79O/5NPvnOF6/yVe7iT+3mKZymBciiNMimZ8qmFuqiReqkdG7AEe7AK27AQO7EWm7Ec+/ECX/AIv/AOH/EUf/Ea30FAODwHwARkwAeUwArEwA30wBAkwRNUwVYLptNBoZ09BHnwhwW4gBF4gZ2GYQq+YA3uYBAemzrEW8y2tXE6CNcwDu+wjwZQAnpAFdJG3ItOUAuaQTnoBxWhJRSFrlAXGkNpJTEl7aFAdIgasRNlok9Uqt0Sv96jW9T7Jv+L/MM6SrpGCXfXrFYepzzjrFeH8mZ8tByLcoyL03So8+Ss3btyv3Y7CS9p8qJ5vKocawBfq7nJmmMaeqwdk1xPijEe7yfxylO7c6T/tvQTgX7C1457ugkndg80Muofpk0txMTF6LR8uOicj/KRXjZUffBnLx2DjL+X9k5L4UnlYKp9PkfzckQrxGloS0fzUmSQ8A5TGqTEnuazJ3W5PyqQsPuBu5eOddN86lBHrowyWkDdfbA37vY6cUvlN2nWh4dPf6R/vq/d7gBl62G/+ut9+fd+5ff7xu/96s0OUqhc7zaud+vXH8pXH0pX7yq/3qGq9Nd/r1/+2brdaT7oEPNuilA40E+F+rSy2XAv6e0m3e0nV/vZUXuwcU/8s+7kO1e4zl+5hzu5n6d4lhJ0GPqDnTIpmfKphbqokXqpHRuwBHuwqmEsxE6sxWYsx368wBc8wi+8w8euDlK34zW+gwA4GDRiICM0CmGwArGOGeIFw4G22dF/HoEtCIMzaIO5kC/xuBcuYAReYAeOYEp8FaNwB4PiMe2HU5gVv3EPXMM4vMM+GkAJIroYQxs6jVOnGsekmYqmeFARWkJR2IO60BiAoDdUh/ZQ4ESDMIGxUSYXUSlaRbHoFvW+qdxaaJmnBSXFmu0ou8xyECKkQ203r4a35qzVmfJimt5A7mqnnyGYI9g9XDcP6Hpexp83raN5I7osReYVbj7XKGA1OimSzodH+UDl1jErROg9Ceo3ykajS6J7YoD+OQEWRW3MKbnr+utRpMfz8lEnFTI71I8mOoHvUIf1No9e2kertg4h1ghO74JsV+vQW1r6PS1E6g9uMmu9Uc3TWfF4pYm62JB8KKepsplWpmo4thd36Bz9uKV8YxknnADUTzp7z7ZOkrCBJsExSDiHafIzay+lVbO9hKX/tM+/QcJe/L03TbrGWkfqhLBBxqvtaJngIO0bJvxjushCcFogrw2RgMNHSwr+k0++c4Xr/JV7uJP7eYpnKWGQMSPK2sZop3xqoa7XSqldNqRs2INV2IaF2Im12Izl2I8X+KJlu89OvMNHPNXSPIzRyLdPyDeECciADyiBFYjN9J2U69RMNOogSrAFYXDeaiA5APLgrwCgdQgj8AI75uCOY51q3DqBOxiER+3rrkT/P36JlAoReId9NCASq4pY0IbZzhNBLWhGytGypwO0RFGaALraMWL1oDedh6LfFdBhA5SPJs0iLc0cmwEcrRdHvW+6KcQR0+ksOh7Ys2mFXrrHOhBTpyqZ0w+6ByaIji2KwXGWfNypPeiNk3X7UOMpbR3BtJl+0RRr5+hF4bw2J2rBR1krAaZZX+2eTF9Hi2oiR0cnHSi4aeisqo1ifPANL+rRZTnKIyMy9LS3cmfh+8qc2DAv+qc5jw5hz7g1w9kM6c1ROSHyjJfmIS3HRIfx+1+PlFzpGODDUdY70MHxwXnWPS36Jlk6Gcc841sWNV5GUY0n+5gvyu2cEy3dck8zrnnRq4kYnUCqrbMrgrZqdKuJTW8/Ya9d7w1T2t87z3tWOnI9QDY9K2BeaJT0DJIaVViUIjPemZx3kFM0XP69o5g459USxxz3k8P5dGfSw1MzM45GOSotr33XlE8t1EWN1Evt2KDN4ZUQVpmpAS92Yi02y/K0Ay/wBY801lYM4COeajBUW+HxPQgOoAEmQsYcktnVodlhvr/o6M4TnYcCnlo5HQJhigJtMAd58IcFuICRjpZxBgytUfiCNTPJfyQeG+JUzNY0vQrXMA7vsK9VImUNEGmOunUohXSONJE+/aLDu8yoHFpCUegKdaExlIbeUJ20p8OQzKlzOvD8WIdFVD3m1BEkHkO9b/opz0oLNUjerdtWYDt+PaTt+PUwd5201wry2KZO++FZVcKtZ7c2ApTDC2lUb8NM8nLp8ND+mQZfdMLf2bZ38qLt5uFF1lu9sS1KoSXNeSOqkyer/NMJ1fOix+RbLjN97dGMaNHMlOZD9SfXWnMKOuljrsEX/6Lgn+e0VnqmYV2/zn40h6RPyqFRQdtpwIvUnotz6qodyTzt0dCJjqvqASXMs75VjvQ0tKodruvmRyjSWlTFneZ8iaiW4FSDi6xWh255PO8zp7c4p0nnIGEZZuylq71u3KbfN9B2/+hca1+i2LxuHi9rsWGOjM2pZUNatOU3M8k6OFqdbMo9N9f5q37gROezx3hKSWfFlENpRQ8lUz61UBc1Uq92smgnjw97sArbTFYelbV14a8DEtIefNE6gdqhvMsF8BR/8RrfhYDmFKjxaG7wASWwAjHhVg79D5KgCrYznRfqXuhQNj/ImwNLSVXDMAIvsIPNMKXfjsgSQJP1OjXBXvJs9L6FzUm+tMFhyhTvWZ2a/vJ6rDKqQBuz7+gEtaAZoxz/q5CkqEpEA9WVMErb6Khz/uGs/59Ht/eMMtFnK4BWUSy6Rb1vOs/U4d/U3BL7xBxIP9APZ2w7MS3Xrwc3HSIVnzgr+uflYOveOitq3a3OZNbgQ9QEIcHxs2WS1WHrCyBux17qOtdMv/6SJbjZW2Q1zK7jezW1GNXEdRl9+ERJJTgvBbW9IuvRaXbF4CTvqz149GMqxrdVTQfdTTRRTq/tNd1H8HW9pemXQ3TEnbiteG0ZPLvHWd8c2iqR13RYrU7Br4OwmlENwvfpKAnfD6YZX+/ZPni2a4CmogH2ZUWHluoXSuoBs/7YnIVfMyenZD39R2vnWUvthmrq3FNEk/ZPzfHUmrOtHiyJznXwXmBAt57R0WyYOow7ar93+OS7ueLgrzr+VSsiYisdtX1ACTqghNK0HMdN+dRCXX0N7nqMXsHzUIxWgy/m1I9VxVirSYEA9uMFvuDRSj+JYHzUucL6vRZzbNTh60CQ8KxEwAeUwKpjTiAAPTB8XUtpfpfAg6nmV04CYK4TEKWtIM/CiMYB6StoTbKepTZxBXXsWtYFjysd2mR6DNraohQF4/CuDCrnQwnSQzu20NpazeCiFoVb6sS0KsZoKYyuUBfVSWnoreLTrEI9KB12zM9qDEx0MNHRRyiWWlDvm/ajRSez6ui+8+3sXIdr80VnaB5K5joRKLhuhABLcJSDjTvHiirpzXVC2ZE50Seqc43qmpObpW2jZ0tHZ83a59psqGN1kt/eE9asicyKLrODyjVJWecZ18wcOrGqinut6jR61c8fpb2pnx/GafOOSjHOccqpxj6jpZg6c1yHWvsWOU0rzAvBoSLdUOHGOqff0U9gnOhY9sbRWr89oZMWlmZ7HMGWOrtqcFIMDBK0dnu16515xqGf1ik4tU6l6l3RnNACpfZxZJ63LzKOacZGn6VdZSkHUVcnadOCWv0IT2Td0PGHZmFDcFWKziuSspa5aMwoYMgLEkVMtVDQyxWum8nLA91ZispfBYiavl4pZCJI81A+tVAXNVIvtWODZpfSNqzSz6gUkbVX1hacWI79eIEveDQpmnevobBSrS8tRefM/HbJsdCon+rENzKWWhisQGxoJmLAECSFp/ZpOkAYnEEbzEF+pojCAxcwAi86UfO1WTHvobirEDK5YBNOZ+awYf2shk5k88G7WVlPw+RDD6gCbZg5I1pAelGv+mSd7XukBtGISurSKnu9nKhOk1PEDBW3aYNjUqZ+KsBoFcW2g6j3zawSfRmbH+QYmh8HWH3U8a7dk9dj0bY6V1jryldF56qgU9xKv3fX2rQT1K+A1HV427oaeDHLhbShI2vRqvuMsx/f7zxZWk97RIGpHx+WeR2ButR5oIog16XAlCtZAHK8boUdpXSUHcnHKOXpJd2Fa6uW+utwjZBWhaqxp/PyqosBr4pvqp1wgVUpRKMyzhDn+VM/d2elINd1QHfv07qh31nZNk/X5pizeRXRaMXSNOPhkd7Tfvtxv3mzo04j69zk7JuSe5mzL3K28dO7RdqyLLoWmgVwzDL2ybPWi/bjlvzf73rPrrHenPA8FxwradNqFalZo8IHS9O/67cFanRNsXUl2nywryvme81cr0aX5k4dhVaO8CwlUA6lUaaWRz67qKWvJeH71Evtms7AEuxJW2RbzrY01mLzQisKPXiBL3ikCfCMlqvjKf7itfH91Ey8HwuT1iH4gBJYKYjKkDP5uFkbZIo6GgdsQXimHW+SlDbt6mREba6BEXiBHThS3JJyvW4mh0H9yoF+YEvRvH57Ru0Ln154h/2W1rNb0AOqQBtSiMbp3WhGvyijw/+kJSmq6JG6aNR01qNTuxnQnhZL6mA1zbagzJX52aGhIgV0i3rfjHMB80sWH3WVZ9qB17X6iu7Lbg2M67g++gi/moS0o3Gzvyq7trXAsuRcl7QheaHpH8eiqEP4xsl92v+RMmh7+26v+nun9bR/ffwfw6SNLlLnSuU82l2d2NfRBFokatWxD0nHmIwqS//r6aV9rSdX9mpfcwQ5TcOqLc8H9MLooBr/NEseA8S8nTQhoUU5RKA5zUfSl/allrboqChNqWvG6NOGGK5EGqoDyLS6nF6vFBmmbP24zq3pPOzPs87h0+44/mH0vKtz1rKWjX40ybvK80Jap4n9eRoRW9u3H1o3b4t/v2s/anMvseCyHFtVjpa1gxnlN47Jvte1o7U5vHVTjW26p2bIJVi+sfOpJL17quv12FqzMEfcz1M8SwkqpxyjTEqmfGqhLmqkXmrHBizRidM1L7Zh4VTzL7IZy7EfL3QGT9yKX3invW54WovhtXynnetp/mzzeoBVjeDqGKxADNy0olq/0qWUFFQ13UP7Vw6B9kQLmjUApa11xSCMwAvswJGYSju0hjblgkF4NGzuD7XSi3xUu4BhHN5hHw2gBPSAKtCGFKJjM7WtGOWgH6mo5NzqN/BcqGtqNt4ZvZnfH8o50aHJNc3enLY57Vet7Ud0i3rftH6/05yH+S2xjU7y0yGHS+J0/SAhSZ9bP7FRVwhrftTAXb/Z2Zac6mSz9nnOPkpbiffVrRAr5+1zTE84ek80Wrx5e/V7rW65Pvvf7Yf9Sdqt6VkeNCn/KGPTasycc5zTUbga+sl6exlP68FWurOmCaGkS0XGJO/TomeQcPeTDpN68+pruf6yFl7q4PLIJBcep/25X9aNSY82TeKHk43a4BOt4K6bforrpMnovqI95b37/eLV++bNh9nz7iT+YZ62Th7eDx/fjZK7y7R9mrQu8nYdT5hHvjZAHyYscJa/fNdP29fa9xteVoh9iQRic5Oba3ymHNIPszV0/ji9/EwL7Q8rv/f51HcCQf2uVmxl7lyadTZz5elEqFGdtl1U+EH51CJ9UGOSdsuGDVgie5LWpX6bbBc7sVY2x2U/XuALHuncuoofH+UpkQN6rZs1CS2hsTb74YRPLQZWIAZuCjaKJL7EQv6hWhCXJiOTDtAGcy3YKOhgMbiAEXiBnZ5m/rxap0+DlRODE6XjNg3j6HGbYdkN4/AO+2igY/SAKoYaDiKptZvDzLV9WvrJmQMg0zZ0hbr02zMZ59rEpWgPBc6NGs3G1eC2Y35P5PU3BasR1Ptm1Tx40e7W4LYaeiHKrLpWJedKW/s9ZieqVYfnlfWTIeuSf5531+72ljk6L/ssa1FyhsTr5gcSK36tWdEPkHh62iqnjXjaVXKzE//yrnr9V/36fZfOLk6HYh+ndWwtkZbO7dOvn+K5c5j2DDLuTtxbvrFkfu6Msq5B0qWhK1LmQmCa9Y3Ih9J0c8TTgbkOW8dyTamQkQyTruKde9s+UGRZ0WgDMZ+WIrXMer9aWOFgmUhUhw62Hvf7D7ulv9+37oiDbZP4zuDx/Qj5xj9MEh9m8d1RfL+nXVyW4fOHkdRMkKejHXN//0XzgwSVW1SOV3TQzUONtta1OH1T1090mWwhpBSnRLQQbD3oN0b1XduAQ/xV4U39aGWeUkvcPKQcStPZ5Vrd76YW6qLGhTYpWrFBa7IeP2AVtmEhdmItNmM59uMFvuARfuEdPmqLa8t4rbWOp2ZJ1gmYmN/vIC88ACsQAzfQe9GvDh6A50xLC/2K6EiXsz4wF/IZsQAXMAIvsDPQzniPUa24Mxt7nWIzbYdZ+IVluIZxeId9s7Nop684Zw9tSCFZF2pBMygH/aAitISi0BXqQmNrDWL6tWu65EGBGi/SQIIbZaJPVIpWt/oVtgPU+0ZHxhZoqx3aB6+fniRtojtQsKIGvG5+eKcReWmFVwQ3BW/jzqKxswxphGNVcK9yiv3JRrXipOrfKouPkXuu9cuppN7WUcIW//JXWwGxa6ize0mBHa/HC5jfi9XPtGiDa8430JIuZyuhWdnSrW1Ei5ty98jfExhG1Bsd64iJ6LTgJWgzIVp4pDMrXKN8aJIPV25cr6PfanK6Ry/64cHopkDfRORHFqjleUOzEm1o1vfUtZhrb/JM52Cdpi360cU8r65r/LjXuX07iO9NdRqpZZHe50s3bgH68u89elvF5docdbTQQnKd66MlR/pxuLNt+/Rl9ElpVo3wUb8n1Xly88l3NRuk5KNP2pnX0v3mqbOVfkXrQJrWEKGGh6mFuqiReqkdG/iCPViFbVg408HMshnLsR8v8AWPdC5OSo33QBmYa2Z+MxgEwEFodLVs93WWCqxADNyEXoZOXG0wqOqI4n/hrCFtulOtgHPDBYzAS0vropwwpSNs0i6zDAY5Bl8PABlru5ENluEaxuEd9gdaV+RYv54UjzaqQXQitZiDE6QfVISWsDnnQl364eG8B73pt2Eq2pS+MHvm0aQ5TtMplWYRJ0GIdua96T4rRSPMGmdsg7Stk9zt0nmllJCp6dbv0fmnZp3XlPg1427f64jIJcm7OepwY46s3Ogs+YNNW+sq1xhUUhBDiNaLIxqHprLSbuIbLWfWORcEvmqD9SsSDa2xnOd945RrwL+Es3HvyN/sFm+t03xokHZOdWAUKbCmE6d5yvRNC5pkmhd0vsRYv6tMPOfvPLsqN04AJYxbm9Hi3rMOcNdvZJgDtM2BuGS4+oWfKcl1wlG739dv4iatU2L0tBusVVHKPnq2TojVMnbthLl/331413nabT5+aNzvJb78MXy2LXjnlZjSRGmH6apuTnVvH2/6OulHI1+tmH4Ztxybpdx9Up+UW0FzVYc8m7+emLOydWI7z1IC5VAaZVIy5VMLdTVft38/6Mz0gQ6HtJvlR9axDgfzYq0gTdqwHy/kS8KBX1o3UyEN8uPv4v9l7z2X21y2NE3d/nRN1amzJdHDe4CgF+UtKXoS3nvvveHp+TXPmzzVfQ07QhEKBAQCmcu8X+ZamcuoKYG+jBwkjbwpHak7FD+yQmIqeJcPD3WqoxLLSBXZTk08tIILXtpwKKcQRy2ERrJq8K07SzSFvtAaulOVX7HgRacyQoypOVYckhu9y6SMQIa8KaEi51bkbdPcbZUNcooK4BaWck5wBbp6Oqx0Cm/yX/0gEBzqeIB1JL4HPkEpWAWx4Bb0virf7DZV5m0bw0UVTx62W4/bjfvt2v1e50EVkpuRvUGKfd/Bg96JWdO/3rafLEhnkXOta0qdX6iLU0jrLoYgJJbD8gYKvlXrUKHiGW/ucrsbc4xwCKAp61kVAkvFa3tNGSKsIu9IwlJDYN2sJnydhDv6daOBA5vAw3vZqrwDlZsIyZ2vHysJUQau8i9Q/zAd7Ea9eTaHdIi9bxDnUWQxcDCpyg6YjiasCgpmz3hX5ZBCb/O+2qOtE8GUB+KOcZqVxqqI2xSGnWtiPtH5Ayvcw07ldgMh4O/nr7bqj9imDl12VGS/zpQ7/ZIr9e7fWSfVY9MYPTw3QfGVezuvvF8qnZ3d6fglo0HfV0+Ud7JEsYNZibM+Rq6bWZirqWxZVcKFBihRfq8WHpdZAkQtn6i8SMYLF/AyVhwzxl6IT+AUfscGT0hA2TcJR081R2zIBykhKySG3JAeMpQka0aqyLaEOREayCHzqqt90oUW0AUaQS9oZyB4qRKNqZLGZvhSTsqLTtHs/OW0NMN26kDvU/UpExJWKp7CShcGIeBkrRxejL3Q3KBooXBWVdsHXWAMpMmzT9kRAggEhypCeS9kgk9QanJhtsEt6H2VxBx82G2pwt9uWycysGrrRlXIp5+08UlfFcos/Yi1+WTrR2zpi7ejtOm5IANAIdgrmXcedVNTb02do5lTMLX21aVd0lG4wQkF3EE1a8j62ZIGrMEYlKwK9QNzRafeQSqVntERTzPuiv3c6SQwvzyjrFcFq4vmEgvbt3igCAd5QoeL0v6iesoWPMqFJ/nD+qOuc+Te4dXmA7OUcbTZKFOqqTFR7udLy8sjXZTkQ82os5tU5WOjBtWemaoCkmeSdI/QekT9IPCXJ3E8OVsvbuk+WTKXm5BkXPUDtSdSLXWdeJgK7J9WzY+L9jnWgjZH/WPdDdVubQu1TT98+VB/bZ+r4Xj3k6mk/UkjYFQ0TrW/F0OMzyzMxYxDLbEqsgQl0ANV0KbLXnxfHf7oAhz64QJeZqpviQ93tDJpjvCrSHy5TTquQRrIBMkgH6SErJDYyCS0IkOTjnbI15AtEkbOSHuq9gssLkrpQxdopCnTWZmkaGqmGzidBi7VPTKANtEpmjWF8zzoGo2jdwUr63zXqSJXWY+wkTb18krCjCSZ9810FuHiV+AKdIExgzSrUBczCEwKjWBSq2/awSdgFcSCW9D7Kn212U86leypJGmsDdukwHLlVhFIUyKlzsL8uFe/3y5eszbvpX5saElIOMdsDQVT/qyozl6ipuRRJ9SkfWWqHkGlOlBkfdnfu6OMt5uQcabwAxXc9ujaKcqS4NIFpupQeWF+mAt1kt5GzB39tj3iawUl3y5VtSBksiT2JSwFsqGVI9VAYP0on/bTB624p3jrHKSV8zPNBNQiRTfJLITylhS0VD2a1w6fawoWGSZsk6y/E1WpOehntxrh5mfd5snExnAsWWLzvkXOg7uwUrdx3BRXL2rXPRYrNBt0ns+PDXbfLRvqpqjMBdx/3aeEF1hWNV0HLiqmaUPlxKSdHutzRaucmG++Uw9GJfm8E47Lxyo4mXUxPrMwFzMu1TFAd3ILRbX7lopScqiah6quq2Wsjm+zXriAFzjSZXhDPM51xXUE1/COBExY1REyQTLIBykhKySG3JCePNHyAfJEqsh2oZwrJTgpN7MU1gWy6uoG0Ah6QTvoaGZaQxit+dGgqixE2QA9aFY7bYpl24nG0bsK/OjuPaR0/8o+2DAVwIQWMCPk6CDZqxL/CWxOoQuMgTTwJtQpLwsE7rZ14+sGmeBTKI0ozRPcgt5X1XtnO2pKVCScinXKeBqIRoaOo3a/Vbh8k/n1uoi3ewWCdzMX2/cf/6rd7Taf2OastYe9boTNWlUCBnFv68Fm2gK4exFnO2aSeR6cjXvrzefXdSUROLpRe1Opjsp8rD/ZFDR4t9u42+tFHL0naHJ3ntzFe0fq9979583yva0dDyjCNepUpHLMV3ty4drXGEdRO+y5ugvtJ30qA/Doif3cbkWcHd3fhropfz3i6aeUZzbQ3Wmgry3V23/cqf76Z+X6beFyI/L5n/GvfzVvt+t3u627zc7TdjeyO085lniNKkHOvoZt42P7AxmdqGUQd1Zv9zrxgEokFfYn6SDqf1bWyadl42yhOgzhYcIv+7igR07+ZcZXvNzhlfdK3i6E+SvfMXeQYX7FbxmBcRiNMRmZ8ZlloHA5HBeb2Xx9usXNu6BKtKUcXZ1MbUMzlEM/XMALHMEX3MGjOE254HpgJIAckAYyQTLIBykhKySG3JCe0gRTfuSJVJGtJKwYYh8yR/LIHy2gCzSCXtAOOkJT6AutoTs0iB7RJjpFs+i3q5r7mEPSO9oHAyABPIAKhR+xeD3gprMoYGm4wQ8oamqHxzDYBV1gDKQJb3fbYA8EgkPQCCZBJvgEpX3V23SAW9D7KvZrp3zrqN7ZWk+O+p2t/mSvYVfd75Wutsq3e7nrreKVpXS/m/q1EfmxEf+1++PoH4mfb3OXW6nL7YJiZ3eTPzbTPzez17s8c/ykcm+p3QBNa/UGo3kn8Wvrx/E/kj+2Y9+2Mpdbie8bj1/+evj8OvZjI/VrM3+5rWLL9/byjbX26Co/OpMXe7EfO1+P/5n9vZe8ZARE4M7+tmevrLnf9uKtI/PLkrjcLVxbchAG5feu7LUzf2N9/LKHs5y72mPG/I2z+uQfJv2NBxtiZZGo3W6qbtzNZu1mM/b9r/TFxuOnvyCgdKXHXWnGd5utm83GzWbzYatxvdl52Gnyer/TvNqoP1iqd5bC793I17+yV/ZOzNOO+NrRQO3Rk7naKVyLwnaEXcVbvudhs1duLaWL7fTlTubHxrfj/+SV93zC5/yV7/BNvs+v+C0jMA6jMSYjMz6zMBczquL01YZoMPRAlWi7EZ1QW1aJ723ohwt4gSP4gjvxaJiFa3hHAsgBaSATJIN8kBKyQmLIDekhQySJPJEqskXCOSNtZA6FyB8toAs0gl7QDjqSptDXvR3doUEIQJvoFM2iX7SMrtE4emdGMAASKibJAGyAEHACWsAMyAE/oAgsgShwBbrAWETY2AB1YA8E8hPF7N/vgUy1UTNYBbHgFvS+0iqV9fRVOk3ph4pIKmoXZofqsSrHbEolV3Y4LoUKrN9+el1WXW9L43ZHS/3DZu1hVxWMHy0d2UlOtXJhNY3a9C+Jph33nzYGyqb0deKOXmSvdA1q90o3u5WbXUWO/94o3+y0o3bWg76MYE/tyZ36bce8Y5xuytOJ2ztxL39txzz1R3vjyVV5tPZiKvCNB9OMuqtPbBfW+I+9VszbTLD8uPspb1MPIQaPrcd28bCD8YQ7Uv79tnT1Nvn9H6mfb+PfN8q3su9VRz6Oi+numq4Qg6ftjvzarYbKx7+pXr2t3WxUH/faEWsCn+HJ2k/4uqxtmWBLy7x/nFfAZDfFouJjg27FnO2IvfNka8tQszx83OCV9/okYuevJiZO3zc3NWFGYBxGM4VRfIzPLMzFjJr36i00QAn0QBW0QSF0Qi00Qzn0wwW8wBF8wR08wmnbcA3vSAA5IA3V1k+5kQ9SQlZIDLkhPWSIJJEnUkW2SBg5I21kjuQlf7SQ9KAR9NJUKXzte+gLraE7NIge0aZ0er2NftHyULkR0jvaBwP/BkPMPVCJEyc4AS1gBuSAH1AElkAUuAJdYAykgTdQp4IEOo9zmhptQqbwCUrZWDJecAt6X/VSbnWoVK9anYUtKuFxGXtU3fCG6cAwpeRbzLLG417x6m3u18bN+T/KN1ulm+2iqN+s8nA8bFUfbFXVULP2o0ZJGe+/j8aiTvash++b3Yi7E3Gpbo0abbjZ/pCgKq/xDNzb6kKYo4MllMD+9paurdHv2wOMtpT8ZVPbz2ciyv29uHbDTppFy92KORoxZ/PRUX5yFW6tN1832jEXTkD9FvIku37coWcp5uhioiS87agzd/k68fUfkS//SP/evv34z+qDqx7XpJ2Ys/6wJfPmaU9Hig/oY7vxyJqxUb/FMtutPewUrt7cf/rvFv5f2ttN+vtpbzvhbyY9/UTQlEQIz3I6Ye3Htc31otimMqUePrxpKyxdn2j7i3sGqgm0bwLZ9vktIzBO34zJyIzPLMzFjMzL7NAAJTW1iNsVbYImy/MWNEM59MMFvMARfMEdPKrwfcIrrmOSAHJAGsgEySAfpISskBhyQ3rIsKUd2d1RmTxJWHJG2mmfqQsY1EVSJoBG0AvakbjUpU8NkaQ7U0EPbaJTNDtQdXTpGo2jd7QPBl4O4EAF2DCdXXg+LWoHAXKu1LoFLIEocAW6wBhIA29yBtIeg0BFlYHJsZq0hnUep2u5ILgFva9U3SPrmqRd06SueVcVz7wemFex9rA23G1zxtRJOkYxh6qv3u7Ff2xUr7e6T1uVmw2l5qfs/YTdFBLUseIkq4W8ox4Nrm6MR82KoLMXu6qgiJOkSl62oaoIq1tyK8JfrbWnvUESQnUyMM4Ehwpzdqcv9xDiMONWu4eko/lkZ72B7WbE0YrZuglXK2ZXAcJHW+XeWrxTE5r0r11k11Q1cNcYKzmjYllq44MHkFYQbfb32/wl9s9G9Nub0i1Ow1Y75R0XwsolSfuaMWtT1R722g+WUVTX41iiOlB72q3fbdSuNxpPttiX140IDoNnagqgLIpni+rJTLWtlHegunqlg6ncPmc/4+/i/CU90W9bvPKeT/icv6rilkqa6j6Z3y50l3E2UVzEASMzvmZ5sjEj83Z1H6teT9ADVdAGhTpri1mheaRWTmG4gBc4gq+cEkXfwqnCpNSUQO4pckAayATJGPlgG2Cl2JAb0qupcQnbl91I1YaEkTPSRuaSfMSOFtAFGkEvaAcddY2+0FpNWSRW9KjkANCmIH3b2NTxR+PoXcUDcIFiLvCgs0uWz5fjZ9XiUO08laOM7lTUyFUpVaALjIE08NZRBIEDBPbVe8UJJudqXm/q7CgNWy416H2V+fV2kXcs855x3Mqbac6hro4Z5zSt6tv9pL33tNNPYCTs1m92cJMT3zcl05hNQ0dZsewKVGfXgAHFBKpA5TCtng7TbLAT9zTjjszFzsDc64xZ79NOJTioXIC6Zal9iO6WmdczygbbmAFxJ4Z84mKHra2vZjMsXRZE//Lod2Na2BQknvSOcsFhKjzKHrSSwcqDK/Zjd5jy9qJ4wYFxLsRyNUbQGY8c7VxgGLfnLjcrv3fYUtXJJuaNfH3LhjXBwSrrTljFonM867g+bM32LtZFzDbJenuKT8ChUY5d6idwdCvQthA2lXvOFIJcOZ6biDM+n5nobx1I5VmYQyipdCsnnfdLJScf8NeZYirC+n75QL+tHmuc8pHGLIV76kS2pVy3uH1oIusNDQpFgqqhcu51+wC10Azl0A8X4iXmLSjHcwMe4RR+4RrekQBykDRyIe1mUQUuIyskhtyQnmSYC/ZVO0uy7Wpp1+qOzJG8aRXDruJGI+gF7aCjkYJaAat0p6Y+Kt3rQ6cq05ZWWI8OTBNu9I72wYCprcF2qkrpIEQ40RKmoHPwA4rAEogCVwkt27a68sB3QZ2wl7SDQ9CobPO8E3yCUrC61D0zTtHbV+xTgygG04ZQm7Sucs5J0bXIYhfivLPu7jQf1QpvqO4E1tajJf3zDftFR7B2dJPWfsrUK06wEmu1w9Ia6RbH001oE688WGqP1iSgj/Ff9lB1tOuz3EZBs1OxILoEYp3w9aPWuiIelXfeibnyNxZl9qmULNYFUnBop1NjJXYGxbmregiGUelgXDxopwLteLB271g23i1KLL1sfz6TpHQ8K+yPsgEGrNxtY3VV73AO8Ga2Knf2+K+tRlQ9uIc5DLvAIOftswg9asEbyNpRKSRgpMKMcVOM58levN7Dux8VlEUyyR6oOmD5ZNnWrTJAxKidFF8SylXOY5Kxj3L+xr1zpNI+dlPgg8+DfIdv8n1+xW8ZgXEYjTEZmfGZhbmYkXmZvW0awkEPVHUUe72nzihQmwxAOfTDBbzAEXzBHTzCKfzCNbwrThI5FMMjs0PqYKvxDlkhMeSG9JAhkpQ8U8qcRcLqbRGTzJE88h+aLEs0woBoR82mnvbQF1qb6uLWZxKfpFM0K/0aRaNx9F7TeZRFNf90peIBG0oRSGttAjMgB/wIRaj4aQdcgS6VNYpaDd5sYA8EqsZpVpgEmSs1K7KCVRALbkHvq8rNZv/xbev2dT+yNUyA1O1+ksVs7+UGaJ53r3JSxjjp6DHivSP24y0zTTOsgi5TKFshzF22m6jNeGPOziOmt9tkruoMBQsvxoP16OzFbb1Hy0DZBC42ERMiHZgXAiqenPViP3XjjsLNTur3VuHKEv+xiVXUiSA1dhmrjuGiLPwqn4oH00/p9JtdrBnBBXH0UmA0WLhlIT8Y5xUwvm59VOGZ7ofn9ufn1hnmV/leNm71bkcZvw8OlFe+d/dy+1N1gAvgQg0zIdypSWF/qNOlwKQQlOugckS+SdKB6dZLqdlMPx2aqECgilpP1BnusJ/2o1rFy5r2ZNolWOdie9XbrfajNfXjLa+85xM+568vzaf4Pr/qq3b5IeNoNDMs46ulTQp30DpRiwbf1FACPVAl2qAQWysTgmYFQOYP4AJe4Ai+4A4e4VT8xtQRFQmYap+fkAmSQT5ICVkhMeSG9JAhklQ93JSnp6Nl/uRpyl+U5JE/WkAXaAS9SDs3bI8O9DVR+ISitFV8rBCYqh2GC/32ZITY0Dh6l7eg7HSrDGt20Uf1v2pLmzYwowQIXex5hKWME1yBLjAG0sZqIWBf5cyFn7klBZNCZmwblIJVIfbxLeh9Vbn6a/C4OX3anSf3psm9YWy3m9gex/c6T9v9+F5PrYl1gTnhT0n7POPN/trSTYQO9tnHFZQ0zXjMZaPqv6MVnF/JAoqNLjGnol+3uzF8Z7vW4JhlnLKzj8y15imPA3WOsmr1yJNae7IVby3le1vy1458wSgrLq4xRjCWpbtrqgLMMDG15MtB7uoUPdgBfCpa6ll1Pj2/dN/uf1m33j03lK7cjLjw0DsRh1qJsBWkPPnrnV52v/Tk62ZCs4LJDK2fLUpHC+VcKH13Xg4rHbykJLZFUdHfKLibdFfYGTIHk8rJonamumnZ/RGgLx6MQVUW+2Ffvdky3kU5iKxYGsu4DV/f8sp7PuFz/sp3Jqrdts+v+C0jMI7CnWtnjMz4zNJVlWXPWElZSsWbqMzrIVRB20I9yo+hVjRDeeEQLuAFjuCrr6MDw2nEAdfwjgSQg66+kUn39FmVTT4hK7UgxzjOBrtizSN5JuzIVkvJoxVp92QwyMlBC+gCjaAXtIOO0JQSb7N6FNFgX5WEvDqyRbMxrcHoGo2jd7Tf/rcnpyeko5sINSIHLWBmqvQNoUhYyuhmBHSBMWQF3kAd2OupBprQCCZBJvgEpcLq0y64Bb2vir//at7+1b5/03jY7Dxu4z10+MHjZvt+o4kH87DVe9ruRXe78d0m9nXcmbnYHKsIu1eB28Vg3wTXDUwI6VjR0LzB7AtAoipm4+fGHQ8f/kKgA5WhcM0L2PheU10dS8COc6Nav6odrbzOZSHYjgeqj870rx3VuiuqMPIkrbLgii/J+3tJ1ygm32Ke9avoS/nY9EP+uKy/L9+71Lq1+1FVt5rnC/lVuB3+2sudYtTeSbiq2h/8lUd7K+6vPnjbqRDL0qr+wdTAe7esnMxKrKym6KesVSWKTgveWcrdk5cZaMb8+PjD/H4X7lRxFVM+OCqYWv6Y4EnfQOUAg9ocnqytKPu+F7eM15aeZNMekL8WlJ2vNOlMQL9VfzsfozEmIzM+szAXMzLv1BTAnRt6FiZiAQqhc/VSt0+UH8MFvMARfMEdPMIp/MI1vI9VpFVJjcgEySAfpISskBhyU8nUskouzZWI6ka2SNjI2amC+6qirmthdKFj3Uf8AeVKoSn0hdagCg2ix4nSpBUDg37RshJtItK7qgJgW6e1wIEKsAFCdO2VNGdh+DMp18L0mFqYniygC4yBNPAG6sAeCASHoBFMgkzh83EbrIJYcAt6X5Uu/7t581f19+vqzUbz/m3j9m3jYaP1qN807zfKtxsVFQncbL0YvilH6scGE8+V5ANNynZSR5CMokCw1YZJ9ZKXQ5PVbXBfBT5sv07/0VMMjX9dVsisMvjUhEyNXnh2efhQ51An0Oxl/lpCx6LRX9tqDJHxL5Req64NuuXH5CrsDxQq5VUAVCa4rISXynE4Xjc/1B+DilRU1e/DVfN8WtyXs/xgrdztFa83qw/WTlIdu1pPtkbC24h701eObjo4q54oh6z1YVrWgcCscIq+tSfkAhiOsh2lFTkiLJ/FO2f5wd7TYTDeT3iYC49zB6YkQkBpwDhqxX2WLt1W3u2WzG3f7ae/6ua9LjJ19oybsa+SH4WQjguzGLIHjKPRMmFGZnxmGajAsOZl9n+TAT1ZYREKdXBRNrXjayfQDxfwAkfwBXfwCKfwC9fwjgSQA9JAJkhGnYsqh8gKiSE39Y6uhJGk5JlVOiASRs4mpsKlnaEQQgvoAo2gF7SDjhTcp5730p3uL9FjVjo1TZCCaBldo3H03lE5dLdup7NyYVWXG2cOm17pd0KO8KMQTR4AxYuDrq5CNI0Ddr8J9kAgOASNYBJkgk9QClZBLLgFva8yv/67cvOmdrfRYMUViDe1GN+9buoc1IQC3W3rICLCM+HAYy3dWqdqOh5alMOKFCkHzDMKbnxKiM+bZmY5r8SREjQHGX/0+/Ysq8ZH60Z4VfErm1JdHoCvwvP4lZIl8yFFQqXVIav8YMteW+fF/XX9FM2NFaXA4odDE+rG7GMkmJVXpHw4VXX+oMCaztd2TIkJ8+opCljW3i3qH/oKVQt1M/5+xteNuiflQ7awxpOjHvV0MvvFK9cQTxxroXyyaH6aqeHmBzWVLx7MVTZOsW/zyqHKF2HMZAOtmDd1aW8m/aP8wSDlmddOF+WzafF4oDtklXdB99PCAX6PbvBzfgE0HXj8+Eb11pWLqgYi/JXv8E19n3H4bRHT5YzRGJORm+rzoAopzMi8zK6QJtw+dQkPQBsUGjrfQzOUQz9cwAscwZeprumCU/gV1xk/EkAOC63W7xSYWlUNRcmq89WEFn1AhkgSeapEZxo7XnJG2oqqzerJQQvoAo2gF20Uuqh3oy9pLeef659ZjCphNIt+0TK6RuPmUF9AV1J+VlGyc+Vl6FegRSc/rL5lxRuBJRA11dGNVaciUQd4A3VgDwSCQ9AIJkEm+ASlwurdBrgFva+iX/+rdvOmcbtVYfVlub3V4UMrumMKPFp0lxa3T3S4raOG5pMz+XNLxTuU0KcGnctywPQjAohBk/8UUL+T+oGCVyphBf6mvMkf1mUx9FwPL/NKy1b6oUkRMfGy70zTgICpb6D+m624V57cxc40Gxoq2HdfuQwvZ0/Vo1kmqLwDtQlSqQ6VCp1cqK1x+2st6vvX4Ksp4I4P93lZPe8m/ZWbXbUijdoVIZBzD7PBUdK3qpyPS6eFO9+srDyLQfZomA93suF+/nAAoAvhHjZoLjxTVwHPRAANduKBVsL3+G2n+uQbZI2VXDyepMOdFCZ4CHN2wvJfPJ6Vw6xzk7wS09vqpuOOfnvDK+9NqrpHq6A6NB7zfX7FbxmBcRiNMRmZ8ZmFuZiReVUPE3MiF4IeqFLRy+IhdEItNEM59MMFvMARfMEdPMIp/MI1vCMB5IA01OAWyXS+ICVktTDtoNXzCxk2lY61UqC9JIycX84HkTzyHyqAO4RG0AvaGeuQDqNfqemqAqGySSrOp5zf6rH0m/dJ18UQekf7YGCtciqI+kDVT/IB4UQ50kp9F34KPtV4VtUoL+gCYzrGznhAncojqY2zBTS21AZ0A3yCUoPVLXALel9Fvv5X5ep1+fpN+35T2UFPO73onomHt0/TzlGK3d+5UJcrT105Qrb85Z5qlOTcs5xLpk9WJ5RKms17n6sHKsdSPzalXMLqCKksmoPyjUVx0KXQquRe5JXRriKEZf+06FWrVJwV/lWCbDEITn3cU/7cDb4CtqAXM85kuYGMo1n+UJUQ2h9U5lYl8y95o7JF1bNJ+bT86F/VFT++UMzXybL+YVE7HSYdXSzXtFu1wECkkpkPp4Wjfv4oc+1qJ/19lT5nKT0blc76wCJ3zBY8SIKeMO6/7ODi0bSkVvS97MH9151O+mBW+sCMo2yArX/ZOJ/p6TobYuCm/UNl9dm19cvjdrXwYr+8acmbURqVbK203XzHrzzn8hm/ZQTGUSpr9YyRGZ9ZmIsZmVc13IshHYzk1QRciZa5Y+iE2qnuU86gHy7gBY7gC+5GKiOk0iRwLd6TjoWS5D4gEySj+Pr6MbJCYsyo2M6B6XyDPBEmZnHzFDmb+rlhJI/80QK6QCPoBe2gIzRl6g2Y06SS0aOKgWh3XahPqBtdo3H0boquqtQDeAAVa5XLPgEn6oWYdupsO+sARWBpqqfOBbrAGEgbZU19koxBYNoJGsEkyASfoBSsglhwC3pfJX78s4HxcLvRM0HABvUWjZvzmGBIlyl25FQZ+LxS5Cu3292IY6yiNUoDXBS8ywqrCNaMSnKsyj5e51mP0gEyKgSP2ZS52FJCUVZx0PO0WtjOTeb9NIte3bOUc5lVBRNjkAUaMV8r7s79ts/QRzY0UspAQL2Meh+f1Qnmq2kQq+ZCpgPSD9PF8uMgf9x40kqzfLkkK5sy6+pho/JkuesdHeUkXMOC7IpmigUymL22j4tA5GTERpzbH6RC0+r5sIABrZ61C3XT2J+xZNbOxwVWx9Nx5TxxaZ9U3mvlxtioHM2r54vK6aS0z6TzihZRXbJgFqeUuNqKqWZP8scWr7xXIYGUR9UwWH6Kh3PVDTrRcUcFy+ec0RhTbTIq75mFuTRjQbNDA5QsNCmofScKq+dQC80j5ZmewAW8wBF8wR08dpTw4hbXSSxatseQpMESoJJnJ0gJWSGxlQqyv5cMkaRaPRvZ9r4aOX9E5oqWlPxxRY7QCHpBO+gITUlf2SC6U69L3R4YhaLZtMM0BnajcfSO9sHARBnvfiU3/A9CzHWPkAN+hKKiknnBFegCY3Pt5AzrBHs69UphbauWBcgEnwpliVlk5d5sgN5Xmcu3nejeWEhXYtxUne6ck7zuyZQJXfS/lEtZVNlKvP24q3y9O8kGVTyq4n9uBFUOp7a/bih4fF0JrMsBJUnnA7OsW4H6SddLT5vuk1U2SczafdjtRvaakZ1+1D5SqL/cgrkyz3Aa/JNSaFw86idCzURA5Wf6n/81/P7c+2BshvPnzud1xzRg63xetc5W3U8mu/1YZ6LpUOHK3jNRl6OcjqjY+FDnLOMv3VuzarJr78fc7Zh3nA8N06FWcj93x5fZ+k91CpZlAZNNuW5+Xze/LVqflpX3o3x4oS5dn/CZZtX3k/JZ6cE/q30AQJPywYQdvHKk0sV1fnsAMjBSBaCMh0Wrq/tbdzvujfzc4pX35pLZy19HWiDN981vNULliNEYk5EZn1mYixmZl9mhAUqgB6qgDQqhE2qheaL4ilO4gBc4gi+4g0c4hV+4hveZMYUljUwQySjCJO01slI08ErZGUcKz1fZ6n/LVnJuKt8EySN/tIAu0Ah6QTsTVXCTvuYv9exMy1e0iU7RLPqVltn3/6eHFYyDhJnq0QsbIAScCC1gRh0ED4UirOca3n8QdIExla6r+l8KRwn65v4PTI4NPs2FsU7uwC3ofZX/vdt62Gs92viHBd2LONoRmw5TEg7Tstk3iHtaTybNPYlV7i9eWFtRzygZGKcDfXVrU30XlX7JY4F5xyabpR/36FQ8YmUfKd7aIl8xui2te0f9UdfuzSdH+8nTjrjaEUcn6uxGXf2oa5j29+PeXjJYffTUn3yJC/ukcDpMH3Qz6FuNW1Q8OI0zezLMYqV9ZK0a5FHeUSPq7cRC1adg4tJZffBW7jzVR0cj4q4+uYt3jtSvrdyvndSvndy1JX9lyf625X7vpS7sqStn7KctcWnrxg/aiXA9hhu0304dNGMH9WS4ETvoJo8GuXe97HEjxpIWqkZD5Xt//KezEgm2Uied5FErvs909cdALxVos62nD3rJQ1OGNYSxWL2z5a6tiZ+bV+9f88p7xa/GvS9f4Jt8n1/xW0YwZ2H7GjN1wvjMwlzMyLzMDg1QAj0NQxsUQifUQjOUQz9cwAscwRfcwWNeQYkWcS3et5AD0pBMHh2Sz4NXsnoKIjekhwyRJPJEqsgWCSNnpI3MkTzyRwvoAo2gF7TDn9CU9BV1dV8CmIQZFzpFs+gXLaNrNI7e0T4YaCoAxgMqwAYIGap+oQmE5OlKeUERWBqpLLQHdIExVQJIOkCd6iOmfKpdJlw5hcyIA5S+wBXcgt4/CP6D4L85gv9YEX+siL+3FfHHk/vjyf29Pbk/p2l/TtP+3qdpf240/txo/L1vNP7cKv+5Vf573yr/iez5E9nz947s+RNd+Se68u8dXfknwv1PhPvfO8L9T5bRnyyjv3eW0Z9Mzz+Znn/vTM8/2fZ/su3/3tn2fyqe/Kl48veuePKn6tSfqlN/76pTfyr//an89/eu/Pen+uqf6qt/7+qrfypg/6mA/feugP2nC8GfLgR/7y4EfzrB/OkE8/fuBPOnG9efblx/725cfzoi/umI+PfuiPinK+2frrR/7660fzqD/+kM/vfuDN642pBJXjOLRP1g3cLbCOIwsnRPcRsBaI31xr/EbDUbRPVme81zkLSxQ00z9kHSOmVFNHHr06wuY7Vx6C50t/W0W73fqVxvXZ//vxguoyR/so74IaDMY2PpEpvHa4hfklNq5Djt7aQ8jQdb4c6avNhVwDGWlrLKlAbYi7m7cZP0jxHCvsEajNOmeNnwKIOT689cWFd4e3V2Z5z9sxVAaSh5Zlk9MJl2p6tKeFWATj/cde738r836zdbk+jOKLKFmEYPm31AHN+ZJ+1jodY+RnZZxySFJ4c7a8Eyy15udJP2pbLW9uelI9nByrUMz4sH8+I+AAWCK3bV1hnL7STHGnxcutrjVe+x/Pi8drgw3+T7/Irf6kYaO7h0xJiMzPjMwlyaEXMuZYMGKBE9cSu0QSF0Qq1ojoh+uIAXOIIvuINHcVo/hWvxXjN2i1LlzoxkkMMhslJGe2ZfVng+hCSRJ1KVGZB0IGekjcwHuuTyj03wNxpBL2gHHaGpiUkqQ3do0KDZpjgt/dxmtOxG4+gd7YOBlsEDqAAbUzmXdtCisGNgAH4ydlk7SRu4Al1gDKSBN1AH9kDg1KBRhxiss62guZBDtnIlQe+rYSaw7rxbDz+u++frenjVDCyrAR2HaWV1z5Rl6lOSdIWxvNg3tZu9RdG1xqstOHnc58p5cg/kGrvEEhYknMcsg5i9ebdbvtpuPO1dn/5XH1tTzyvPgKePPR1jo7H1YvZuzCrrIu6Q5S4JejpJX+PJlf69N8kHJxn3MK0IVCVCVjCbQsrOT+MoeBVQW2aRkKPdF9bDyUv7vIpHfyi8dj8oCxdPX1Hz+3jobNYLha6zHIbZ6boRa/2OtUGucf9pZ8iqFt0Zx/dmacsq51hX2Mjc45R1HNvD65+krM3brcbN2/yvjeYjBDuFYB2GnMwrRxPGr+lMalk5Mdn/hytW1va7hXAZLN7YFb5dOuATfY6TV1OIulbf2im/nSvH5GSuuIh9RmZ8ZmEuZmReZocGKIEeqII2KBzLIBbNUA79cAEvCv1h2S6EtTXDaeUQrsV77UCnJe33kgmYxgGtniIrJIbcdFyTCyHJmeL0WXpd8rd02BJQ6KbinPDM3OgCjaAXpZqmPNKUqoI40B0aRI9GmzremsoFVHAPGkfvaB8MgATwACrAhhCifEqd84AcVXTQWYQTRIEr0AXGQJrBm4AnU5Z1uhoymAyAT1AqrILYzjvQ+2pSOnjmP71T8+m79eLjeoj6z5SyV/asS14dYdbDi7wcvmUpULjaWepILyhIVYPK7ysHnitYNqgcY1ou4CSlM7XWk6Uh89ed+LE1l+ujhOxJju0guCwocX+Sxlxz9HVopbMCBaPkggrvj7tz19aJEqGxZEKyO6vhWWEfx2KhtAvXtMSqrMjURSE0TCPTwCDtT/zcmSgV2av8uc4nbdaYm/V3SiytH06xWQs6ZhqndBXZUSTnXv1mW09g2rnK2FfIMWOfZWzDp41Z0qIbDTyJDPC1j6IKr+lGLNlfG52oa5jxTrP700xQ+cYseGXWVAxfbIYj3LJl+UAHJgpVO1yWDuoP9mXJvK+Yz00UG9/kv/yK3zIC40xV4GKfkRmfWZiLGZmX2aHBBGq7oEq0ZWxzQy00K0U854GLpvboPfiCO3iEU/iFa8P7O+SANCSTxjHyQUrISpfbqQA/UR5RQVH8kioeTklyVkwmMpezgUHvQRdoBL2gHXSEphQPnWQzdE2URKO8L3SKZk0KsMfo2ove0T4YAAngAVToeCAtFwu0gBmQo5zfqrAkROU9QlcpoKOFvFPrKdgrecEhaASTQqbw+U5Y7Z2CW9D7qvloWTeD69779eD9evJ+Pf2kN53Ddft4WXIv9OPgkmlKAWPhBWt3DnhbyCrf55leN9inDmZmzVfKcdI2UAzr9linDcpwnuU88W+bk6wPW36Sd41fTluw7nE1Mq4Z5JYPzR2V8v74p4oKSW/i59ZQ7p1ngq+WwrnEfscbA8FB5fdLRjydCuCc5oJ95VGGcjfWaWXf3CmcLavvlP3GjonB2jqfl3XstSwfGxc4OMoHejFXO7JbucaOlFu5zDnlfpVVCWCecc8SezKTsvZZyjFO2VgSBpjpCUfp1tKK21iWTK55eKmcjn0lPKpcy8G0dLTAJyvJGJgVAjo8yeCWbfPKez7hc/7Kd/TNwoH4xWovKyR/oWjmICMzPrP0Fafq1KaXskEDlEAPVEGbahWUvaI2hzPNxu2AC3iBI/hSQQbW+PKxzIPygbxMnZGdShrVdzozaZwgJWSFxJCbii1lg0hS8tTpmPzyianDhMzH8ghx2jzoAo2gF7Tzoiajr7B0VwqgR9kPCStvpN+8S7rO+tA72h8pEcMHHkAF2IARcAJawAzIEX7YM6v7L6ASunR+7AdvoE51cMosl27QKEwODD4nBqsgthkEva9aUTDuX1XcSs4ZvVsPhO6XcinyV6rBVetYNm7e5O/jmtyzOgY0pS5+WBpZYBRnPdStiVVLWhlf4fAZs68aVr2gtDdzsTtL++T2KW2GRetgXYE4H97oLO3i4VMqRDk0k8EAyoOjrK/y4FEY7ouwKuF5dX+UDkzk7eIv8ydVSJkXtUKMcyE8klbElr+29KLKdp7qhBU39lDBu9VjiaOmshWr5um6y4J0uigdjVO+jnIQ7Ct2Ej1F/rkuEfFWvc9Vg4NqaN08xl1YljHQPd1HaytqKd3sKkBbxz2eQdKvnFa5EAIuq6wJNwv0EthCWEQKw+1HHJWrbV4Vkq9PHPx1anQ/133HEb9lBMbRaEmPNt+Um1l0YfloZd6luZPTGVxVBWWgTfegJUNtWWqGfrjoKPMF1/5IhY7gUUd1B3CtRaeqEGRJA3mWwsgHKSEr3S/qvp0FGKNc9/NIFdlCqnJ+0gFkjuRlrSqPLYxGTMEAlgy/brnLIbQmhzXt0qmC7EwoPNB6lxei0Dh6N48xHltYeGgegg0V4ElbQQuYATngBxQZLMmVBF1MJ6TJpveBPRAoHJrCUUIm+BwpkQzEMgvofdVNeBa1fWA+zVjXjcB6eLruna07p0J9+xBzZNUIrhos9WCFQfcbUfdM2Np/eRa1NGa0rC6qoefu+XryfT34oBP7ztkzVhdLVNpbvsE+C83L+3rmavvmEg7BeRQab1zaKZ5Bnu0pgC2IczPOhqpPLt3A1Q6UvsLGZ5LysfHZniZIx5z4zmRgBEbF0CCnmOvKvWOixGYki2tyIvIKStWE2oVumP1TdswM6NRJxbJ6aGLEdN7CNxHTUs8VNoBUoutZfp7lGWMtcY5NpHk/ZS/83m1HcGFdkq/yjZXEJg+sfjqvHPYzQUVRKWVSgVR9BYl7K7e7vPJ+aj7nrwrPz5grxvrpVPmbZhxGw19JszPYmIW5mJF5J6qW5IcS6IEqPfDCtGwVaFa2ekGhz/ACRzqBgTtW1rTP1N840kqMBBT8yYwnUyMfpISskJjkVgz9H0kiVWSLhJGzrvpVO8GL/JWBW9xHI+gF7UxNFP9E1Jo0emxfHVt5VrqlQ8XSMrpmTOk9DZr3QYIqS4AKsDH5Dk5AC5gxyPG/AEmIKoVBlwzFnEdPLKhrwKxfONQabJAJPhsBsCoDobYPel+1E5jGujJhz8Lg4GfPbYP0Pr7dey3M7aN1BWfokC1vmPY3npzyu2tnS5ao1vm6ebpsnq3GX9b9DyrHgrHSOF7WD7UXyEkPj9M+5KW0gqo5x66El9WjVRM/5khPkk4JDiFlVsWdZ2MNDzKBVtJburOYNKGDVX1/+lKfS7chWPTYRqFl/WUclsmz5zo75uEot9+Os96AV5O5WTkeKPoH8y44TeNWsxW4BnKEfaqdlfIyVO3JroRhnQ07R9rs3GNzSKKiXUijxJPgX+hY52DNepP1dmP2yvUu+7sO+FRRJjjVEhI0pd9Cg7inh5mY9uFLTbBqMt5exosViBXBK+9VJibD9xWKqW/GPfzK3C9oHI2m8HAX4zMLczHjumxWtYIfShRnootZr0np0aUXNItyHc544UVBM0oYDsAjnMIvXBveg8gBaSATSUbyCSErJMZ7pIcMjZ8UllSRbTU8kuVgrq/zfuSPFtAFGkEvaMeo9QB9oTVTnOlEetR91qE0W9GmhK7ROHpH+6pygipZm+vs6sdCSOsEtICZpbLK2fDPwRKImiu5wQnGFHaCR45N2D4yebvvhcbBOcgEn6AUrIJYcAt6X2F1GTNAT8OqBuxcs5xvVcUPOH45/V43DrGpMWuw0vrpQOb3djflG2UZ6Fg8d94/Dz+vsK548grsU3z5/RJhlVUEZJDZH2QDpVuHCS45lEte3jdO+gHjP3ffP7feMZRO2lvIUQeTy8rptHjSSoTgdlU7YRDtg0UesxMe5YXutI50eNL5wKKyVMGYd5Py8TgXrj64cVnm5eNp/d0kr9JmzNhXNAxWclDRFGyOSpd1tKLORsRSvLEMY07g1VUgmK0Vd3SjbmWSxpz9pLsVs3YStkHM1olZuk97/MPj1uVi3KVCMkmnibjHqvF1U8qe78f8Q8zfnLLt2Zcn2f1WzNt4sEc+v+aV93xibB59h2/y/Z6ihIOMwDiMphv1uJ3xmUWnNGbSjk51bFACPVDVU7C86FQWe1RZg9APF/ACR/AFd/CoK0MsUYjJBJCAJF+TTJDMXMnY58gKiU1MYjYyRJIqfdJBmEdIWEtm/QSZI3nkjxbQBRpBL2hHOkJTrTO0hu7QIHpEm+j0/+q3fIjG0bsppqHyLuABVIANECKc1A7AjJDTeQ+KwBJDgSvQ1VdanvwcnTmoGpDcYpUyqx7p6q3oAqVg1RiTQMvyKnth7Zgs9kHM3Y47dJ2owg5eBhopTtk9Kx7KmkmGWk/Oyr0rc7GDPvQE1zEodaEwLR1MtPtjCELl6RDbVxm8gW48WHvyVO4cyV+WbizQjfmaEY/JXFXWSj/p1/bKLEpAOhgXj2et94NsuJMOlR/86UtHL+XvJL3jwv4Is7V0PCmf6OS1ws54OCuwIYZ7MWUmDtLCSj3qSVzuDXL7/ZS/GQt0kodtVRkLDjP6ZJDyNCP29oNy3VoRS+lqJ/976+HTX8mfm5Xb7cL1buNhr3yxWbzaK11t1q72yjfblZu90vVO7XqnqhjoLUXiX2xEPv5X8ut/Vi9fN2636+DyydlOKCrf1FT1Q0kn7m3H3c0nVzPqqDzY6kKwvsl7PuHztkrAiGa+z6/4LSMwDt9hTEZmfGZhLmZkXmaHBoWh3oiqmqEQOqEWmqEc+uECXuAIvuBOOXYPdviFa3hHAsjBSOMQyUgauX1khcSQG5QgQySJPJEqsp0r8glwnyBzSb7Az73oAo2gF7SDjtCU9JVXqQA0KD0m/SY73S39RjzoGo2jd7QPBkCCFJ0/BBsgRAVfiofCjLCOl3UKlkAU9IAuMIZAwJvc3+IhCASHBtZCJh+CUrAKYsEt6H11++Ft4Wq3dLFZut5rxV31x73mg7Xx6C3euBWV++io3tsrN47C1U7qt6V057z/8LbyyGIcbsd9vUSwEw1DN6Is3ttr945mxNtNHzSfvJ1EoBX1lR/99Udv/Kel8ugrP3jq0WAz4svfeWpPPt4PUkfT7Fk7GmpEXNUHb/nWU3vwVh68uVvXw7c9xN2KBTvJQDse6qWPh5ljlRBOBroqNBsYpvYHqTB08pPina9670pd2BqxUPnJ1YrtV+99zWigFfE2Hx3tuKtqwqtLV1uVK0Eh/X3z8eM/Lo7/V+TL69LvjfzFm+r1Rvnybf7ideHibflqp/h7o3K907jbblxvJD79x+P7/wBVTx//88fR/3o4/4+H9/9P8tvr7M+N9MVW8udW8cZRu3PXH/3le3fjwVO81a145sKa+21NX+xevPsHr7znEz7nr3yHb/J9fsVvGYFxGI0xGZnxmYW5mJF5mR0aoAR6oAraoBA6oRaaoRz64QJe4Ai+4K6ifM8t+IVrRVc/OiSHaACZIJmyYn9DyAqJITekhwyRJPJEqsgWCff05B8jcySP/NECukAj6AXt1Iym0BdaQ3doED2iTXSKZtEv79E1GkfvaB8MgATwACqEjYgXnIAWMANywA8oAksgClyBLjAG0grSlLAHAsEhaIROkAk+QSlYBbHgFvS+Kl5u9B90J6nr5qKDlVlX2CocFtBdHcZN9wP7yLLx/n8Pv/1/o5+9dPh/j389j7/Ksmb9756sair68lwLm6MJ/7wQ1A147WTOwsmjlg2nLy0v7vAg5dX5ef18wYCdz4vu10Xv+6ypq4d/9b49qzTdl0Xtw6R4VosEnrtfn5un/2q/e+6cr9sY2Wfr+vlq8H7ZOtXW03m3xA7R7cCxSvCWj6sR34TlOReSe1TcNz6iY45HknYsCzoYn+F2KKTLNUl5BnFH83GP/X2c8fYjeyZoZneatE4TtkUS78Sqq6noji4OYjvNh83q5V+F33/lL9+ULzfqD1vV252i8mltnahzofPdQ92/FBUcg1M/SMgC7rEq54LJb9u86n3Czedy+dlhi3hCQX7FbxmhYWoMMCYjl5Wq+Ya5mJF5mR0aoGSkWBkrtEEhdEItNEM59MMFvMDRRLdl4nFmiuzCNbwjAeSANJAJklFF2tIhskJiuuuuGBliMaoSipHtAJPgXNJuf0Dykn/zFF2gEfSCdtARmkJfaA3doUH0KG3WTtAs+kXLLwdB6B3tT3TpKINwXX0pReBXfAhoYa7aMfgBRWAJRIEr0AXGQBp4E+rAXlNlBUEjmFTJ01IAlIJVEAtuQe+r2Md/dO7ejuJbw+ge7uGqjhEdwIheqtRrYJ73LjHYMXRGn1VZtv2lmwiqAPXw4+rFu2y8w3Kfl0NrCCrtjwqBaSVkanceLJsnc8apndeiPp3ydN6vldGAq3e+xJxvK6ZWH/Kv/f6Z973P6863VevjonqSv3FgYK3kKZ6t2h+WDdWrUyhMT7ctazDdOVnhO3bg/2xaOJqW8eQC66b+Oq+F5hn31MTTjVJWtDhI2uY5FWGemJgeU5bT1ni0Vq83pwn7JGHvR3ZXJdc8rwsC/jtTsJ9D1xlJSzeyrWvShL0b3Uv8eJu92Kzc7WZ+vq0pwG+nE9MByAhzX4kb4ZFOVX3Yu6Okt4OZlPImfmzy2lFRcq9uZ7I+nUnJn9OlLr9lBMZhNMZkZMZnFuZiRuZldmjQpYby7F0TVcfxQCfUQjP/hX64UD4wZnFsD+4Ukpt1z3VRaoN3JDBQbI0LmSAZSa/5AVkhMeSG9P6vJLVSnCFh5Iy0JXMWDuTfOkcXaAS9oB10hKakr/b7F/VJj+0v0mnjXPpVMe33aBy9o31hQP76AagAGyMtjvugBczIm28oKhUsrXTH9hl0gTFViR59BnVgDwSCQ3MCs6+jzzpGsAusglhwC3pfPX39Z+nyn63HzX5ir53YUwK96vxYdIqedWih7RrcDL6YAJHzasSzAI7yKM8WAujRTIVt3JMcbr53UVccgiLoWgqExah/7nxtxkPLJgB9tx4A0POl0geCs7LiKme42FU9r7Pi8VIeA6j9su7+qKdOn/vf1+NvOp4bfVsPPpva159UKnTwScG19QM9uy+PEGtz5aAV9UDPuia3dwGCC55FxtF73B3ELeO0UgMmMeuU1Sht0p9uFc9VfbB2TbTaUAUrfGjdnLd7RgnbOGkfJvZ4XeZNUUdliPhNZUiVSBqbahgDJfDg83lG5mpgmPMptknFhNzdmKt+t9t4BPQbvPKeT1RVBB+F76jmg3Kw+S0jKPwgq7AQRlZ6+pNDnkpW82r2/6EEqsSFeRp136uoMQf0wwW8VBRqxw7jhEc45ZtwDe9IADkYabiRjORTwWDwrHTOc/4CIEkSeSLVgZEwckbayHxk5D/+hi7QCHqRdlSy7QR9meP2QzQoPSoRJqizCBadARDHQfyE3tE+GFBsRutYkbfVAxAy1/Goz5SACYIfaU1L/hm4Al3SZvMMvAl1YK9zCg5BI5gEmeATlIJVEAtuQe+r+Mf/bN5vtG43m49b7bi1E+VLCs/TcUzCrhOrlsIMVpXjSQFjPFx6cHaSvkXtdFUJqdxQKbAoeM1Vk+7k+O9cqRCH0Lqs7OOALyuH9ahb3m7zVGzUTlaN93C+UjHks6V51dURf22+kxXR/IjjXI0E16Nf6/nlen61nv9eD5HjdwPij2apOF+zLbTEobky/bBovNNRIo915XhePFgV9xc536p8uCwp/HSSxRuw6Zi96JupZpkXF6r6iJUmz1WJYhnfNO9fsnjndNY2M10eBqppoGKjgGlhwtVrj65Rxo+vo5LoKvLnB2qDtKerfH17/dGU9nm0NB93ync4i4pqSnx7zSvv+aSpnBlLR8kzqubErwaKOsCt1pkaYzLySKUKXWNVQ1SqD7NPVDZT9ECVzstyuqyCWkOzbv7gAl7gaKiY1f2ZwgFUlwOu4X0pa/BQ0jCxRCsdE4Ukq5fagUpzOjeSfG9O8c0pKnJG2sgcyUv+l+gCjaCXhcq+s5bp0kRnqf+jQUXYoVOz9Wvxap6icfSO9g0G9rWuVQ7nOqkICCe6joFHL/8FRcorqZ2CK9A1Uu1xPjlWIEfrBASOVXhXwbGK0YvugVKwKsTeb4DeV/lff7Wxgx93FMmfts3SznXJO+df0f2v+sFzfX9eCc9yQWyjafGonfA2I85hOjDJqRieak9k3GNzy6JSF/HdoWLJnauiiiTPin4VUsgf1J7ck5IJ222cKN5PR2An/85o6IDaU6U5jL6uZz/Xw8tV69Oy/bWXOl4PzDLQ+7Ief1wPfqhA/uiHvoYJPmYl/q5Sdr2vPK/z8smsetbLHCroFlOk+5kPF5WjcXYfWCzLRnAF/1KXrkjzdFFVa5nao7v2hKb9arpR1n3VmIUwF+6n/aoCo/uU47nKCR/hJg9NiZN6NGAq8B3NcNV1fbiPc92NWFWQ4HpPCc8yLfZaUXsn7mpFXLUHS+z7m5rJbNUnUXvNfMdULzCp5BErIzCOQFw+UTabmYW5mJF5VcO9BtTwKPb7csmBu+iEWmhWa4yUHy7gZaRi9KdwJx6BCA5JWfkXSAA5IA0tbEgG+bTeIyskhtz0odaFL5InUkW2SHhkpI3MkTzyRwsDaWSpotmf0JE0xddaRndo0GSdSLlNE8vaUCAyGkfvaN8U01B5c1ABNkAIOAEtYAbkKOkhqQJfSi9IB0AXGINr8AbqwB4I/JdKZ7vBJMgEn6AUrIJYcAt6X+HQKWkuahslrPMm66iuB5lvXmLhUenPRWl/qczK40E+2Ig601fbhZudwuVG4WqzdLNZvObf2+a9amUqWvIFJQqc0y0A3gO+QvneYW4732O8L2tnPF7yzHrnYl75OWYZbp8v6yerzodl/f289aGXPV1Pf64Xv9eLy/XiWmXy2c4QX+9sPf0u8bHZCawfVnVcOkzns07m8JkP+avKuL8zyZVHWnXqanKhdMvykdbX8tFAp6Th4o2lfOdcVM9npZNhxt/N7I9Vew90nk4LoSH0s9aWj5QIhLvDI1H7WLxzTwoHfKISxa0T5Z/lg6Zop0dllDLmuCflUfWxqKcnf86T+Lk9UI0wfcLn/JXvjFUe2GPOgL0mrAKj68RU63/H+MzCXMzIvHwiWFeORA9mdPkUCqETaocqq3oC/XABL3Ck6wbD40Kh9+JavBd1kYQ0TLXwL8gHKSErJIbckJ7qAiJJRKfGDt8lYeSMtKdG8pL/b3SBRtAL2jE6MgtQy+gODaLHnrxtNCv9toyuG6foXTcDxX1zERNaKqBgX9eoSVbTXTADcsAPKAJLQtTNDugCYwPJ5HhpsCcEgkPQWN4HmeATlI5U8UzJnqD3VePJhp87UpQTe71/oVCg4LpxOFYCmXeSd5t+KuqXpKT2e0f812Y34xvlFOzSTdixxroxeyu624tb+zHbKO7squixQ/W2tNpbev/T02aWCzw3DleIsnGsykuVI2N76NJyVTXRBRXZxDNFee+3Y97n3kd1KBmxBn+RVTT4oFW5d2oqMX40C8Pn9eTLeohx9nVef99Nhf6l7ezUtDVQAM1S9aAOplnPECedPTfJE6/S1tNsaJDfz1zZqlHfOKN77EGWSQO9NKbCwUQ1dZQCuWSNkfUPwe9n9bNR/iR/69B6BnxLx7pKVVHU0BxDsIgPpzDFkU5GFcDFq+qZphQbYEqZuP/P53xH38zqV/zWjLDPaIzJyGOVkXUw10xROO81++ALlKiPSy4MbWM1bhK10Kwb+Mw+XMALHMGXuMv4p6rfpTBIFTJT3yQTuZHfRzLIBykhKySG3JCeZPgiTKQqNJ+a3U+ejySP/Fun6KJtDo9nagpxuFB47pGii2oHaFDBTDqnP9AlVPUYLatQnelhhfbBAEgweHCADRACTpTBFdXVo/CT0A0RiAJXoAuMgbSxwmCCwl7ePVVwhRdMgkzwOTeBkCAW3ILeV72UasAvgU5etx2r+v66uq/w/rrC6pblkGmNodsNVbRWjfzt1r1FB1X54CQvf2KSceJPQI2yrmOWXkyxiJVbtS+o3u3iX1+//y+WfXhoR2xDVcZVXns/obKQc6XrhExXIuwwXU6O2bJT/vK9fdXAKQyvddZzqF5G7TMUaa4xz3Q80sJ3PjV1zHnuddWUubIr2rUQniu0/GgJsArhiTreYcj6xynfMKnirZ24bajcr4Pao7cTl/k1r7Cfaok1xv2Z/Bgt+Rh/P9fTi/XkShrtf31ufS4++M311cclXjkk4cJ3TS31xpFudlTHO6g3OR6DwLhwyPoR+7nNK+9NXp0O8BUbXsBb4ME40m9Zw/ofFEFW1ciMzyzMpeZCzMvs0AAl0ANV/U9QCJ1QC81z8x4u4AWOFJwZt8HjMGnasKlKHWZ0UDXdSpIJktHNRTGErCAAuUl60NA51SaAVOWsH+rRRdoKajuU/FlfGmykoA0bZl8HCG2jr9YpukODKu8pU9WjNgtJd1tlG1xoHL2jfTAAEsADqAAbIMQcm9jBDMgRflhW8yp1Dq5AV0fVt3xQDupMRX7hEDSCSSGzvq+b47xLcSBlNeR7lbrcVLxm1seOsGofKmouD01uHouJCml5BvLq8BuCgwSGtuXxy2uV3DPVsuqqlWap3G93E5YJ/nva0Xqw1G532vc7vYiNP5Vuduv3u1fn/1RFlZjKWqoJnkrA+5YKsPKOMgqYVOyI6uFJOoui6jxU7+zrosk2y7MthGeonD0I1Co32HyOa4JW2ujytJ9VxmXx1qEoFsWCAh1dY5pK8Z5F5WBe8K8rYfagcSa4yB0q+CYbbjzCXUBZayw27c9rjLzO53n5fD0DK9fr+c16yu5pAMR/Rz//NfzdiodnTQzBn1q6Rt+F4DaW4uelDmc+rVrvcLQXeS2uM4HmeF05yF5bFIgjz09RIoo9r+OYA5FP+lXPtHBjHEZjzOFPxmcW5jLPz7WZ/UqUiJ5raIPClRq/fRXNUN58BxfwAkfwJe4ywbV6+4XhGt6RgGpfIA0jGYX4FEOSVeUAuemhZeEoSZ5IFdkiYeQ8V1wUfnlYDi6fF6UR9IJ2tDooFOxAC3BJcfHoEW0ulB/qln6Trhd1o3e0DwZAgvBwv2MyjizKu07YwAzI4U+gyFRe2wZXoAuMgbSJQlL9YA8ETnS8o2opihTHyTOBPiAW3ILeV+X7vamKpim8aFRQHfZBym5KW/t7cftQqVqOdsw+Srp7cVzjQPHW2o3Yao+77cet5tNeN2HtsfS+JNaqmZe1pSQ5SyeiXMVmxDJM+R4+v52zPhW86yqbjhL0JxmHgsIyHtMHSdma6pSR06UAYhqlXIXfe/gEQnkx1Es5XmIplxXF2v87Vr8axjAapj2mLmCwF3dGv78dq2uYWxf6GQ+Dz0qqoCgfuRJelg+e8TNq2m3glOWqfOvsJAPKRMJxmd+uJ+DjWksdb4a/BJ2ZWYmnv/DEV6Pfy/6vceH9rPNjPbsHXqvRt/X453r8Sy1VWLZH33Q41fu06n9ZtT6smu9lQ9cOMFJNrBaO1Ht9Lu/zk77Jz1lQ+e34F+NoNCA7u2d8ZmEuZtRpDLNDgx6qC1E1MRSKzmvRPPoB/XABL2o7UvDAHTzCKfzCNbyramjJL1FnPNpLkXbej6yQWM9UVVS4M26WigEoNwcJI+eXeMueNskQWkAXaGQkHYWNjtTZxNQy0wkdg6uMOTrNudAvWp6YytjoHe2DgbYC9q2gomUQ0lbM+05LmYjgWNV6wBKIAlegyxSN9oE3UAf2QCA4BI1gUoUuE46RBveYcqle0Psq9Wuz9bDdftxrR23tmEqk8E/zqYi2ckSnpmljL2ZT9dWoPfH9bT+lYEgVXzK9D3iPYcSXBxnHMGY1qX9QZhtGrZ0ntVL6/f4f6pungg9KcF3Xg8sCP8cOccujz7qnSpENjNM8Ob5uwjnM+uJfN8yRoZdlA7FOUEAuMKuGZzmfiTBWCituyrp+NiuF6reb/che9nK7oZKVFgyvUcY1U0NSxTGbcBC/oM8j0ZBLvuycr3pf5rWzTjq46mgRVVfA+d16dreeP+j8CMTMLtaLOx0kLUH2zXpy8Ty9m7V/Llpf5Kd3f2hPZ12c/VoPBHG1teK/bPogkkV68HVZ//LceZ+5sT0reOWLTIKhEK/v6JsX+hW/ZQStr5cas/+N8ZmFufQF5mV2aICSmXmidLb1YOi8E829z9APF/ACR+Krqd3fBGaFFYOqIC0c64CJNHchGeSDlJAVEkNuSG9t8uckz3LQRJf7kDPSRuZaLFQoVse3aGRotKMyPGm7GivlvOhurLZc7rEuPj1oVmnnKhLiQePoHe2DAZAgPCRswkbMCk5AizCTN7VxhSI/73UB9P0tGFNNdXwqJZBi/hkzNekAky/gBKXCqkklBr2vSjcqiNJ6YBnfUsWTO5Z61cPjv/p3t9W+2+Lh6EetPEyl263o9zcDxVLZBjhtysjXRQYbR/N+qxHZnWZ5NHl0rKYUtoNp+klX5NObbsQyNo6FcvpVrci9qCiec6pC+95R1jVJqf5DP+msPVh4zp4+/4WprjSknHtaYIML8uVFSZHUynXLu+bqRnYgG52l4kl3qsWbnYl2MfeyqPLaCs7CGS0ElRmmtKiQLnWa2HDvFy3ceTx3df5aYH2Ov6609P7UmirL4ZfOQV/W4MXjevmyg4O5y0X7C6vjevYCwV+Cvm5bePN9Bf40grFZ+3j0LLG/n/tfe/kPvPLefPJdf+U7k5/6fu+7Qb+uuDSanocrxmcWs/bf6BNmh4aXNXhuaINC6GQEvjP+Cv1dBT364Ai+TIdTRcPKDVBq5OHUNESaKF9IaWdKeku7kRUSQ25IT92Nigdz1dpxKcdOEjahthXsdR/yRwvoAo2gF7TTV34u5hnLuctksyutDW2qOkdK/WLRMrpG4+gd7YMBhbCq3ooVbIAQcAJawIz6IqKFFH9yClEpL+gCYyANvIE6sAcCX6AoTN5u1s2xOv8FseAW9L7K3/FwaEcY55R811X1d0vjQdYJy7vqwafdGDE8EwzRjO8lf7yt3W3DhlIVcHiNMT7FVlbMoZKt+1HbPKvWiBM4ybqHcVdK16SOWZkt3jfPOmcFz0t5AQw1RZTnTIJhFkPFPkw7G/eWTtKVu9yV+YUm6iEF5zcPlMLZxz1XDOuiqmvJdTn43DxeyVZjKHXaUqKHWqJ6zCfBOcsP7rw6EKrD7tz0zFkrClZ9Z0f50Ch7tGieL+q6RloBL6DW/iSEyeL8qcPR6Q+96k/fjJH6bTH8vp7dah9fmuWWN0Bt/FsHT51vMk8H39eT30DweSCQVSOhlXlv7JPf+ivf4Zt8n1/xW0ZgHEbjzeyW8ZlFq3XfIP7/0DAzZjG0QWH/q6gdfFOESfMcLuAFjnQ0Vj+al0xLv5QLruEdCSCHufKrvUYvXqQkWRXUPQDpIUMkiTwX8pNCSojon5mE2QN1Za0bLVRCaAS9oJ2hDgHs6AutoTs0KIPbFABBs+hXV+tlPxpH72h/rBsl0yoz69ERWMQCTkDL1BQfGqrSl0/JKSxed9ugC4yBNPAG6sAeCASHoFHtbdQaUWW4wCqIBbeg91X0Kw8KW7+7n/HwafvJUr3Z7sRsucs3uYt/5i7fVm+2qnd79btNNcd8ssd/vG2ryrG9G7cb29fW0GOx3Y/ujGIWUzbLbCsZpaEqHiXtzF1uq0CGTrXUBrQXs8CAsg+yrkUx1H7cGUQtPJFsEI2IpaabW3v6YmuadGvZqIQnJtdKnXtN7pSWloJ/oGputkHCCYd91RNXm5Yem0Be8c3zkl8+rHI01CcUZ1zVX3KBqUmYU7py4bCbCOqGonC6qJyO1KT73bx0sqx+mFZPFw1V38FyXTZMDEb3w7z6Ydn5Mqp8WIK/3he1IMaLYvkcflZnTB1L/TKnB19WbRy7z6vu52n53bR4kr528cp7PtHnL+5X33y/ZbpqDl8WcjMmlkD7q2bpfGFGnW11zpeGEnXbbXycKoT6A3RCrWiunEI/XMALHMGX0mdw2mBZi25YvBf3kQPSUANg9bxwISVkpcy/lKQ3UB1IRUIjVckWCesiUzJH8rKJwXrSjUbQC9pRIPLjrvoJRC3oTpUDsirCgk7RLPpFyyYb0ofex+bMCyQIDypC4gch4KSvBp3bIEc9O552uqosr0KMoAuMgTTh7W4P7IFAg8M3YBJkgk9Q2ldGNKC3gt5Xd5//K/fjdeXmbUfljJxTQdNWu9sbME3C1VZFQEv193bpfqd+bynfWe4//5W7wmCQd8lzM1D/St8IQyJmGeYUGzXIKsi6n1RvpkHCOsz4y/fWuTKfQv0UfptvxNosdDqmJtoGp2GctM2yasvFdNX77dqjPf176yUVVuXI8QCidiWr6czO0uc54Yfl/VkJzbm6EWfz3tp42K3c27D6VXLzbrP+YK0/WXX6mFIC0kilq3yzfHBaDI3Vv83biHqzv3e6qeAgF57pxvv9c/fzcwvgflk2Pk7Kx4qdr6oej5q5DnVLsur96KUOV2zxLJZC4afn7qcVlsD4cm0awMsq6Hyc186XtfeAbF49mTfOa4kDXvWex0NtQ8/XsrzN93VVfskIipLBFxxoZMbXLNi4nS/6ArO3zpWj31Qg/1KP1hfoVBxf8z2UQz9cwAscDdR2QDyqDKbSbA3vKS9yQBqSyd0m8kFKyAqJITekhwyRpOSZc/eNhPmnGqlRe0d2s/MlmRyNoBe0g47QFPpCayYDylQnK6jMlKmk5pOW8yw00jvaV/2olBoagAqwMVZYiAe0jEx0BPhR9YWIDUSBK9AFxkAaeAN1YI/p1PkmZgGTMAI+QSlYBbHgFvS+in55nbt4k/31OnWxkbl8U/j5tnxrKd8oWkrl1tQ+yN2Nsn1YizeO8o31/sNrdVKJ2F+aT41yPpXfUuB9SA3GUkHVChe5iM+PhT5IevJX1lYEWyqgSyn1RFADGOz0Udqr+ukJ54ApdJzsaiVUJr7+YMn83mlH9jrIXYXUNxW9dWsOZdTq2dZ5tPEsqtBEQvV++nJ47cXfW93obi9iad5Zq7c72jfu7Y2oqx9XelJPxcfd5Tunit9HvI1HZ/7GXn7wKBw2HW4k9rvp0DB/NCqc9lL7k8LRtHggM6MQGldOV1WQ93Xe/NlOnmC/ah3t/VyNsBauVr1v5q71w0L/Ps/KH+aVo2Xru5rA5c9Z/KoPulrnPZ/wuSL0y/om3+dX+i32MeMwGmO2Wbx/MAtzMSPzjrU/hEaqS6n7QmiDQuiEWmiGcuiHC3iBI/iCO3jsG361SsXdSAA5aD273UEyyAcpISs1KEn5TKMXN5JEnkhVZR+iOjpQWfK7narszi20gC7QiCpyP9paanTs6uqgwI3ueiYrYmRawqh6dMItLacDaBy9qwlkGuvRPzKo6KuaYJD/Kom/dAhywM9LezLoAVegC4yBNPCmWaD/yaba1w97YBJkgk9QClZBLLgFva8SPzYKFzu5n28KVxvlazU1yF3s4OLlfmzGvv0V/fY68fWv2Decvt3Ur20kFfm2U762VG8t2Z8bpTuHblCinvqjs/mgdix9tcnw9588tXtH/c6e+bVdvNq7+/g2e7mjqOTfu/Wbverdbvl6p3K9XeX9rbV8Z61HXLWItXCBGbSd/L4R+8az9aZ6vV2+xqG0ddVwwVq+2q7c6YlqMxe28pOb5YHZG7f25M+3pRvL05c3xcvtwu1e7tdW/nIr/XMzc7lThNSIr3Rng5L6o6ubCzfuvc1HT/LScvthM/rTmr60lW49pXtnIx5oPnky184GOHjytRP7/eTBIB1mRRxmT+qRUPUpkLiwt5JHw+xpNxkeZo5GucNJ8bSfPuoXToa540n+ZKzudIfd2NEkezbMhqe5g9hPK6+85xM+56+69svr+/yK3zIC4zCaxsyeMj6zMBczMi+zQwOUQA9UQRsUQifUQjOUQz9cwAscwRfcwSOcwi9cwzsSQA5IA5kgGeSDlJAVEkNuSA8ZaqN7ciNVZIuEkTPSRuaS/L0NLaALNIJe0A46QlPoC62VtVhY0WNFymLVkH7RMrpG4+gd7Uvyd8p+ABXChhIObKAFzAg59w5QBJZAFLgCXWAMpIE3UAf2QCA4BI3C5MUO+BRKrzaE2Isd0PuqncCICUzS9p5O5t7Wr1XxU1ZmhFVwtx+1q4dHwmk6Gik85enrWx7xqSn1sC6rJNEipyq8c1PE0hwF+BcYrKWAAnPZymPWxLe38nlz6qO7LPmnSeskg/Pn6MStA4XC7Zl65Tqgmag5nlrCp36+nSSxAWzsaB3VBLeqAkspNEntztm2yp6FQgucYzXz8fOT7hPGg4pqTtLWYcSqFo46YPf042hop2syy6fl8FzJz8FJwdvP4M14Gv9/U+fV3Na1ZGH983mcl6mpqXtt2UwACCInEoDAIMmyPVaixJyQgYOcc/J9m281NFNTxWJJ4MEO3evs3b139+r7kGpUPeNxi1V7UTxmu9+0M5v2mdIPq7qUmheTC+U4JTFnG/eReY0/XShYuXOuO4iuIrlWuoz4fTP+0+JgPqxZXzFeW2eb/rvKt0N+828dPGP1KvLwvZ4c/q5v9X5TC8M/aE334S2MkDN6oa+J0m+S9K4ryapYLxgVY2OEjHMs+qLEyNLlmQVzYUbMi9kxR2aqBL5bN3PvWzk6iw71SDLI50l8RUgMuSG9sUo5eZHn1MhIkbCySktBZC7Js90/u9EFGkEvfEVsJsUw+kJrPas80hG15qF0+uSSfsWWqZxT9C5OphuFaIvHpGzkmVkfOAEtYAbkgB9QBJZAFLgCXWAMpImx4FEkmVY5Zg80gkmQCT5BKVgFseAW9L7qPHiV6V/GRdW5tCraiW14D6toKnIr3ZnNXrB7wv2X8LQQ4hVU6ixevx0sK73ZSSzFGx4Xb5fcUo9OH589kxf3RFuMq/DxF5F0g8hHgHW0KIh+b5G3f+SOGPoYc1l49U6LQRWSuXPffXg90Zm5qlJOJa/94fXOOOeaKfvcv1Kye2guK0X5vTin/du9+tWuUhIU6hmYPrtXyKgQEW1hRZcmOBY4tuxfSwwD1TRPtO4D3ZeYkKrYznOrz5zSbapiA87X+EyqRZzCnVrWcMXSs1qm+YgvmDHm6otVS6HfAnFfZoAFIX1WjOLwt1X7Avt1KbKBaO6zi99LtfNOn+Ou8czCnudbOuL4g3ZWigrnW+9pn17oix4VML2limIkTppRaWyMUOM8Z8xLxTeedi1TkBkxr6XZckOdKgZ13VCRBJAD0pBMyqrCiZSQFRLTiSdCFiO8sXEW/MgWCSNnpG1EkWHkjxbQBRpBL2gHHYlC98k9tsD5qSkUbUqnePBiSfSgazSO3tE+GAAJ4EE06TnPwvxF0LJUUk9iKdT5wZJ53oYuMbiFwRuoE/ZKIhMCjWCyr2TYAxUSBXXlALgFva+6D95lObhy8N/pwzN/3l/SnBNeN2KrZmzdiBsrz7FibgrhZcNo9ctB3E9M+KWYAhMK/WwcKxYev7VwuAJD1dBcR2wePFbmef/7P/v3rqEYiBWBOXo6EKnei0vcgbxJheAs6+/cHtQvxbbUvPp1+OC+PP+vwf3+8Nk1NML7Bc+YaKY5nW8PHw/Gj25dHOb9/TtlOy6dWOv7vggPyyA4aPwPEfGg6Xxa5LgDxKoK8f6RVgiWYcXHNB/Ci3rK0JZRmkDjdNk5sygRC/euJ8UrUD0WuXzpeFFL97LYACm5Vt1T4bifsQjmv3Se8CPa8+zHTd5ExxR/D94+fzrgtx7gk+3tGs9soxn5kO/SQj9jLPCCI+3TC32pR0d0b4yBkTAehYczNqU/KKmBMTNyxs8smAszYl7MbiLHH7fYw6zFyYIEHvYVreVEkIzkUwkhKySG3PpaqnROPzZyTmSLhJGz0S2Dm4DVsHehCzSCXtBO1zSFvmZ2RbVVItq01KwD9IuW0TUaR+9oHwyABPAAKlaqYX+oG/5OGsxIzuCnnpBDL2L3IOgCYzqixo3mvQV7jbjhUBexIBN8CqVlD4gFt6D3FbaLJlbyLx3vqhGlxZXjV6JRE088ueK/Ypo4U05RN71upjG02ddE8mzEarqnLfuMGtB4Q5yYsYSIin4umtujWSGAd6lzmbIoYy3Tn/aDaxbCAn89HD4fDG5dvatfBje/tq/3apev29c7l2f/qSuc+/2xeM1EEDbOeRWfXsD/YxsKrEr+nlwH0Q3if/TvDqqX+yw5zGVlJIerqmjiR6p8dtD8/gsbkHOJbbfTEoexb5RPlL95ipeHE17LooVkNJhUSkFCpfg4b0wfxlYxFxl/WHU/a5nOfXCYiy2MiE3XEEOdH696b3XQq2Sbi3XTGDY6mVUto0Ct1pvq9yOtr2IOyKy3Vcub9mTnjG/pu+23do72jjZpWQW774MLrcHJ8TYapK50c8Yjcl9RXWUsAPdYwQlFTOows2AuzIh5MTvm6Kj43C6zZu5IQJxgVVGSrhQBF0RKyKpvPvHUjo+QJPJEqiKTLkjOkvYLPx4Ff7OUPLrRCHox7eyhKenr1oXu0CB6XGvZCqJZ9Cstl3USh97pGgzoEqDgBxUKDXBiouHRFRWP+YQfo0XTjOrHoEsMEt208CbUpUHgWiHzx0oxcvzCZyMKVkEscwG9rxrf95baWdzj3MGclynPkkw3oXU9um6HdXFQj0lh/bNV6/hfnYxz6Z5XjbmbPlonYk+rRZe1iI0b6yIoiqeaLtPZmLB+lpVQ6dOOLi8a0aluLg7YSvRiiVszqmg4cHm/i7HVuRFfuaPyjrvZP/85fnHP88b5Jx64gNEUxOYVlCo2WUkk67GLTY8qSObxCVxsRsbmBvLEhzK6F407q45uTB5dnZv91ved7s1eE5PjxlO/8+HoGLOdyHuGPJMNT7EvswpFHeX9vRdLOQE0rZNR4XiQizTvtFmLfUySTSt9ELtW9xQfdC3ceW/5IxmFKSqo7cOqd955ifJbCzCf8LmCdE8tTvfj/313ZZHTalM5fwl6oS96pF8FA5VZYsOMR9Ux2E80wjCjZcxTc+odpQf7mBHzYnbMkZlOLKeVuSMB5CBOk3pcknFiSAlZGYEka43JMOvZihTZImHkrIDMQsBIq+Jz8YW60Qh6QTvoCE2hL7Qm3uhaxNj7Quh0ocw01R9B12gcvYtqDAtYSAiJL7V2DEIs3CW4/PHFmG6swFLtGFyBLjAG0sRyAurqdnUFDkXFokbAJygFqyAW3ILeV4WPOxNhxbtuhpZ5z4oFtSi7YlnwsVBbEyltfB1ly62ayfbN4VyyEOndqhZbV4wNU8SB54oxZShNi77D/KjGp9r9vc07zwLXhzfPiW7ALvZJxSess9I7/Ds4u9uZPe+N7l6PlKW3x7ue/esf4o5vJyV63WtYpgorpSNy3DniqIqXDR3w2JyOir5hXizh8yzbn2dwszfNemVUVMMKkS6InW3w4JkV2fVEata52q/iC1+r9Asuiy1F3nk2NDP61Gk5Nnjy9+9VU9ICWYKDYmycj1S+63hoJn6k6BIcd+20WAEPvxm1jIXtK8fhgzb9emruxFu3AX6b5ZrR5/yVZxSWmbZrkd/UQvd0aQEeio1+8tMLfQ3E1RmkdxHN3Hv4nFExNkbIOJUPl9fIGT+zYC7MaKCyA4fMkZmKcLtwpLmzdFVCSAOZIBnkg5SQFRJDbiI+27Kr/69UxSRZi20FLsk7UeOAjKAR9IJ20BGaQl9oDd1ZLG5Y2qz40Cz6FSO6E0Hj6B3tT5UzERceQEXTwKpw5HNhBuSofoWK9IAocAW6FBLdOze8nQl79ZgMhoJPmCx6hc+8B6yCWHALel81rvbWhcBC3esMgd1EPMN11uDguh1bd5LSkzjUkrrLbZz0LVFMNoYTXhT84rRqGjXQ8I1W++6b9eTCkjGP9WFD+XC95/CSP/VOlOzZTWglqAWrX3/qXu9sasG1zNbDdemwc7PzIfJv/QdX/2G//PGn7sP+JOfDShs/q+jBjEXdPMsluK/RiIKGF9jiFbZXfBdP7cvuPHe4LPCOyskYP2NtH7AbTrRO+3VZowg4NOcXRV8lWvyy23rwjrKqNDHNh+YsTpW4kkpURUu1lcRKXQyMgHU1OlS8b6T63TvV8bCItoyVSxe8qgaCMTB8/8NL679T6i9/baSnRZbtI36r8FH/wj5/t/X29Dzf4rv9bQbrhci7nDTt0wt9iSWyGqX3qTIUVDtoIaItpTwwTkYrlsQ8w/MwC+bCjIx60K85Zo+Y72RbCAPPTDUl8BzwPdyST+4QWQ1lIYj/VDJsmEJrCWRrvntQ0rYKOsgfLXRNI32lALvQEZpCX9JaOYgG0SPaRKe6iEa/aLl3gsbRu7IhG4YE8AAqwEbXcDLcGqUsdsdCkSOrFVyBLnHZgzSDnGV6JoVD0FgPyRAq+YVSsFrxgVvQ+4r3Ww67eILDK2E3pk2kqGJmKpXV2PJjnhhdgyzr7rN/UY+sZOTZ4NDK+J1ytQdp0bsyem2ImInKNlnxlcHFMB+xDXebKH+8bifWneiiEV/2k/o3xrfjQ46r4hED6N25enc7ja+745fD7gOGFEa2XztaFg8yJCbCelyOo0LjI7z3C7nGh4PHg/Knf6oFLQbBOXvcEya/d1HDpYtZjNXJWGu5gg9Z7YaFaPXGN8jHFApTS8u45MdJj7OC7LQqbszhi3fwcjTK6aqJfXxeOil98UxLaR2BYaLV0wpl1JXvqWWlb88NWMITmqYyUs9WzVTt5kjMYh1j/mq/0V/1wuv5lc4TTsW4pbxXixnv/Ub79EJfshxyfnofKP+ZlSzMqBgbI2ScKyXPMWaQccYsmMtQdPZRmZXVY81UFHUx5o4EVBbtaR+ZbIWDlJAVEkNuSE9rJ9sj8tRyw87JShGStLHcSpgWwFcRvWgEvaAddEQLYuR2fNJdO4Ee0SY6Nc0ea/qDczSO3tG+khJaWzrJY0tlyAgnoAXMgBzwQ794XI0kuAJdwltdPPgSVEMIBIdCI5gE2SzJqgGOgacqhqD31Vg5vZFVO7oQvzvWki3Azci6jHvo3vr1yk9STnJ4WUs1b3yimK7FzRROy45pYxG+MXSeCNODjMba1HqMQDHJG3fBzeidxj37az06E6dGn/fSluSxMRWMwL3NvxnHvRg/uOrXO+3L16pCIKKDI+0gjJtVHxHXVBZu3U9bRylM+3npaFLw9m49GyewrgZmj7uTx73+7a/j+915MSzyh6K0ws9YSQphBQ8Uo+VLd/feL+gM3ut4oX6yrJ5sOsqjHpfwe+Ii963GxrnoIBscFuXsNx+i05IoBBaqUiHPj99asFVzSnX/5npD3uj1rquiEdt0UW5D3MAhJfFXnrF6FmG+pTrX/9cOa085Qfv0Ql/0qIizHEuvKIoZD6NibIrVrJ6oBqPy2t8zfmbBXJRFp3mxI0W3k2XWzF1hq/e7SAOZIBnkg5SQFRJDbkjPVh9sdyWfI9uFwlDDCgYsB5H81CiB0UVdnNAutIOOpCn0NTL5j23ZQpv9Y2l2dCYtD8/ROHrXCQ9Q6arEkxEAZ4SQjjJuDDOGn05aWOLdaySFrloKpIE3xenb+Qk4BI3CZD0kPpO6YbUtOlrQ+6p77zHGzNCqizmLyZuSF593y0MsAyDP/FkGh+gcWQurx53HoIYyTCqKT5lkxqw9PFNtSubWz+iH5Xb81gw+LIrf2vehzcAKHXSN11UrdFJv4cDeQiUev1mPWKLii6pOMceP+7XL3UXRN8kdDe73hjowx/cMqDIPrwTiQ8q8WkX/GkewEpoVgovSUeHjL387wXnePcsfLvKH86x7kfV0HtxGl+3r3buGWZ8IjDG86ul5OeFce7u5hLa5ZloUE+yhtfQcf7Eueo6FGAdPZCk2MlMnMSmrGn3jzs+Ct2lfbEkytaI3MopYb56uzabEKlAqhIO/wkavhIjilz2lRdgnCq4vGXeqnozrW3y3kaGdLaUkLdM+vdAXPdIvvc8VqI5fZfUjZFufLJVlJKZeK+mVZBbMhRkxL+UdFgLMtKeSPD7mjgSQg6SRP0QyyAcpISskpkpvFfzpCJKUPOuS7UqEGxK1YseA7P0eWkAXaAS96Iy5inkZl77Q2g/12Q7cM4yKYARIXKBx9G4JWhdCAngAFVt4gBPQAma0GKuonrA01NdB10KlL/0LEQ65rXQLe6+uHcCkbIQtRMFqjZHHQO8rXnSdtzEIWmQv4KV0dGS4yHlnOdeSzaUqW3ul4nXBeSFUv/P83RKbsZ4fmLkNOjG9p5bg2mMmpwu8lmFGc2unNouPo9zJZvlRjzGN8cV6aOUOuik7B01ZFY9zcQLJokiwf2GKlT7/wq4xL1gJugeX2Dp0zxdkYiIZwMusssaIc1wXMaol6il9fI1P3X886N7u9tn4nt0KL856hwql9/9YxcX7Ep1VVLOy8xjo56JLMRJkfrBPYJh2zkU4xDJQOxZhgDLag5NcpJ8/7r0Es3/utp5CSycx0xkLS9EZD6u2QFMlXpatk9WWKNfS/vC0Nu2Mc+niN//eJpYp17KZ0pM833xjdQlOrJ242nQStE8v9EWPE8UkiWRbhQV0wpPSwx0bpzE8MHLGzyyYi2oq/ihaGvuxghb8Q1VYU5g10kAmkowOfSUrHeLmjpCeOPF1vhmyYkFb5tmgaEBM8qrLUjhEF2gEvaAd7fJoarupdv6fHtEpmkW/AmsGjUvvi49gQEgYZoSKnvGrKxH6rdHoZAw/p8JS8xhcgS6LIgxqIjXzERU85AKNetnYY1s6ITbspcAt6H3VefRt+gyCnxOzBJKbbooRr6uI4AjDefbo0QlIybyoSqx0ub8xPtZlK6YD427yxwi0DMs930zejqrxv6cfNr03cyxpRPyIHbydxntVQGBKnZMV73ELByWkgF1eSnYWZWynZlnxdFQvcZwD85J/+LCr64+8WepYESJGxm9FqaFFMbJUqH9EqfDV2OMfP2M1ThV/7F1WxbAtgk7NQtXLJkUt1aKNqUYmpdi8cjLMxnoPonZd1FL0y/K2FPFwQpZxPb1qnSmrzEkuq2keVqpmMV69PtRhbTku3GM9VzFhMZzs4fr5qvpmWgpvGijpQvWWW+llPVm5couVTAnoaOuCv05F8PFGz6sE3ZZw9o1aa6Vomfbphb6UKFoRF63GAHxbGhVjY4QqwanDjZSoypwks2AuqiMtbgO2XUyUIPM1firc7qDkUMRBjyKZqeJ3fcgKiZncTIYqq4PpqGMiSdiRlamQyCcX8p+bH4JG0AvakfrElGBaq5sGW6ZN2QYpq8byHl2jcem9lQIDIAE8gAqwYQc4b34AZnAq/LSSwlI9Dq5Al1jTQZpuG4Jgb6WanEIjmNxovUuam4HRkgK3oPfV4DGwaWBVsNYG5EsadftG3NSRVTPEei5zRAf4OB/JZTnauvPIqtPhkZkEKiFjxTm2zA/4m+O3m4lup8QaWGHPPavd+OaOpWJb+qsthwlWnQlviC79MXpC64r5xRbDOi+Fql93p8+eWdE3Uv2pfZUrVIkhbb7yZDvGLiNK5Mwk69dRfzlSvXTPVMU7ivctkzerGrS6XkF/KufBeozPF16XI3+d/HvzMTDKx1sizQYo2A8nc5ZD5eccT0pRGaaAmDVPlxFYrsleNoKb3H7wdZ9EC2R5e2FxR4v4/3TmpGfVN6KrUW3XNCsrjtrIiNGb14diSChGdTmsLkR3x5M8z7d0C1g+oR1ao01apn16oa+eeN7xlcWsrJZVEySlsTk6hNFoRVeXYPwt0VnHmRHzYnbMkZmqlLEF+CrjLatsdckk50U+M91ouK3mQADpbdpWemIrUmSrlNgI0kbmSB75owV0gUbmlrakWg0VhcQoCFtEZscqnFGxWjhoVrddvNVJNI7eN9peYiABPAgVWp7f/mCZGNrBeU8H4WAJRIEr0KVsmu2BGqirRkEgOASNm+2BBt9tJsAqiAW3oPdV/tPOBmhiFzvBEa9jJaL8KkzMVhyr2XjSVVZDHmVDdPLte9+0ZCUQ60kzGc3Tr1g5bCcyx9bUuU9C9Ou15Lx+Mi2na1dK3xsX2JSjo3xo+OS1Sg1e2lFd2IJ/Wtj6zkpaxv9o37vKn37u3e/XrnS7YfdAv3Zu9/sYtWy121pirFil2IQFu2zctPlwS6xTCZ1EVoJKK385mhZ1/j8v2duiPdGjaO5nVbLoPQfqN0fOlXuie+PEpHIyy2EmReWkKqr9XBELrQuV8G6yGAOd1LiYqF77W4+xaVlMlbOCeKhmqiGQWOjs/XzdOptpUTybOynFcmT9g1zo/sM/Bqo/4FeGvaO/8owKgNbP+RbfpQW1U4ipREX5mPbpRdwrJZb5lGLbmxeMRONhVAAacKi6fHQiWhMeizEL5sKM6EIsbI8KNleIVSVuJeuiksPL0VxVt4ImnwSyQmLIDelNxKcm9oJtTUEkjJyRtrIvL03+V6/RBRpBL2hH/B7S1AlaQ3dokC6UEpYLDEX7EELLzAiNo3e0DwZAwhYSCrSnO8eKpIsiTNnzhqIkiKId0AXGdGNQt8IZqtZopwutuFJ7xP2DZeXVCXE7Cm5B76vKN9c8t7+qBZfiyw7qkkKJJaz/8Q37Ai+lKP8T66bOHP7VPms9+RX5rwibwMLqnrJzbfBjikocWuvDgJXGPll1f1NhomLY+X7Qz+mO3mxKVYWwckaekeJCgopzV6iQKpfMa6LnwDMdYciqJGNQIUTl8LwoAjwlDum+N7hic2TBFhlMcFqIjArB5o2r/HVvXgwo5bAU2bRVWYQ3WOXey5YGw1tXDeP7T1Dzw1H12lu79rDaDfOinZxVlNM7UrnZ40UDkyA9s3ByJSkp8TizaJ5OSsfOlb/3EBbDLEan8nBOV/XMpvt203u/br3VLt84X1RSy2Z6bscC/eej0pcdfgu+2B64jJUUz1gYmr6lGPk6ns0pranNYoj26YW+6FEkTq1zxsBINB4ctcYZIxyp4q+oE1UKROUXfMyFGTEvZmfnG2GlTqjGsuq4KHLLYTPEQ4qMLfgJWSEx5DZV9QP8YF12rpTLzsuvBC2TdtDM/ShaQBdoBL2gHXRkV2taa1Q2M4dapU1VpspJv2gZXaNx9I72wQBIsCvVY7AhhKh0V0CYUUkooUh3gTkvuAJdYMzuPmJCnY5ckuAQNGoHrptxXDGs1oLgFvS++pL5j8Jfryvfdpzv+82ve/VvB/UbV+v2qH3tat4e9l7Qd7D3qFTQ3lPQERHYL7nPrtKXg5ePv9a+HzrfDkqfdkt/KQ44++fPL3++zn08KH3Zr30XJ27+027xs/vr2T+e/3vPufQ2b4OVK0/1kh9X6ete4dOvzndP/Vpk6OI6vvG07ry1K0/jzpv9vK8y6s++7q138KyaXJ1Hd+Pa3b49dL7S3evnDz8//v5z9uNO8dNe8Zu38GXv9sNPzVuVq0dwztV+45amDotfD6pffq1/d1c/71swsat9c1S+3Hv57M7+tY/VVfnsqnw7alx7WzeB5u0Rjlf9LtB5CnResEZiilJ4DA9yJ7W7WPbT/tW7nfwnT+M2WLs6Yots3UVqd/7yt0NaYFKN+2DnOVbn86uj9t1R7dbLGLJ//KSR3Hr5hM/5K8/wJM/zLb5LC2rnxkebtEz79EJf9Ei/9M4YGAnjYVSMjREyTkbLmGmB8TML5sKMmBezY47M1ObrZu5IADkwBmSCZJAPUkJWSAy5IT1kiCSRJ1JFtkhYvMiP7omqBftN/ippj0Yaph3VcFAikLRWV9aGBz2iTXSqSYk+Poiu0Th6R/tgoKSS4u6SgoYPQAg4AS3CzKdd8AOKwBKIAlegC4yBNOGNDRPsiUztEDSCSWWafDsApWAVxIJb0Ps/d1uW9JH6F74AAAAASUVORK5CYII="; export default ol_filter_Texture_Image
6,257.695652
67,596
0.967609
c892ebdbc150ed9e7ae7ed43bca91ceadc02082d
763
js
JavaScript
packages/playalong-components/stories/toggle.js
team-playalong/playalong-monorepo
db11abd79d508a2f53155f5172e647d64d5f02e3
[ "MIT" ]
null
null
null
packages/playalong-components/stories/toggle.js
team-playalong/playalong-monorepo
db11abd79d508a2f53155f5172e647d64d5f02e3
[ "MIT" ]
7
2018-06-26T03:47:02.000Z
2020-03-18T11:56:58.000Z
packages/playalong-components/stories/toggle.js
team-playalong/playalong-monorepo
db11abd79d508a2f53155f5172e647d64d5f02e3
[ "MIT" ]
null
null
null
import React from 'react'; import { storiesOf } from '@storybook/react'; import { action } from '@storybook/addon-actions'; import PlyToggle from '../src/components/Toggle'; class ToggleContainer extends React.Component { constructor(props) { super(props); this.state = { toggled: false, }; this.onToggle = this.onToggle.bind(this); } onToggle = val => { action(`Toggle changed to ${val}`)(); this.setState({ toggled: val, }); }; render() { return <PlyToggle label="Yo!" toggled={this.state.toggled} onToggle={this.onToggle} /> } } const stories = storiesOf('Toggle', module); // Knobs for React props stories.add('default', () => { return ( <ToggleContainer /> ); });
19.075
50
0.609436
c893382b0afc5fcd613894b79693bc888a014fe5
466
js
JavaScript
src/components/NavBar/NavLink.js
himanshu32288/neow-browser
de4e56a8ce45762f9e08d3d63e4186368c73c3f1
[ "MIT" ]
null
null
null
src/components/NavBar/NavLink.js
himanshu32288/neow-browser
de4e56a8ce45762f9e08d3d63e4186368c73c3f1
[ "MIT" ]
null
null
null
src/components/NavBar/NavLink.js
himanshu32288/neow-browser
de4e56a8ce45762f9e08d3d63e4186368c73c3f1
[ "MIT" ]
null
null
null
import {useRouter} from "next/router"; import Link from "next/link"; export default function NavLink(props) { const router = useRouter() const isActive = () => { return props.link.pathname === router.pathname ? "nav-item active" : "nav-item"; } return ( <li className={isActive()}> <Link href={props.link.pathname}> <a className='nav-link'>{ props.children }</a> </Link> </li> ) }
27.411765
88
0.560086
c89370b68950066b63e1b95b85a704c6e93f1948
690
js
JavaScript
src/controllers/playController.js
HolyMeekrob/scorage-rest
85eb293510f8b41849b9246b1968a51f2a9e3175
[ "MIT" ]
null
null
null
src/controllers/playController.js
HolyMeekrob/scorage-rest
85eb293510f8b41849b9246b1968a51f2a9e3175
[ "MIT" ]
null
null
null
src/controllers/playController.js
HolyMeekrob/scorage-rest
85eb293510f8b41849b9246b1968a51f2a9e3175
[ "MIT" ]
null
null
null
import scorage from 'scorage'; import koaBody from 'koa-body'; import koaRouter from 'koa-router'; const router = koaRouter({ prefix: '/plays' }); const bodyParser = koaBody(); const playModel = scorage.play; import baseController from './baseController'; const base = baseController(playModel); // Get all plays router.get('/', base.setJsonType, base.getAll); // Get play router.get('/:id', base.setJsonType, base.getById); // Create game router.post('/', bodyParser, base.setJsonType, base.createNew); // Update game router.put('/:id', bodyParser, base.setJsonType, base.updateById); // Delete game router.delete('/:id', base.setJsonType, base.deleteById); export default router;
24.642857
66
0.728986
c893f61372a469ff0d070739e383477d8b3f52a2
9,381
js
JavaScript
source/app/mywork/viewmodels/mywork2.js
realsungroup/MobileHrManage
7b80ca80155d179af5e7341313842261b26b65bc
[ "MIT" ]
null
null
null
source/app/mywork/viewmodels/mywork2.js
realsungroup/MobileHrManage
7b80ca80155d179af5e7341313842261b26b65bc
[ "MIT" ]
null
null
null
source/app/mywork/viewmodels/mywork2.js
realsungroup/MobileHrManage
7b80ca80155d179af5e7341313842261b26b65bc
[ "MIT" ]
null
null
null
define(['durandal/system', 'durandal/app', 'knockout', 'plugins/router', 'plugins/dialog', 'myworkshell/viewmodels/mywork1', 'durandal/viewEngine', 'durandal/viewLocator', 'mobiscroll'], function (system, app, ko, router, dialog, mywork1, viewEngine, viewLocator, addSchool, mobiscroll) { var record = ko.observable({}); var allSchoolModelArr = []; var schoolModelArr = ko.observable([]), emptySchoolModelArr = []; var cerModelArr = ko.observable([]), emptyCerModelArr = []; var certificateArr = ['C3_464174073888', 'C3_464174102741', 'C3_464174124614', 'C3_464174135706', 'C3_464174225362'], lvArr = ['C3_464174245669', 'C3_464174263309', 'C3_464174274118', 'C3_464174314278', 'C3_464174325345'], organArr = ['C3_464174345857', 'C3_464174365244', 'C3_464174394548', 'C3_464174405591', 'C3_464174418555'], dataArr = ['C3_464174451732', 'C3_464174461446', 'C3_464174473180', 'C3_464174481889', 'C3_464174491548']; var schoolNameArr = ['C3_464173711606', 'C3_464173723045', 'C3_464173733523', 'C3_464173750564', 'C3_464173763887'], startTimeArr = ['C3_464173481804', 'C3_464173514735', 'C3_464173524810', 'C3_464173535280', 'C3_464173544689'], endTimeArr = ['C3_464173629942', 'C3_464173639392', 'C3_464173646851', 'C3_464173667723', 'C3_464173677006'], majorArr = ['C3_464173836290', 'C3_464173847918', 'C3_464173861459', 'C3_464173879808', 'C3_464173890490'], eduArr = ['C3_464173912562', 'C3_464173926575', 'C3_464173937460', 'C3_464173949368', 'C3_464173962533']; return { activate: function () { var a = mywork1.record(); var self = this; self.record(a); }, record: record, schoolModelArr: schoolModelArr, cerModelArr: cerModelArr, attached: function () { //学校预加载 var schoolModel = function (schoolName, startTime, endTime, major, edu, index) { this.schoolName = ko.observable(schoolName); this.startTime = ko.observable(startTime); this.endTime = ko.observable(endTime); this.major = ko.observable(major); this.edu = ko.observable(edu); this.index = index; } var tempArr = []; for (var i = 0; i < schoolNameArr.length; i++) { var tempM = new schoolModel(record()[schoolNameArr[i]], record()[startTimeArr[i]], record()[endTimeArr[i]], record()[majorArr[i]], record()[eduArr[i]], i); if (record()[schoolNameArr[i]] != null || record()[startTimeArr[i]] != null || record()[endTimeArr[i]] != null || record()[majorArr[i]] != null) { tempArr.push(tempM); } else { if (i == 0) tempArr.push(tempM); else emptySchoolModelArr.push(tempM); } allSchoolModelArr.push(tempM); } schoolModelArr(tempArr); //证书预加载 var cerModel = function (cer, lv, organ, data, index) { this.cer = ko.observable(cer); this.lv = ko.observable(lv); this.organ = ko.observable(organ); this.data = ko.observable(data); this.index = index; } var tempCerArr = []; for (var i = 0; i < certificateArr.length; i++) { var tempM = new cerModel(record()[certificateArr[i]], record()[lvArr[i]], record()[organArr[i]], record()[dataArr[i]], i); if (record()[certificateArr[i]] != null || record()[lvArr[i]] != null || record()[organArr[i]] != null || record()[dataArr[i]] != null) { tempCerArr.push(tempM); } else { if (i == 0) tempCerArr.push(tempM); else emptyCerModelArr.push(tempM); } } cerModelArr(tempCerArr); ko.computed(function () { // alert("1" + schoolModelArr()[0].schoolName() +'------'+record().C3_464173723045); for (var i = 0; i < schoolModelArr().concat(emptySchoolModelArr).length; i++) { var tempM = schoolModelArr().concat(emptySchoolModelArr)[i]; record()[schoolNameArr[tempM.index]] = tempM.schoolName(); record()[startTimeArr[tempM.index]] = tempM.startTime(); record()[endTimeArr[tempM.index]] = tempM.endTime(); record()[majorArr[tempM.index]] = tempM.major(); record()[eduArr[tempM.index]] = tempM.edu(); } }); ko.computed(function(){ for (var i = 0; i < cerModelArr().concat(emptyCerModelArr).length; i++) { var tempM = cerModelArr().concat(emptyCerModelArr)[i]; record()[certificateArr[tempM.index]] = tempM.cer(); record()[lvArr[tempM.index]] = tempM.lv(); record()[organArr[tempM.index]] = tempM.organ(); record()[dataArr[tempM.index]] = tempM.data(); console.log("------->" + record()[certificateArr[tempM.index]]); } }) var timeC = timeControl.createTimeControl(); timeC.record = record(); timeC.initTimeControl(); }, changeview: function (strID) { var self = this; if (strID == "btn1") {//添加证书 if (emptyCerModelArr.length) { var tempArr = cerModelArr(); tempArr.push(emptyCerModelArr[0]); cerModelArr(tempArr); emptyCerModelArr.splice(0, 1); } } else if (strID == "btn2") {//添加学校 if (emptySchoolModelArr.length) { var tempSchoolModelArr = schoolModelArr(); tempSchoolModelArr.push(emptySchoolModelArr[0]); schoolModelArr(tempSchoolModelArr); emptySchoolModelArr.splice(0, 1); } } var timeC = timeControl.createTimeControl(); timeC.record = record(); timeC.initTimeControl(); }, submitClickWork2: function () {//提交 mywork1.submitClick(); }, routeMyWork3: function () { var propertyArr = ['C3_464173711606', 'C3_464173481804', 'C3_464173629942', // 'C3_464173836290', 'C3_464173912562', 'C3_464174073888', 'C3_464174245669' ]; var propertyStrArr = [ "学校名称", "教育开始时间", "教育结束时间", // "专业", "学历", "证书名称", "等级" ]; var containArr = [propertyArr, propertyStrArr]; var emptyArr = mywork1.valiateForm(containArr); if (emptyArr.length == 0) { appConfig.app.myworkshell.router.navigate("#mywork/mywork3"); } else { dialog.showMessage(emptyArr + "不能为空"); } }, routeBack: function () { appConfig.app.myworkshell.router.navigateBack(); }, cellDelete: function (str, index, data, event) {//删除 if( mywork1.record().C3_471002935941 == "Y"){ dialog.showMessage("已提交数据不能删除"); return; } if (str == 'school') { var tempSchoolM = schoolModelArr()[index()]; emptySchoolModelArr.push(tempSchoolM); schoolModelArr().splice(index(), 1); tempSchoolM.schoolName(''); tempSchoolM.startTime(''); tempSchoolM.endTime(''); tempSchoolM.major(''); tempSchoolM.edu(''); schoolModelArr(schoolModelArr()); } else if (str == 'cer') { var tempSchoolM = cerModelArr()[index()]; emptyCerModelArr.push(tempSchoolM); cerModelArr().splice(index(), 1); tempSchoolM.cer(''); tempSchoolM.lv(''); tempSchoolM.organ(''); tempSchoolM.data(''); cerModelArr(cerModelArr()); } } }; });
44.042254
166
0.466475
c89422b6b6b31be7808277cfc3a3f3f554aa68ea
4,169
js
JavaScript
docs/includes/index.js
UpperCi/TS-render-testing
21b11b921e022ed644e8317045975a10651c7ac1
[ "Unlicense" ]
2
2021-08-29T09:52:01.000Z
2022-02-26T15:47:43.000Z
docs/includes/index.js
UpperCi/TS-render-testing
21b11b921e022ed644e8317045975a10651c7ac1
[ "Unlicense" ]
null
null
null
docs/includes/index.js
UpperCi/TS-render-testing
21b11b921e022ed644e8317045975a10651c7ac1
[ "Unlicense" ]
null
null
null
import { GameAnimatedImage, GameCenterText, GameImage, GameRectButton } from "./engine/canvasObject.js"; import { Game, RENDERTYPES } from "./engine/game.js"; import { CanvasRenderEngine, HTMLRenderEngine, PixelCanvasRenderEngine } from "./engine/renderEngine.js"; import { Vector } from "./engine/vector.js"; class Hat extends GameImage { constructor() { super('hat.png', Vector.ZERO()); this.offset = Vector.ZERO(); this.rot = 4; this.rotDiv = 8; this.speed = 0.003; this.rot = Math.floor(Math.random() * 3 + 1); this.rotDiv = Math.floor(Math.random() * 4 + 2); this.speed = (Math.random() * 3.5 + 0.5) * 0.002; } update(game) { let v = new Vector(80 - this.img.width / 2, 160 - this.img.height / 2); v = v.add(this.offset); let s = this.speed; let r = 32 * (1 + Math.sin(-game.deltaTimestamp * s * this.rot) / this.rotDiv); v = v.add(new Vector(Math.sin(-game.deltaTimestamp * s) * r, Math.cos(-game.deltaTimestamp * s) * r)); this.position = v; } } class Robot extends GameAnimatedImage { constructor(game) { super("swing.png", 16, new Vector(0, 28).add(new Vector(Math.random() * 100, Math.random() * 216)), 10, game, false); this.spd = 1; } update(game) { super.update(game); this.position.x += game.delta * this.spd; if (this.position.x >= game.renderEngine.canvasSize.x) { this.position.x = -20; } } set speed(spd) { this.spd = spd; this.frameTime = 60 / (10 + 10 * (spd / 2 - 0.5)); } } let a = new Game(); let count = 1; let colors = { dark: '#0C1446', base: '#175873', highlight: '#2B7C85', light: '#87ACA3' }; function switchEngine(g, btn) { g.removeObj(g.renderEngine.fsBtn.img); g.removeObj(g.renderEngine.fsBtn); g.removeUpdateObj(g.renderEngine.fsBtn); let objs = g.renderEngine.gameObjects; let fs = g.renderEngine.fullScreen; g.gameElement.innerHTML = ''; switch (g.renderType) { case RENDERTYPES.HTML: g.renderType = RENDERTYPES.pixelHTML; g.renderEngine = new HTMLRenderEngine(g, true); btn.textStr = 'pixelHTML'; break; case RENDERTYPES.pixelHTML: g.renderType = RENDERTYPES.canvas; g.renderEngine = new CanvasRenderEngine(g); btn.textStr = 'canvas'; break; case RENDERTYPES.canvas: g.renderType = RENDERTYPES.pixelCanvas; g.renderEngine = new PixelCanvasRenderEngine(g); btn.textStr = 'pixelCanvas'; break; case RENDERTYPES.pixelCanvas: g.renderType = RENDERTYPES.HTML; g.renderEngine = new HTMLRenderEngine(g); btn.textStr = 'HTML'; break; } g.renderEngine.fullScreen = fs; g.gameElement.style.cursor = 'default'; g.renderEngine.start(); g.renderEngine.initFS(); for (let o of objs) { g.addObj(o); } } function generateBS(g) { let amount = 1 + count * (1 + count / 10); for (let i = 0; i < Math.floor(amount); i++) { for (let i = 0; i < 3; i++) { let bot = new Robot(g); bot.speed = Math.random() + 1; g.addObj(bot); } let hat = new Hat(); g.addObj(hat); g.addUpdateObj(hat); } count++; } a.startFunc = () => { let r = a.createRect(new Vector(-5, 260), new Vector(170, 70), colors.dark); r.stroke = colors.light; let btn = new GameRectButton(new Vector(8, 272), new Vector(80, 40), a, () => { switchEngine(a, btn); }, 'canvas', colors.base); btn.hoverColor = colors.highlight; let btn2 = new GameRectButton(new Vector(96, 272), new Vector(56, 16), a, () => { generateBS(a); }, '+', colors.base); btn2.hoverColor = colors.highlight; let text = new GameCenterText('1', new Vector(96, 292), new Vector(56, 16)); a.addObj(text); a.addUpdateObj({ update(game) { text.text = a.renderEngine.gameObjects.length.toString(); } }); generateBS(a); }; a.start();
35.330508
132
0.572559
c894550a212012b0753ecf5cfe2be18742a9ee45
35,636
js
JavaScript
js/tidex.js
rebekos/ccxt
5872dd4f1a578de468ff4dbd6d79685e4fe7f536
[ "MIT" ]
1
2019-06-24T07:20:05.000Z
2019-06-24T07:20:05.000Z
js/tidex.js
rebekos/ccxt
5872dd4f1a578de468ff4dbd6d79685e4fe7f536
[ "MIT" ]
3
2021-03-11T06:16:27.000Z
2021-05-11T23:09:26.000Z
js/tidex.js
rebekos/ccxt
5872dd4f1a578de468ff4dbd6d79685e4fe7f536
[ "MIT" ]
1
2019-06-24T07:31:27.000Z
2019-06-24T07:31:27.000Z
'use strict'; const Exchange = require ('./base/Exchange'); const { ExchangeError, ArgumentsRequired, ExchangeNotAvailable, InsufficientFunds, OrderNotFound, DDoSProtection, InvalidOrder, AuthenticationError } = require ('./base/errors'); module.exports = class tidex extends Exchange { describe () { return this.deepExtend (super.describe (), { 'id': 'tidex', 'name': 'Tidex', 'countries': [ 'UK' ], 'rateLimit': 2000, 'version': '3', 'userAgent': this.userAgents['chrome'], 'has': { 'CORS': false, 'createMarketOrder': false, 'fetchOrderBooks': true, 'fetchOrder': true, 'fetchOrders': 'emulated', 'fetchOpenOrders': true, 'fetchClosedOrders': 'emulated', 'fetchTickers': true, 'fetchMyTrades': true, 'withdraw': true, 'fetchCurrencies': true, }, 'urls': { 'logo': 'https://user-images.githubusercontent.com/1294454/30781780-03149dc4-a12e-11e7-82bb-313b269d24d4.jpg', 'api': { 'web': 'https://gate.tidex.com/api', 'public': 'https://api.tidex.com/api/3', 'private': 'https://api.tidex.com/tapi', }, 'www': 'https://tidex.com', 'doc': 'https://tidex.com/exchange/public-api', 'fees': [ 'https://tidex.com/exchange/assets-spec', 'https://tidex.com/exchange/pairs-spec', ], }, 'api': { 'web': { 'get': [ 'currency', 'pairs', 'tickers', 'orders', 'ordershistory', 'trade-data', 'trade-data/{id}', ], }, 'public': { 'get': [ 'info', 'ticker/{pair}', 'depth/{pair}', 'trades/{pair}', ], }, 'private': { 'post': [ 'getInfo', 'Trade', 'ActiveOrders', 'OrderInfo', 'CancelOrder', 'TradeHistory', 'CoinDepositAddress', 'WithdrawCoin', 'CreateCoupon', 'RedeemCoupon', ], }, }, 'fees': { 'trading': { 'tierBased': false, 'percentage': true, 'taker': 0.1 / 100, 'maker': 0.1 / 100, }, }, 'commonCurrencies': { 'DSH': 'DASH', 'EMGO': 'MGO', 'MGO': 'WMGO', }, 'exceptions': { 'exact': { '803': InvalidOrder, // "Count could not be less than 0.001." (selling below minAmount) '804': InvalidOrder, // "Count could not be more than 10000." (buying above maxAmount) '805': InvalidOrder, // "price could not be less than X." (minPrice violation on buy & sell) '806': InvalidOrder, // "price could not be more than X." (maxPrice violation on buy & sell) '807': InvalidOrder, // "cost could not be less than X." (minCost violation on buy & sell) '831': InsufficientFunds, // "Not enougth X to create buy order." (buying with balance.quote < order.cost) '832': InsufficientFunds, // "Not enougth X to create sell order." (selling with balance.base < order.amount) '833': OrderNotFound, // "Order with id X was not found." (cancelling non-existent, closed and cancelled order) }, 'broad': { 'Invalid pair name': ExchangeError, // {"success":0,"error":"Invalid pair name: btc_eth"} 'invalid api key': AuthenticationError, 'invalid sign': AuthenticationError, 'api key dont have trade permission': AuthenticationError, 'invalid parameter': InvalidOrder, 'invalid order': InvalidOrder, 'Requests too often': DDoSProtection, 'not available': ExchangeNotAvailable, 'data unavailable': ExchangeNotAvailable, 'external service unavailable': ExchangeNotAvailable, }, }, 'options': { 'fetchTickersMaxLength': 2048, }, }); } async fetchCurrencies (params = {}) { const response = await this.webGetCurrency (params); const result = {}; for (let i = 0; i < response.length; i++) { const currency = response[i]; const id = this.safeString (currency, 'symbol'); const precision = currency['amountPoint']; let code = id.toUpperCase (); code = this.commonCurrencyCode (code); let active = currency['visible'] === true; const canWithdraw = currency['withdrawEnable'] === true; const canDeposit = currency['depositEnable'] === true; if (!canWithdraw || !canDeposit) { active = false; } const name = this.safeString (currency, 'name'); result[code] = { 'id': id, 'code': code, 'name': name, 'active': active, 'precision': precision, 'funding': { 'withdraw': { 'active': canWithdraw, 'fee': currency['withdrawFee'], }, 'deposit': { 'active': canDeposit, 'fee': 0.0, }, }, 'limits': { 'amount': { 'min': undefined, 'max': Math.pow (10, precision), }, 'price': { 'min': Math.pow (10, -precision), 'max': Math.pow (10, precision), }, 'cost': { 'min': undefined, 'max': undefined, }, 'withdraw': { 'min': currency['withdrawMinAmout'], 'max': undefined, }, 'deposit': { 'min': currency['depositMinAmount'], 'max': undefined, }, }, 'info': currency, }; } return result; } calculateFee (symbol, type, side, amount, price, takerOrMaker = 'taker', params = {}) { const market = this.markets[symbol]; let key = 'quote'; const rate = market[takerOrMaker]; let cost = parseFloat (this.costToPrecision (symbol, amount * rate)); if (side === 'sell') { cost *= price; } else { key = 'base'; } return { 'type': takerOrMaker, 'currency': market[key], 'rate': rate, 'cost': cost, }; } async fetchMarkets (params = {}) { const response = await this.publicGetInfo (params); const markets = response['pairs']; const keys = Object.keys (markets); const result = []; for (let i = 0; i < keys.length; i++) { const id = keys[i]; const market = markets[id]; const [ baseId, quoteId ] = id.split ('_'); let base = baseId.toUpperCase (); let quote = quoteId.toUpperCase (); base = this.commonCurrencyCode (base); quote = this.commonCurrencyCode (quote); const symbol = base + '/' + quote; const precision = { 'amount': this.safeInteger (market, 'decimal_places'), 'price': this.safeInteger (market, 'decimal_places'), }; const limits = { 'amount': { 'min': this.safeFloat (market, 'min_amount'), 'max': this.safeFloat (market, 'max_amount'), }, 'price': { 'min': this.safeFloat (market, 'min_price'), 'max': this.safeFloat (market, 'max_price'), }, 'cost': { 'min': this.safeFloat (market, 'min_total'), }, }; const hidden = this.safeInteger (market, 'hidden'); const active = (hidden === 0); result.push ({ 'id': id, 'symbol': symbol, 'base': base, 'quote': quote, 'baseId': baseId, 'quoteId': quoteId, 'active': active, 'taker': market['fee'] / 100, 'precision': precision, 'limits': limits, 'info': market, }); } return result; } async fetchBalance (params = {}) { await this.loadMarkets (); const response = await this.privatePostGetInfo (params); const balances = this.safeValue (response, 'return'); const result = { 'info': balances }; const funds = this.safeValue (balances, 'funds', {}); const currencyIds = Object.keys (funds); for (let i = 0; i < currencyIds.length; i++) { const currencyId = currencyIds[i]; let code = currencyId; if (currencyId in this.currencies_by_id) { code = this.currencies_by_id[currencyId]['code']; } else { code = this.commonCurrencyCode (currencyId.toUpperCase ()); } let total = undefined; let used = undefined; if (balances['open_orders'] === 0) { total = funds[currencyId]; used = 0.0; } const account = { 'free': funds[currencyId], 'used': used, 'total': total, }; result[code] = account; } return this.parseBalance (result); } async fetchOrderBook (symbol, limit = undefined, params = {}) { await this.loadMarkets (); const market = this.market (symbol); const request = { 'pair': market['id'], }; if (limit !== undefined) { request['limit'] = limit; // default = 150, max = 2000 } const response = await this.publicGetDepthPair (this.extend (request, params)); const market_id_in_reponse = (market['id'] in response); if (!market_id_in_reponse) { throw new ExchangeError (this.id + ' ' + market['symbol'] + ' order book is empty or not available'); } const orderbook = response[market['id']]; return this.parseOrderBook (orderbook); } async fetchOrderBooks (symbols = undefined, params = {}) { await this.loadMarkets (); let ids = undefined; if (symbols === undefined) { ids = this.ids.join ('-'); // max URL length is 2083 symbols, including http schema, hostname, tld, etc... if (ids.length > 2048) { const numIds = this.ids.length; throw new ExchangeError (this.id + ' has ' + numIds.toString () + ' symbols exceeding max URL length, you are required to specify a list of symbols in the first argument to fetchOrderBooks'); } } else { ids = this.marketIds (symbols); ids = ids.join ('-'); } const request = { 'pair': ids, }; const response = await this.publicGetDepthPair (this.extend (request, params)); const result = {}; ids = Object.keys (response); for (let i = 0; i < ids.length; i++) { const id = ids[i]; let symbol = id; if (id in this.markets_by_id) { symbol = this.markets_by_id[id]['symbol']; } result[symbol] = this.parseOrderBook (response[id]); } return result; } parseTicker (ticker, market = undefined) { // // { high: 0.03497582, // low: 0.03248474, // avg: 0.03373028, // vol: 120.11485715062999, // vol_cur: 3572.24914074, // last: 0.0337611, // buy: 0.0337442, // sell: 0.03377798, // updated: 1537522009 } // const timestamp = ticker['updated'] * 1000; let symbol = undefined; if (market !== undefined) { symbol = market['symbol']; } const last = this.safeFloat (ticker, 'last'); return { 'symbol': symbol, 'timestamp': timestamp, 'datetime': this.iso8601 (timestamp), 'high': this.safeFloat (ticker, 'high'), 'low': this.safeFloat (ticker, 'low'), 'bid': this.safeFloat (ticker, 'buy'), 'bidVolume': undefined, 'ask': this.safeFloat (ticker, 'sell'), 'askVolume': undefined, 'vwap': undefined, 'open': undefined, 'close': last, 'last': last, 'previousClose': undefined, 'change': undefined, 'percentage': undefined, 'average': this.safeFloat (ticker, 'avg'), 'baseVolume': this.safeFloat (ticker, 'vol_cur'), 'quoteVolume': this.safeFloat (ticker, 'vol'), 'info': ticker, }; } async fetchTickers (symbols = undefined, params = {}) { await this.loadMarkets (); let ids = this.ids; if (symbols === undefined) { const numIds = ids.length; ids = ids.join ('-'); // max URL length is 2048 symbols, including http schema, hostname, tld, etc... if (ids.length > this.options['fetchTickersMaxLength']) { const maxLength = this.safeInteger (this.options, 'fetchTickersMaxLength', 2048); throw new ArgumentsRequired (this.id + ' has ' + numIds.toString () + ' markets exceeding max URL length for this endpoint (' + maxLength.toString () + ' characters), please, specify a list of symbols of interest in the first argument to fetchTickers'); } } else { ids = this.marketIds (symbols); ids = ids.join ('-'); } const request = { 'pair': ids, }; const response = await this.publicGetTickerPair (this.extend (request, params)); const result = {}; const keys = Object.keys (response); for (let i = 0; i < keys.length; i++) { const id = keys[i]; let symbol = id; let market = undefined; if (id in this.markets_by_id) { market = this.markets_by_id[id]; symbol = market['symbol']; } result[symbol] = this.parseTicker (response[id], market); } return result; } async fetchTicker (symbol, params = {}) { const tickers = await this.fetchTickers ([ symbol ], params); return tickers[symbol]; } parseTrade (trade, market = undefined) { let timestamp = this.safeInteger (trade, 'timestamp'); if (timestamp !== undefined) { timestamp = timestamp * 1000; } let side = this.safeString (trade, 'type'); if (side === 'ask') { side = 'sell'; } else if (side === 'bid') { side = 'buy'; } const price = this.safeFloat2 (trade, 'rate', 'price'); const id = this.safeString2 (trade, 'trade_id', 'tid'); const orderId = this.safeString (trade, 'order_id'); if ('pair' in trade) { const marketId = this.safeString (trade, 'pair'); market = this.safeValue (this.markets_by_id, marketId, market); } let symbol = undefined; if (market !== undefined) { symbol = market['symbol']; } const amount = this.safeFloat (trade, 'amount'); const type = 'limit'; // all trades are still limit trades let takerOrMaker = undefined; let fee = undefined; const feeCost = this.safeFloat (trade, 'commission'); if (feeCost !== undefined) { let feeCurrencyId = this.safeString (trade, 'commissionCurrency'); feeCurrencyId = feeCurrencyId.toUpperCase (); const feeCurrency = this.safeValue (this.currencies_by_id, feeCurrencyId); let feeCurrencyCode = undefined; if (feeCurrency !== undefined) { feeCurrencyCode = feeCurrency['code']; } else { feeCurrencyCode = this.commonCurrencyCode (feeCurrencyId); } fee = { 'cost': feeCost, 'currency': feeCurrencyCode, }; } const isYourOrder = this.safeValue (trade, 'is_your_order'); if (isYourOrder !== undefined) { takerOrMaker = 'taker'; if (isYourOrder) { takerOrMaker = 'maker'; } if (fee === undefined) { fee = this.calculateFee (symbol, type, side, amount, price, takerOrMaker); } } let cost = undefined; if (amount !== undefined) { if (price !== undefined) { cost = amount * price; } } return { 'id': id, 'order': orderId, 'timestamp': timestamp, 'datetime': this.iso8601 (timestamp), 'symbol': symbol, 'type': type, 'side': side, 'takerOrMaker': takerOrMaker, 'price': price, 'amount': amount, 'cost': cost, 'fee': fee, 'info': trade, }; } async fetchTrades (symbol, since = undefined, limit = undefined, params = {}) { await this.loadMarkets (); const market = this.market (symbol); const request = { 'pair': market['id'], }; if (limit !== undefined) { request['limit'] = limit; } const response = await this.publicGetTradesPair (this.extend (request, params)); if (Array.isArray (response)) { const numElements = response.length; if (numElements === 0) { return []; } } return this.parseTrades (response[market['id']], market, since, limit); } async createOrder (symbol, type, side, amount, price = undefined, params = {}) { if (type === 'market') { throw new ExchangeError (this.id + ' allows limit orders only'); } await this.loadMarkets (); const market = this.market (symbol); const request = { 'pair': market['id'], 'type': side, 'amount': this.amountToPrecision (symbol, amount), 'rate': this.priceToPrecision (symbol, price), }; price = parseFloat (price); amount = parseFloat (amount); const response = await this.privatePostTrade (this.extend (request, params)); let id = undefined; let status = 'open'; let filled = 0.0; let remaining = amount; if ('return' in response) { id = this.safeString (response['return'], 'order_id'); if (id === '0') { id = this.safeString (response['return'], 'init_order_id'); status = 'closed'; } filled = this.safeFloat (response['return'], 'received', 0.0); remaining = this.safeFloat (response['return'], 'remains', amount); } const timestamp = this.milliseconds (); const order = { 'id': id, 'timestamp': timestamp, 'datetime': this.iso8601 (timestamp), 'lastTradeTimestamp': undefined, 'status': status, 'symbol': symbol, 'type': type, 'side': side, 'price': price, 'cost': price * filled, 'amount': amount, 'remaining': remaining, 'filled': filled, 'fee': undefined, // 'trades': this.parseTrades (order['trades'], market), }; this.orders[id] = order; return this.extend ({ 'info': response }, order); } async cancelOrder (id, symbol = undefined, params = {}) { await this.loadMarkets (); const request = { 'order_id': parseInt (id), }; const response = await this.privatePostCancelOrder (this.extend (request, params)); if (id in this.orders) { this.orders[id]['status'] = 'canceled'; } return response; } parseOrderStatus (status) { const statuses = { '0': 'open', '1': 'closed', '2': 'canceled', '3': 'canceled', // or partially-filled and still open? https://github.com/ccxt/ccxt/issues/1594 }; return this.safeString (statuses, status, status); } parseOrder (order, market = undefined) { const id = this.safeString (order, 'id'); const status = this.parseOrderStatus (this.safeString (order, 'status')); let timestamp = this.safeInteger (order, 'timestamp_created'); if (timestamp !== undefined) { timestamp *= 1000; } let symbol = undefined; if (market === undefined) { const marketId = this.safeString (order, 'pair'); if (marketId in this.markets_by_id) { market = this.markets_by_id[marketId]; } } if (market !== undefined) { symbol = market['symbol']; } let remaining = undefined; let amount = undefined; const price = this.safeFloat (order, 'rate'); let filled = undefined; let cost = undefined; if ('start_amount' in order) { amount = this.safeFloat (order, 'start_amount'); remaining = this.safeFloat (order, 'amount'); } else { remaining = this.safeFloat (order, 'amount'); if (id in this.orders) { amount = this.orders[id]['amount']; } } if (amount !== undefined) { if (remaining !== undefined) { filled = amount - remaining; cost = price * filled; } } const fee = undefined; return { 'info': order, 'id': id, 'symbol': symbol, 'timestamp': timestamp, 'datetime': this.iso8601 (timestamp), 'lastTradeTimestamp': undefined, 'type': 'limit', 'side': order['type'], 'price': price, 'cost': cost, 'amount': amount, 'remaining': remaining, 'filled': filled, 'status': status, 'fee': fee, }; } parseOrders (orders, market = undefined, since = undefined, limit = undefined, params = {}) { const result = []; const ids = Object.keys (orders); let symbol = undefined; if (market !== undefined) { symbol = market['symbol']; } for (let i = 0; i < ids.length; i++) { const id = ids[i]; const order = this.extend ({ 'id': id }, orders[id]); result.push (this.extend (this.parseOrder (order, market), params)); } return this.filterBySymbolSinceLimit (result, symbol, since, limit); } async fetchOrder (id, symbol = undefined, params = {}) { await this.loadMarkets (); const request = { 'order_id': parseInt (id), }; const response = await this.privatePostOrderInfo (this.extend (request, params)); id = id.toString (); const newOrder = this.parseOrder (this.extend ({ 'id': id }, response['return'][id])); const oldOrder = (id in this.orders) ? this.orders[id] : {}; this.orders[id] = this.extend (oldOrder, newOrder); return this.orders[id]; } updateCachedOrders (openOrders, symbol) { // update local cache with open orders // this will add unseen orders and overwrite existing ones for (let j = 0; j < openOrders.length; j++) { const id = openOrders[j]['id']; this.orders[id] = openOrders[j]; } const openOrdersIndexedById = this.indexBy (openOrders, 'id'); const cachedOrderIds = Object.keys (this.orders); for (let k = 0; k < cachedOrderIds.length; k++) { // match each cached order to an order in the open orders array // possible reasons why a cached order may be missing in the open orders array: // - order was closed or canceled -> update cache // - symbol mismatch (e.g. cached BTC/USDT, fetched ETH/USDT) -> skip const cachedOrderId = cachedOrderIds[k]; let cachedOrder = this.orders[cachedOrderId]; if (!(cachedOrderId in openOrdersIndexedById)) { // cached order is not in open orders array // if we fetched orders by symbol and it doesn't match the cached order -> won't update the cached order if (symbol !== undefined && symbol !== cachedOrder['symbol']) { continue; } // cached order is absent from the list of open orders -> mark the cached order as closed if (cachedOrder['status'] === 'open') { cachedOrder = this.extend (cachedOrder, { 'status': 'closed', // likewise it might have been canceled externally (unnoticed by "us") 'cost': undefined, 'filled': cachedOrder['amount'], 'remaining': 0.0, }); if (cachedOrder['cost'] === undefined) { if (cachedOrder['filled'] !== undefined) { cachedOrder['cost'] = cachedOrder['filled'] * cachedOrder['price']; } } this.orders[cachedOrderId] = cachedOrder; } } } return this.toArray (this.orders); } async fetchOrders (symbol = undefined, since = undefined, limit = undefined, params = {}) { if ('fetchOrdersRequiresSymbol' in this.options) { if (this.options['fetchOrdersRequiresSymbol']) { if (symbol === undefined) { throw new ArgumentsRequired (this.id + ' fetchOrders requires a `symbol` argument'); } } } await this.loadMarkets (); const request = {}; let market = undefined; if (symbol !== undefined) { market = this.market (symbol); request['pair'] = market['id']; } const response = await this.privatePostActiveOrders (this.extend (request, params)); // it can only return 'open' orders (i.e. no way to fetch 'closed' orders) const orders = this.safeValue (response, 'return', []); const openOrders = this.parseOrders (orders, market); const allOrders = this.updateCachedOrders (openOrders, symbol); const result = this.filterBySymbol (allOrders, symbol); return this.filterBySinceLimit (result, since, limit); } async fetchOpenOrders (symbol = undefined, since = undefined, limit = undefined, params = {}) { const orders = await this.fetchOrders (symbol, since, limit, params); return this.filterBy (orders, 'status', 'open'); } async fetchClosedOrders (symbol = undefined, since = undefined, limit = undefined, params = {}) { const orders = await this.fetchOrders (symbol, since, limit, params); return this.filterBy (orders, 'status', 'closed'); } async fetchMyTrades (symbol = undefined, since = undefined, limit = undefined, params = {}) { await this.loadMarkets (); let market = undefined; // some derived classes use camelcase notation for request fields const request = { // 'from': 123456789, // trade ID, from which the display starts numerical 0 (test result: liqui ignores this field) // 'count': 1000, // the number of trades for display numerical, default = 1000 // 'from_id': trade ID, from which the display starts numerical 0 // 'end_id': trade ID on which the display ends numerical ∞ // 'order': 'ASC', // sorting, default = DESC (test result: liqui ignores this field, most recent trade always goes last) // 'since': 1234567890, // UTC start time, default = 0 (test result: liqui ignores this field) // 'end': 1234567890, // UTC end time, default = ∞ (test result: liqui ignores this field) // 'pair': 'eth_btc', // default = all markets }; if (symbol !== undefined) { market = this.market (symbol); request['pair'] = market['id']; } if (limit !== undefined) { request['count'] = parseInt (limit); } if (since !== undefined) { request['since'] = parseInt (since / 1000); } const response = await this.privatePostTradeHistory (this.extend (request, params)); const trades = this.safeValue (response, 'return', []); return this.parseTrades (trades, market, since, limit); } async withdraw (code, amount, address, tag = undefined, params = {}) { this.checkAddress (address); await this.loadMarkets (); const currency = this.currency (code); const request = { 'coinName': currency['id'], 'amount': parseFloat (amount), 'address': address, }; // no docs on the tag, yet... if (tag !== undefined) { throw new ExchangeError (this.id + ' withdraw() does not support the tag argument yet due to a lack of docs on withdrawing with tag/memo on behalf of the exchange.'); } const response = await this.privatePostWithdrawCoin (this.extend (request, params)); return { 'info': response, 'id': response['return']['tId'], }; } sign (path, api = 'public', method = 'GET', params = {}, headers = undefined, body = undefined) { let url = this.urls['api'][api]; const query = this.omit (params, this.extractParams (path)); if (api === 'private') { this.checkRequiredCredentials (); const nonce = this.nonce (); body = this.urlencode (this.extend ({ 'nonce': nonce, 'method': path, }, query)); const signature = this.hmac (this.encode (body), this.encode (this.secret), 'sha512'); headers = { 'Content-Type': 'application/x-www-form-urlencoded', 'Key': this.apiKey, 'Sign': signature, }; } else if (api === 'public') { url += '/' + this.implodeParams (path, params); if (Object.keys (query).length) { url += '?' + this.urlencode (query); } } else { url += '/' + this.implodeParams (path, params); if (method === 'GET') { if (Object.keys (query).length) { url += '?' + this.urlencode (query); } } else { if (Object.keys (query).length) { body = this.json (query); headers = { 'Content-Type': 'application/json', }; } } } return { 'url': url, 'method': method, 'body': body, 'headers': headers }; } handleErrors (httpCode, reason, url, method, headers, body, response) { if (response === undefined) { return; // fallback to default error handler } if ('success' in response) { // // 1 - The exchange only returns the integer 'success' key from their private API // // { "success": 1, ... } httpCode === 200 // { "success": 0, ... } httpCode === 200 // // 2 - However, derived exchanges can return non-integers // // It can be a numeric string // { "sucesss": "1", ... } // { "sucesss": "0", ... }, httpCode >= 200 (can be 403, 502, etc) // // Or just a string // { "success": "true", ... } // { "success": "false", ... }, httpCode >= 200 // // Or a boolean // { "success": true, ... } // { "success": false, ... }, httpCode >= 200 // // 3 - Oversimplified, Python PEP8 forbids comparison operator (===) of different types // // 4 - We do not want to copy-paste and duplicate the code of this handler to other exchanges derived from Liqui // // To cover points 1, 2, 3 and 4 combined this handler should work like this: // let success = this.safeValue (response, 'success', false); if (typeof success === 'string') { if ((success === 'true') || (success === '1')) { success = true; } else { success = false; } } if (!success) { const code = this.safeString (response, 'code'); const message = this.safeString (response, 'error'); const feedback = this.id + ' ' + this.json (response); const exact = this.exceptions['exact']; if (code in exact) { throw new exact[code] (feedback); } else if (message in exact) { throw new exact[message] (feedback); } const broad = this.exceptions['broad']; const broadKey = this.findBroadlyMatchedKey (broad, message); if (broadKey !== undefined) { throw new broad[broadKey] (feedback); } throw new ExchangeError (feedback); // unknown message } } } };
40.357871
269
0.48378
c8946ca577e005a8efe5110b7284bd5d5baf47a5
329
js
JavaScript
src/components/ContentImage.js
hazelyuyang/hazelyang.com-2019
2e9dd67cc8b6a552d8cf3ede39ff1f9df3fc5141
[ "MIT" ]
null
null
null
src/components/ContentImage.js
hazelyuyang/hazelyang.com-2019
2e9dd67cc8b6a552d8cf3ede39ff1f9df3fc5141
[ "MIT" ]
null
null
null
src/components/ContentImage.js
hazelyuyang/hazelyang.com-2019
2e9dd67cc8b6a552d8cf3ede39ff1f9df3fc5141
[ "MIT" ]
null
null
null
import React from 'react' import Link from 'gatsby-link' import './ContentImage.css' const ContentImage = props => ( <div className="ContentImage"> <div className="ClipImage"> <img src={props.image} /> </div> <p><i>{props.description}</i></p> </div> ) export default ContentImage
18.277778
41
0.604863
c8948598ff4b4b3eccfb31d38cd66c93175ef791
1,511
js
JavaScript
node_modules/raven-js/dist/plugins/vue.min.js
MOZPIT/todos-mobile-app
c5095993285ff35bc01fa095682ac67a29485b0d
[ "MIT" ]
null
null
null
node_modules/raven-js/dist/plugins/vue.min.js
MOZPIT/todos-mobile-app
c5095993285ff35bc01fa095682ac67a29485b0d
[ "MIT" ]
49
2020-09-05T01:44:15.000Z
2022-03-08T22:54:33.000Z
start/http-app/node_modules/raven-js/dist/plugins/vue.min.js
niesssiobhan/react-course
68b2650c50c51a177a079c66a99ee289188ef00f
[ "MIT" ]
null
null
null
/*! Raven.js 3.26.4 (7d7202b) | github.com/getsentry/raven-js */ !function(a){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=a();else if("function"==typeof define&&define.amd)define([],a);else{var b;b="undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:this,b=b.Raven||(b.Raven={}),b=b.Plugins||(b.Plugins={}),b.Vue=a()}}(function(){return function a(b,c,d){function e(g,h){if(!c[g]){if(!b[g]){var i="function"==typeof require&&require;if(!h&&i)return i(g,!0);if(f)return f(g,!0);var j=new Error("Cannot find module '"+g+"'");throw j.code="MODULE_NOT_FOUND",j}var k=c[g]={exports:{}};b[g][0].call(k.exports,function(a){var c=b[g][1][a];return e(c?c:a)},k,k.exports,a,b,c,d)}return c[g].exports}for(var f="function"==typeof require&&require,g=0;g<d.length;g++)e(d[g]);return e}({1:[function(a,b,c){function d(a){if(a.$root===a)return"root instance";var b=a._isVue?a.$options.name||a.$options._componentTag:a.name;return(b?"component <"+b+">":"anonymous component")+(a._isVue&&a.$options.__file?" at "+a.$options.__file:"")}function e(a,b){if(b=b||window.Vue,b&&b.config){var c=b.config.errorHandler;b.config.errorHandler=function(b,e,f){var g={};"[object Object]"===Object.prototype.toString.call(e)&&(g.componentName=d(e),g.propsData=e.$options.propsData),"undefined"!=typeof f&&(g.lifecycleHook=f),a.captureException(b,{extra:g}),"function"==typeof c&&c.call(this,b,e,f)}}}b.exports=e},{}]},{},[1])(1)}); //# sourceMappingURL=vue.min.js.map
503.666667
1,410
0.683653
c89503c3e2759d26416c0529df62e7c375acf838
1,071
js
JavaScript
tests/sets/permutationPalindrome.test.js
vramdhanie/dsa_drills
c94d0af51d5017ddd67569e14c6b8dcc967cec6d
[ "MIT" ]
null
null
null
tests/sets/permutationPalindrome.test.js
vramdhanie/dsa_drills
c94d0af51d5017ddd67569e14c6b8dcc967cec6d
[ "MIT" ]
null
null
null
tests/sets/permutationPalindrome.test.js
vramdhanie/dsa_drills
c94d0af51d5017ddd67569e14c6b8dcc967cec6d
[ "MIT" ]
null
null
null
const permutationPalindrome = require("../../src/sets/permutationPalindrome"); describe("Permutation Palindrome", () => { it("empty string is a palindrome", () => { expect(permutationPalindrome("")).toBe(true); }); it("single character string is a palindrome", () => { expect(permutationPalindrome("a")).toBe(true); }); it("single repeated character string is a palindrome", () => { expect(permutationPalindrome("aaaa")).toBe(true); }); it("one odd frequency character string is a palindrome", () => { expect(permutationPalindrome("aaabbdd")).toBe(true); }); it("more than one odd frequency character string is not a palindrome", () => { expect(permutationPalindrome("aaabbb")).toBe(false); }); it("more than one odd frequency character + some even frequency characters string is not a palindrome", () => { expect(permutationPalindrome("aaabbbccdd")).toBe(false); }); it("any number of even frequency character string is a palindrome", () => { expect(permutationPalindrome("aaaabbcccc")).toBe(true); }); });
33.46875
113
0.671335
c89520769c4d936ca18f4d74d4dda2a28a92dce8
26,264
js
JavaScript
src/odata-client/sfo-data-service/JobDescTemplate.js
robypag/sdk-gen-sfsf
ce9b613ee3e85dd8ed4e42ffe200df1a2decf835
[ "MIT" ]
null
null
null
src/odata-client/sfo-data-service/JobDescTemplate.js
robypag/sdk-gen-sfsf
ce9b613ee3e85dd8ed4e42ffe200df1a2decf835
[ "MIT" ]
null
null
null
src/odata-client/sfo-data-service/JobDescTemplate.js
robypag/sdk-gen-sfsf
ce9b613ee3e85dd8ed4e42ffe200df1a2decf835
[ "MIT" ]
null
null
null
"use strict"; var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; Object.defineProperty(exports, "__esModule", { value: true }); /* * Copyright (c) 2020 SAP SE or an SAP affiliate company. All rights reserved. * * This is a generated file powered by the SAP Cloud SDK for JavaScript. */ var JobDescTemplateRequestBuilder_1 = require("./JobDescTemplateRequestBuilder"); var core_1 = require("@sap-cloud-sdk/core"); /** * This class represents the entity "JobDescTemplate" of service "SFOData". */ var JobDescTemplate = /** @class */ (function (_super) { __extends(JobDescTemplate, _super); function JobDescTemplate() { return _super !== null && _super.apply(this, arguments) || this; } /** * Returns an entity builder to construct instances `JobDescTemplate`. * @returns A builder that constructs instances of entity type `JobDescTemplate`. */ JobDescTemplate.builder = function () { return core_1.Entity.entityBuilder(JobDescTemplate); }; /** * Returns a request builder to construct requests for operations on the `JobDescTemplate` entity type. * @returns A `JobDescTemplate` request builder. */ JobDescTemplate.requestBuilder = function () { return new JobDescTemplateRequestBuilder_1.JobDescTemplateRequestBuilder(); }; /** * Returns a selectable object that allows the selection of custom field in a get request for the entity `JobDescTemplate`. * @param fieldName Name of the custom field to select * @returns A builder that constructs instances of entity type `JobDescTemplate`. */ JobDescTemplate.customField = function (fieldName) { return core_1.Entity.customFieldSelector(fieldName, JobDescTemplate); }; /** * Overwrites the default toJSON method so that all instance variables as well as all custom fields of the entity are returned. * @returns An object containing all instance variables + custom fields. */ JobDescTemplate.prototype.toJSON = function () { return __assign(__assign({}, this), this._customFields); }; /** * Technical entity name for JobDescTemplate. */ JobDescTemplate._entityName = 'JobDescTemplate'; /** * @deprecated Since v1.0.1 Use [[_defaultServicePath]] instead. * Technical service name for JobDescTemplate. */ JobDescTemplate._serviceName = 'SFOData'; /** * Default url path for the according service. */ JobDescTemplate._defaultServicePath = 'VALUE_IS_UNDEFINED'; return JobDescTemplate; }(core_1.Entity)); exports.JobDescTemplate = JobDescTemplate; var User_1 = require("./User"); var MdfLocalizedValue_1 = require("./MdfLocalizedValue"); var JdTemplateFamilyMapping_1 = require("./JdTemplateFamilyMapping"); var MdfEnumValue_1 = require("./MdfEnumValue"); var JobDescSection_1 = require("./JobDescSection"); var WfRequest_1 = require("./WfRequest"); (function (JobDescTemplate) { /** * Static representation of the [[createdBy]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.CREATED_BY = new core_1.StringField('createdBy', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[createdDateTime]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.CREATED_DATE_TIME = new core_1.DateField('createdDateTime', JobDescTemplate, 'Edm.DateTimeOffset'); /** * Static representation of the [[externalCode]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.EXTERNAL_CODE = new core_1.StringField('externalCode', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerDeDe]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_DE_DE = new core_1.StringField('footer_de_DE', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerDefaultValue]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_DEFAULT_VALUE = new core_1.StringField('footer_defaultValue', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerEnDebug]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_EN_DEBUG = new core_1.StringField('footer_en_DEBUG', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerEnGb]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_EN_GB = new core_1.StringField('footer_en_GB', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerEnUs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_EN_US = new core_1.StringField('footer_en_US', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerEsEs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_ES_ES = new core_1.StringField('footer_es_ES', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerEsMx]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_ES_MX = new core_1.StringField('footer_es_MX', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerFrCa]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_FR_CA = new core_1.StringField('footer_fr_CA', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerFrFr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_FR_FR = new core_1.StringField('footer_fr_FR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerItIt]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_IT_IT = new core_1.StringField('footer_it_IT', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerLocalized]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_LOCALIZED = new core_1.StringField('footer_localized', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerNlNl]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_NL_NL = new core_1.StringField('footer_nl_NL', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerPtBr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_PT_BR = new core_1.StringField('footer_pt_BR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[footerZhCn]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_ZH_CN = new core_1.StringField('footer_zh_CN', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerDeDe]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_DE_DE = new core_1.StringField('header_de_DE', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerDefaultValue]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_DEFAULT_VALUE = new core_1.StringField('header_defaultValue', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerEnDebug]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_EN_DEBUG = new core_1.StringField('header_en_DEBUG', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerEnGb]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_EN_GB = new core_1.StringField('header_en_GB', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerEnUs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_EN_US = new core_1.StringField('header_en_US', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerEsEs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_ES_ES = new core_1.StringField('header_es_ES', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerEsMx]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_ES_MX = new core_1.StringField('header_es_MX', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerFrCa]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_FR_CA = new core_1.StringField('header_fr_CA', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerFrFr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_FR_FR = new core_1.StringField('header_fr_FR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerItIt]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_IT_IT = new core_1.StringField('header_it_IT', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerLocalized]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_LOCALIZED = new core_1.StringField('header_localized', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerNlNl]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_NL_NL = new core_1.StringField('header_nl_NL', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerPtBr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_PT_BR = new core_1.StringField('header_pt_BR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[headerZhCn]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_ZH_CN = new core_1.StringField('header_zh_CN', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[lastModifiedBy]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.LAST_MODIFIED_BY = new core_1.StringField('lastModifiedBy', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[lastModifiedDateTime]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.LAST_MODIFIED_DATE_TIME = new core_1.DateField('lastModifiedDateTime', JobDescTemplate, 'Edm.DateTimeOffset'); /** * Static representation of the [[mdfSystemRecordStatus]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.MDF_SYSTEM_RECORD_STATUS = new core_1.StringField('mdfSystemRecordStatus', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[status]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.STATUS = new core_1.StringField('status', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[subModule]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.SUB_MODULE = new core_1.StringField('subModule', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleDeDe]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_DE_DE = new core_1.StringField('title_de_DE', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleDefaultValue]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_DEFAULT_VALUE = new core_1.StringField('title_defaultValue', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleEnDebug]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_EN_DEBUG = new core_1.StringField('title_en_DEBUG', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleEnGb]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_EN_GB = new core_1.StringField('title_en_GB', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleEnUs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_EN_US = new core_1.StringField('title_en_US', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleEsEs]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_ES_ES = new core_1.StringField('title_es_ES', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleEsMx]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_ES_MX = new core_1.StringField('title_es_MX', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleFrCa]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_FR_CA = new core_1.StringField('title_fr_CA', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleFrFr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_FR_FR = new core_1.StringField('title_fr_FR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleItIt]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_IT_IT = new core_1.StringField('title_it_IT', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleLocalized]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_LOCALIZED = new core_1.StringField('title_localized', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleNlNl]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_NL_NL = new core_1.StringField('title_nl_NL', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titlePtBr]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_PT_BR = new core_1.StringField('title_pt_BR', JobDescTemplate, 'Edm.String'); /** * Static representation of the [[titleZhCn]] property for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_ZH_CN = new core_1.StringField('title_zh_CN', JobDescTemplate, 'Edm.String'); /** * Static representation of the one-to-one navigation property [[createdByNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.CREATED_BY_NAV = new core_1.OneToOneLink('createdByNav', JobDescTemplate, User_1.User); /** * Static representation of the one-to-many navigation property [[footerTranslationTextNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.FOOTER_TRANSLATION_TEXT_NAV = new core_1.Link('footerTranslationTextNav', JobDescTemplate, MdfLocalizedValue_1.MdfLocalizedValue); /** * Static representation of the one-to-many navigation property [[headerTranslationTextNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.HEADER_TRANSLATION_TEXT_NAV = new core_1.Link('headerTranslationTextNav', JobDescTemplate, MdfLocalizedValue_1.MdfLocalizedValue); /** * Static representation of the one-to-many navigation property [[jdFamilyMappings]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.JD_FAMILY_MAPPINGS = new core_1.Link('jdFamilyMappings', JobDescTemplate, JdTemplateFamilyMapping_1.JdTemplateFamilyMapping); /** * Static representation of the one-to-one navigation property [[lastModifiedByNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.LAST_MODIFIED_BY_NAV = new core_1.OneToOneLink('lastModifiedByNav', JobDescTemplate, User_1.User); /** * Static representation of the one-to-one navigation property [[mdfSystemRecordStatusNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.MDF_SYSTEM_RECORD_STATUS_NAV = new core_1.OneToOneLink('mdfSystemRecordStatusNav', JobDescTemplate, MdfEnumValue_1.MdfEnumValue); /** * Static representation of the one-to-many navigation property [[sections]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.SECTIONS = new core_1.Link('sections', JobDescTemplate, JobDescSection_1.JobDescSection); /** * Static representation of the one-to-one navigation property [[statusNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.STATUS_NAV = new core_1.OneToOneLink('statusNav', JobDescTemplate, MdfEnumValue_1.MdfEnumValue); /** * Static representation of the one-to-many navigation property [[titleTranslationTextNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.TITLE_TRANSLATION_TEXT_NAV = new core_1.Link('titleTranslationTextNav', JobDescTemplate, MdfLocalizedValue_1.MdfLocalizedValue); /** * Static representation of the one-to-many navigation property [[wfRequestNav]] for query construction. * Use to reference this property in query operations such as 'select' in the fluent request API. */ JobDescTemplate.WF_REQUEST_NAV = new core_1.Link('wfRequestNav', JobDescTemplate, WfRequest_1.WfRequest); /** * All fields of the JobDescTemplate entity. */ JobDescTemplate._allFields = [ JobDescTemplate.CREATED_BY, JobDescTemplate.CREATED_DATE_TIME, JobDescTemplate.EXTERNAL_CODE, JobDescTemplate.FOOTER_DE_DE, JobDescTemplate.FOOTER_DEFAULT_VALUE, JobDescTemplate.FOOTER_EN_DEBUG, JobDescTemplate.FOOTER_EN_GB, JobDescTemplate.FOOTER_EN_US, JobDescTemplate.FOOTER_ES_ES, JobDescTemplate.FOOTER_ES_MX, JobDescTemplate.FOOTER_FR_CA, JobDescTemplate.FOOTER_FR_FR, JobDescTemplate.FOOTER_IT_IT, JobDescTemplate.FOOTER_LOCALIZED, JobDescTemplate.FOOTER_NL_NL, JobDescTemplate.FOOTER_PT_BR, JobDescTemplate.FOOTER_ZH_CN, JobDescTemplate.HEADER_DE_DE, JobDescTemplate.HEADER_DEFAULT_VALUE, JobDescTemplate.HEADER_EN_DEBUG, JobDescTemplate.HEADER_EN_GB, JobDescTemplate.HEADER_EN_US, JobDescTemplate.HEADER_ES_ES, JobDescTemplate.HEADER_ES_MX, JobDescTemplate.HEADER_FR_CA, JobDescTemplate.HEADER_FR_FR, JobDescTemplate.HEADER_IT_IT, JobDescTemplate.HEADER_LOCALIZED, JobDescTemplate.HEADER_NL_NL, JobDescTemplate.HEADER_PT_BR, JobDescTemplate.HEADER_ZH_CN, JobDescTemplate.LAST_MODIFIED_BY, JobDescTemplate.LAST_MODIFIED_DATE_TIME, JobDescTemplate.MDF_SYSTEM_RECORD_STATUS, JobDescTemplate.STATUS, JobDescTemplate.SUB_MODULE, JobDescTemplate.TITLE_DE_DE, JobDescTemplate.TITLE_DEFAULT_VALUE, JobDescTemplate.TITLE_EN_DEBUG, JobDescTemplate.TITLE_EN_GB, JobDescTemplate.TITLE_EN_US, JobDescTemplate.TITLE_ES_ES, JobDescTemplate.TITLE_ES_MX, JobDescTemplate.TITLE_FR_CA, JobDescTemplate.TITLE_FR_FR, JobDescTemplate.TITLE_IT_IT, JobDescTemplate.TITLE_LOCALIZED, JobDescTemplate.TITLE_NL_NL, JobDescTemplate.TITLE_PT_BR, JobDescTemplate.TITLE_ZH_CN, JobDescTemplate.CREATED_BY_NAV, JobDescTemplate.FOOTER_TRANSLATION_TEXT_NAV, JobDescTemplate.HEADER_TRANSLATION_TEXT_NAV, JobDescTemplate.JD_FAMILY_MAPPINGS, JobDescTemplate.LAST_MODIFIED_BY_NAV, JobDescTemplate.MDF_SYSTEM_RECORD_STATUS_NAV, JobDescTemplate.SECTIONS, JobDescTemplate.STATUS_NAV, JobDescTemplate.TITLE_TRANSLATION_TEXT_NAV, JobDescTemplate.WF_REQUEST_NAV ]; /** * All fields selector. */ JobDescTemplate.ALL_FIELDS = new core_1.AllFields('*', JobDescTemplate); /** * All key fields of the JobDescTemplate entity. */ JobDescTemplate._keyFields = [JobDescTemplate.EXTERNAL_CODE]; /** * Mapping of all key field names to the respective static field property JobDescTemplate. */ JobDescTemplate._keys = JobDescTemplate._keyFields.reduce(function (acc, field) { acc[field._fieldName] = field; return acc; }, {}); })(JobDescTemplate = exports.JobDescTemplate || (exports.JobDescTemplate = {})); exports.JobDescTemplate = JobDescTemplate; //# sourceMappingURL=JobDescTemplate.js.map
55.176471
150
0.717484
c89537d391f9c90ec68c85b23edf2b5069b27e4f
1,563
js
JavaScript
app/components/inputs/index.js
xaur/decrediton
bd6cdd70a585423bdc82573b3b2a01daaafd8e72
[ "0BSD" ]
237
2016-11-15T20:09:52.000Z
2022-03-23T17:00:11.000Z
app/components/inputs/index.js
xaur/decrediton
bd6cdd70a585423bdc82573b3b2a01daaafd8e72
[ "0BSD" ]
2,328
2016-11-11T15:04:29.000Z
2022-03-26T10:35:37.000Z
app/components/inputs/index.js
xaur/decrediton
bd6cdd70a585423bdc82573b3b2a01daaafd8e72
[ "0BSD" ]
169
2016-11-11T10:59:20.000Z
2022-03-23T01:41:27.000Z
export { default as AccountsSelect } from "./AccountsSelect"; export { default as DetailedAccountsSelect } from "./DetailedAccountsSelect"; export { default as AddressInput } from "./AddressInput"; export { default as BlocksInput } from "./BlocksInput"; export { default as DcrInput } from "./DcrInput"; export { default as FeeInput } from "./FeeInput"; export { default as Input } from "./Input"; export { default as LanguageSelectInput } from "./LanguageSelectInput"; export { default as NumericInput } from "./NumericInput"; export { default as NumTicketsInput } from "./NumTicketsInput"; export { default as PasswordInput } from "./PasswordInput"; export { default as PercentInput } from "./PercentInput"; export { default as ReceiveAccountsSelect } from "./ReceiveAccountsSelect"; export { default as SettingsInput } from "./SettingsInput"; export { default as LEGACY_StakePoolSelect } from "./LEGACY_StakePoolSelect"; export { default as PathInput } from "./PathInput"; export { default as TextInput } from "./TextInput"; export { default as PathBrowseInput } from "./PathBrowseInput"; export { default as IntegerInput } from "./IntegerInput"; export { default as FloatInput } from "./FloatInput"; export * from "./PathBrowseInput/PathBrowseInput"; export { default as PassphraseModalField } from "./PassphraseModalField"; export { default as InlineField } from "./InlineField"; export { default as SettingsTextInput } from "./SettingsTextInput"; export { default as VSPSelect } from "./VSPSelect"; export { default as SeedHexEntry } from "./SeedHexEntry";
57.888889
77
0.753039
c895388ed211125f93fbb281af7eeeb11c527e65
9,567
js
JavaScript
releases/0.10.0/docs/reference/plotting.rst.bokeh-plot-17.js
Daniel-Mietchen/docs.bokeh.org
5aab9ea64e7b6f9267e356bb6920e0342260444d
[ "BSD-3-Clause" ]
null
null
null
releases/0.10.0/docs/reference/plotting.rst.bokeh-plot-17.js
Daniel-Mietchen/docs.bokeh.org
5aab9ea64e7b6f9267e356bb6920e0342260444d
[ "BSD-3-Clause" ]
null
null
null
releases/0.10.0/docs/reference/plotting.rst.bokeh-plot-17.js
Daniel-Mietchen/docs.bokeh.org
5aab9ea64e7b6f9267e356bb6920e0342260444d
[ "BSD-3-Clause" ]
null
null
null
(function(global) { if (typeof (window._bokeh_onload_callbacks) === "undefined"){ window._bokeh_onload_callbacks = []; } function load_lib(url, callback){ window._bokeh_onload_callbacks.push(callback); if (window._bokeh_is_loading){ console.log("Bokeh: BokehJS is being loaded, scheduling callback at", new Date()); return null; } console.log("Bokeh: BokehJS not loaded, scheduling load and callback at", new Date()); window._bokeh_is_loading = true; var s = document.createElement('script'); s.src = url; s.async = true; s.onreadystatechange = s.onload = function(){ Bokeh.embed.inject_css("https://cdn.bokeh.org/bokeh/release/bokeh-0.10.0.min.css"); window._bokeh_onload_callbacks.forEach(function(callback){callback()}); }; s.onerror = function(){ console.warn("failed to load library " + url); }; document.getElementsByTagName("head")[0].appendChild(s); } bokehjs_url = "https://cdn.bokeh.org/bokeh/release/bokeh-0.10.0.min.js" var elt = document.getElementById("61d8cbc0-45f9-4743-a411-cada9a572e4e"); if(elt==null) { console.log("Bokeh: ERROR: autoload.js configured with elementid '61d8cbc0-45f9-4743-a411-cada9a572e4e' but no matching script tag was found. ") return false; } // These will be set for the static case var all_models = [{"attributes": {"column_names": ["y1", "y0", "x0", "x1"], "tags": [], "doc": null, "selected": {"2d": {"indices": []}, "1d": {"indices": []}, "0d": {"indices": [], "flag": false}}, "callback": null, "data": {"y1": [1.2, 2.5, 3.7], "y0": [1, 2, 3], "x0": [1, 2, 3], "x1": [1, 2, 3]}, "id": "6d4187fa-d713-430d-8e84-cec8a2b8ef72"}, "type": "ColumnDataSource", "id": "6d4187fa-d713-430d-8e84-cec8a2b8ef72"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "dimensions": ["width", "height"], "tags": [], "doc": null, "id": "df316a26-2ead-4880-b219-380a079008fe"}, "type": "PanTool", "id": "df316a26-2ead-4880-b219-380a079008fe"}, {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244", "attributes": {"x_range": {"type": "DataRange1d", "id": "3700964b-b9c0-453d-8647-295cb44405dd"}, "right": [], "tags": [], "tools": [{"type": "PanTool", "id": "df316a26-2ead-4880-b219-380a079008fe"}, {"type": "WheelZoomTool", "id": "ba7dda9a-47e0-4272-b720-3d84009c8adf"}, {"type": "BoxZoomTool", "id": "1fd8ea07-3da6-4111-b410-59b517ce0dc2"}, {"type": "PreviewSaveTool", "id": "dcd9574b-e50d-447d-83fe-bd67b23600f9"}, {"type": "ResizeTool", "id": "adc5a4ed-3957-4977-bf15-2629a2bad795"}, {"type": "ResetTool", "id": "e8ccaf8f-f2a2-41f3-b640-53a51992f263"}, {"type": "HelpTool", "id": "2b9af30c-a2f7-48f5-a9b8-2a54773f6ffd"}], "extra_y_ranges": {}, "plot_width": 300, "renderers": [{"type": "LinearAxis", "id": "8f625707-0a3c-473b-9063-bef219cea477"}, {"type": "Grid", "id": "bb5319d8-3dce-45bf-b0c9-7d191464f013"}, {"type": "LinearAxis", "id": "80f60a03-4ecf-4e9f-9595-0ad44003ff0f"}, {"type": "Grid", "id": "8d2a93d3-673f-4b31-b77d-db2d76ef4679"}, {"type": "GlyphRenderer", "id": "d4f512d1-f190-44b9-b4f2-33f984b31f6f"}], "extra_x_ranges": {}, "plot_height": 300, "tool_events": {"type": "ToolEvents", "id": "ea2af27f-79e0-490c-b060-3f05676f21a2"}, "above": [], "doc": null, "id": "ac83d47f-1229-4950-b1a3-2a50c4256244", "y_range": {"type": "DataRange1d", "id": "a7cdfd76-3e56-4045-bc02-1e945df2e71d"}, "below": [{"type": "LinearAxis", "id": "8f625707-0a3c-473b-9063-bef219cea477"}], "left": [{"type": "LinearAxis", "id": "80f60a03-4ecf-4e9f-9595-0ad44003ff0f"}]}}, {"attributes": {"tags": [], "doc": null, "renderers": [], "callback": null, "names": [], "id": "a7cdfd76-3e56-4045-bc02-1e945df2e71d"}, "type": "DataRange1d", "id": "a7cdfd76-3e56-4045-bc02-1e945df2e71d"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "id": "e8ccaf8f-f2a2-41f3-b640-53a51992f263"}, "type": "ResetTool", "id": "e8ccaf8f-f2a2-41f3-b640-53a51992f263"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "dimension": 0, "ticker": {"type": "BasicTicker", "id": "0488a9df-c7b1-4dbc-8c51-aa5ca3663a27"}, "id": "bb5319d8-3dce-45bf-b0c9-7d191464f013"}, "type": "Grid", "id": "bb5319d8-3dce-45bf-b0c9-7d191464f013"}, {"attributes": {"doc": null, "id": "a5d87295-b70d-49e4-b4b1-5e2b20f65a2c", "tags": []}, "type": "BasicTickFormatter", "id": "a5d87295-b70d-49e4-b4b1-5e2b20f65a2c"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "dimensions": ["width", "height"], "tags": [], "doc": null, "id": "ba7dda9a-47e0-4272-b720-3d84009c8adf"}, "type": "WheelZoomTool", "id": "ba7dda9a-47e0-4272-b720-3d84009c8adf"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "id": "2b9af30c-a2f7-48f5-a9b8-2a54773f6ffd"}, "type": "HelpTool", "id": "2b9af30c-a2f7-48f5-a9b8-2a54773f6ffd"}, {"attributes": {"tags": [], "doc": null, "renderers": [], "callback": null, "names": [], "id": "3700964b-b9c0-453d-8647-295cb44405dd"}, "type": "DataRange1d", "id": "3700964b-b9c0-453d-8647-295cb44405dd"}, {"attributes": {"line_color": {"value": "#1f77b4"}, "line_width": {"value": 3}, "line_alpha": {"value": 0.1}, "doc": null, "tags": [], "y1": {"field": "y1"}, "y0": {"field": "y0"}, "x0": {"field": "x0"}, "x1": {"field": "x1"}, "id": "11d874ef-1dcf-40b1-a837-086cdff14022"}, "type": "Segment", "id": "11d874ef-1dcf-40b1-a837-086cdff14022"}, {"attributes": {"tags": [], "doc": null, "mantissas": [2, 5, 10], "id": "480e9363-ee22-47c1-badb-96b0f087852b", "num_minor_ticks": 5}, "type": "BasicTicker", "id": "480e9363-ee22-47c1-badb-96b0f087852b"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "id": "adc5a4ed-3957-4977-bf15-2629a2bad795"}, "type": "ResizeTool", "id": "adc5a4ed-3957-4977-bf15-2629a2bad795"}, {"attributes": {"tags": [], "doc": null, "mantissas": [2, 5, 10], "id": "0488a9df-c7b1-4dbc-8c51-aa5ca3663a27", "num_minor_ticks": 5}, "type": "BasicTicker", "id": "0488a9df-c7b1-4dbc-8c51-aa5ca3663a27"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "id": "dcd9574b-e50d-447d-83fe-bd67b23600f9"}, "type": "PreviewSaveTool", "id": "dcd9574b-e50d-447d-83fe-bd67b23600f9"}, {"attributes": {"line_color": {"value": "#F4A582"}, "line_width": {"value": 3}, "line_alpha": {"value": 1.0}, "doc": null, "tags": [], "y1": {"field": "y1"}, "y0": {"field": "y0"}, "x0": {"field": "x0"}, "x1": {"field": "x1"}, "id": "01a4c037-73ef-4775-97f6-aa6f76b31755"}, "type": "Segment", "id": "01a4c037-73ef-4775-97f6-aa6f76b31755"}, {"attributes": {"doc": null, "id": "8dabb1a0-9035-4f2d-b82e-86176afed8bd", "tags": []}, "type": "BasicTickFormatter", "id": "8dabb1a0-9035-4f2d-b82e-86176afed8bd"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "formatter": {"type": "BasicTickFormatter", "id": "a5d87295-b70d-49e4-b4b1-5e2b20f65a2c"}, "ticker": {"type": "BasicTicker", "id": "0488a9df-c7b1-4dbc-8c51-aa5ca3663a27"}, "id": "8f625707-0a3c-473b-9063-bef219cea477"}, "type": "LinearAxis", "id": "8f625707-0a3c-473b-9063-bef219cea477"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "dimensions": ["width", "height"], "tags": [], "doc": null, "id": "1fd8ea07-3da6-4111-b410-59b517ce0dc2"}, "type": "BoxZoomTool", "id": "1fd8ea07-3da6-4111-b410-59b517ce0dc2"}, {"attributes": {"geometries": [], "tags": [], "doc": null, "id": "ea2af27f-79e0-490c-b060-3f05676f21a2"}, "type": "ToolEvents", "id": "ea2af27f-79e0-490c-b060-3f05676f21a2"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "formatter": {"type": "BasicTickFormatter", "id": "8dabb1a0-9035-4f2d-b82e-86176afed8bd"}, "ticker": {"type": "BasicTicker", "id": "480e9363-ee22-47c1-badb-96b0f087852b"}, "id": "80f60a03-4ecf-4e9f-9595-0ad44003ff0f"}, "type": "LinearAxis", "id": "80f60a03-4ecf-4e9f-9595-0ad44003ff0f"}, {"attributes": {"plot": {"subtype": "Figure", "type": "Plot", "id": "ac83d47f-1229-4950-b1a3-2a50c4256244"}, "tags": [], "doc": null, "dimension": 1, "ticker": {"type": "BasicTicker", "id": "480e9363-ee22-47c1-badb-96b0f087852b"}, "id": "8d2a93d3-673f-4b31-b77d-db2d76ef4679"}, "type": "Grid", "id": "8d2a93d3-673f-4b31-b77d-db2d76ef4679"}, {"attributes": {"nonselection_glyph": {"type": "Segment", "id": "11d874ef-1dcf-40b1-a837-086cdff14022"}, "data_source": {"type": "ColumnDataSource", "id": "6d4187fa-d713-430d-8e84-cec8a2b8ef72"}, "tags": [], "doc": null, "selection_glyph": null, "id": "d4f512d1-f190-44b9-b4f2-33f984b31f6f", "glyph": {"type": "Segment", "id": "01a4c037-73ef-4775-97f6-aa6f76b31755"}}, "type": "GlyphRenderer", "id": "d4f512d1-f190-44b9-b4f2-33f984b31f6f"}]; if(typeof(Bokeh) !== "undefined") { console.log("Bokeh: BokehJS loaded, going straight to plotting"); Bokeh.embed.inject_plot("61d8cbc0-45f9-4743-a411-cada9a572e4e", all_models); } else { load_lib(bokehjs_url, function() { console.log("Bokeh: BokehJS plotting callback run at", new Date()) Bokeh.embed.inject_plot("61d8cbc0-45f9-4743-a411-cada9a572e4e", all_models); }); } }(this));
203.553191
7,808
0.649838
c895aab624c7837781513592bdcf18f3cee2f256
4,763
js
JavaScript
node_modules/parse/lib/weapp/SingleInstanceStateController.js
g1f4n/react-attend
9608d24de2ef5b6e888d5b32b83ade22bd97fd30
[ "MIT" ]
1
2019-07-31T08:41:22.000Z
2019-07-31T08:41:22.000Z
node_modules/parse/lib/weapp/SingleInstanceStateController.js
g1f4n/react-attend
9608d24de2ef5b6e888d5b32b83ade22bd97fd30
[ "MIT" ]
8
2020-07-22T23:11:45.000Z
2022-01-22T09:16:01.000Z
node_modules/parse/lib/weapp/SingleInstanceStateController.js
panda-clouds/spoof-address
9b55d65a89c823c797a6ff3a94efd826c76614a2
[ "MIT" ]
1
2019-07-31T12:58:08.000Z
2019-07-31T12:58:08.000Z
"use strict"; var _interopRequireWildcard = require("@babel/runtime-corejs3/helpers/interopRequireWildcard"); var _Object$defineProperty = require("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.getState = getState; exports.initializeState = initializeState; exports.removeState = removeState; exports.getServerData = getServerData; exports.setServerData = setServerData; exports.getPendingOps = getPendingOps; exports.setPendingOp = setPendingOp; exports.pushPendingState = pushPendingState; exports.popPendingState = popPendingState; exports.mergeFirstPendingState = mergeFirstPendingState; exports.getObjectCache = getObjectCache; exports.estimateAttribute = estimateAttribute; exports.estimateAttributes = estimateAttributes; exports.commitServerChanges = commitServerChanges; exports.enqueueTask = enqueueTask; exports.clearAllState = clearAllState; exports.duplicateState = duplicateState; var ObjectStateMutations = _interopRequireWildcard(require("./ObjectStateMutations")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var objectState /*: { [className: string]: { [id: string]: State } }*/ = {}; function getState(obj /*: ObjectIdentifier*/ ) /*: ?State*/ { var classData = objectState[obj.className]; if (classData) { return classData[obj.id] || null; } return null; } function initializeState(obj /*: ObjectIdentifier*/ , initial /*:: ?: State*/ ) /*: State*/ { var state = getState(obj); if (state) { return state; } if (!objectState[obj.className]) { objectState[obj.className] = {}; } if (!initial) { initial = ObjectStateMutations.defaultState(); } state = objectState[obj.className][obj.id] = initial; return state; } function removeState(obj /*: ObjectIdentifier*/ ) /*: ?State*/ { var state = getState(obj); if (state === null) { return null; } delete objectState[obj.className][obj.id]; return state; } function getServerData(obj /*: ObjectIdentifier*/ ) /*: AttributeMap*/ { var state = getState(obj); if (state) { return state.serverData; } return {}; } function setServerData(obj /*: ObjectIdentifier*/ , attributes /*: AttributeMap*/ ) { var serverData = initializeState(obj).serverData; ObjectStateMutations.setServerData(serverData, attributes); } function getPendingOps(obj /*: ObjectIdentifier*/ ) /*: Array<OpsMap>*/ { var state = getState(obj); if (state) { return state.pendingOps; } return [{}]; } function setPendingOp(obj /*: ObjectIdentifier*/ , attr /*: string*/ , op /*: ?Op*/ ) { var pendingOps = initializeState(obj).pendingOps; ObjectStateMutations.setPendingOp(pendingOps, attr, op); } function pushPendingState(obj /*: ObjectIdentifier*/ ) { var pendingOps = initializeState(obj).pendingOps; ObjectStateMutations.pushPendingState(pendingOps); } function popPendingState(obj /*: ObjectIdentifier*/ ) /*: OpsMap*/ { var pendingOps = initializeState(obj).pendingOps; return ObjectStateMutations.popPendingState(pendingOps); } function mergeFirstPendingState(obj /*: ObjectIdentifier*/ ) { var pendingOps = getPendingOps(obj); ObjectStateMutations.mergeFirstPendingState(pendingOps); } function getObjectCache(obj /*: ObjectIdentifier*/ ) /*: ObjectCache*/ { var state = getState(obj); if (state) { return state.objectCache; } return {}; } function estimateAttribute(obj /*: ObjectIdentifier*/ , attr /*: string*/ ) /*: mixed*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttribute(serverData, pendingOps, obj.className, obj.id, attr); } function estimateAttributes(obj /*: ObjectIdentifier*/ ) /*: AttributeMap*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttributes(serverData, pendingOps, obj.className, obj.id); } function commitServerChanges(obj /*: ObjectIdentifier*/ , changes /*: AttributeMap*/ ) { var state = initializeState(obj); ObjectStateMutations.commitServerChanges(state.serverData, state.objectCache, changes); } function enqueueTask(obj /*: ObjectIdentifier*/ , task /*: () => Promise*/ ) /*: Promise*/ { var state = initializeState(obj); return state.tasks.enqueue(task); } function clearAllState() { objectState = {}; } function duplicateState(source /*: {id: string}*/ , dest /*: {id: string}*/ ) { dest.id = source.id; }
19.763485
101
0.722234
c8964ecfbf5937831eca127458d791741b1edcb9
234
js
JavaScript
routes/http_user.js
garyhu1/koa-project
49fc99a86e974658fde21ab53a8291d2263275ea
[ "Apache-2.0" ]
2
2019-09-03T11:42:36.000Z
2019-10-22T06:55:03.000Z
routes/http_user.js
garyhu1/koa-project
49fc99a86e974658fde21ab53a8291d2263275ea
[ "Apache-2.0" ]
6
2021-03-02T00:34:41.000Z
2022-03-08T22:59:46.000Z
routes/http_user.js
garyhu1/koa-project
49fc99a86e974658fde21ab53a8291d2263275ea
[ "Apache-2.0" ]
null
null
null
const Router = require('koa-router'); const HttpServiceController = require("../controllers/http_req"); const router = new Router({ prefix: '/http' }); router.get("/user",HttpServiceController.getUser) module.exports = router;
21.272727
65
0.722222
c896b94f9716b65c0a178ba028487313fad96d58
4,248
js
JavaScript
server/models/product.js
samirdhebar/One-Watch-at-a-Time
af2216cb81602280e2733fc1e0bb63859307c4e2
[ "MIT" ]
1
2017-08-09T23:18:37.000Z
2017-08-09T23:18:37.000Z
server/models/product.js
samirdhebar/One-Watch-at-a-Time
af2216cb81602280e2733fc1e0bb63859307c4e2
[ "MIT" ]
6
2017-08-02T01:15:11.000Z
2017-08-20T22:23:21.000Z
server/models/product.js
samirdhebar/One-Watch-at-a-Time
af2216cb81602280e2733fc1e0bb63859307c4e2
[ "MIT" ]
null
null
null
import Sequelize from "sequelize"; import chalk from "chalk"; import sequelize from "../util/sequelize"; import uploadToImgur from "../util/uploadToImgur"; const DEFAULT_IMAGES = { small: "https://dummyimage.com/100/000/fff&text=Small", medium: "https://dummyimage.com/520/000/fff&text=Medium", large: "https://dummyimage.com/900/000/fff&text=Large", original: "https://dummyimage.com/1024/000/fff&text=Original", }; export const SORTS = { pricehigh: [["price", "DESC"]], pricelow: [["price", "ASC"]], atoz: [["name", "ASC"]], ztoa: [["name", "DESC"]], ratinghigh: [["rating", "DESC"]], ratinglow: [["rating", "ASC"]], }; function handleUpload(product) { if (!product.originalImages) { return; } const allOldImages = product.images || []; const promises = []; product.originalImages.forEach((image, idx) => { const oldImages = allOldImages[idx] || {}; if (image && image !== oldImages.original) { promises.push(uploadToImgur(image).then((images) => { product.images = [...product.images]; product.images[idx] = images; })); } }); return Promise.all(promises).then(() => { return product; }).catch((err) => { console.warn(chalk.yellow.bold( "Encountered error while uploading product image. Saving without images." )); console.warn(chalk.yellow(err.message)); }); } const Product = sequelize.define("product", { id: { type: Sequelize.INTEGER, autoIncrement: true, primaryKey: true, }, name: { type: Sequelize.STRING(128), notNull: true, }, originalImages: { type: Sequelize.JSON, notNull: true, get() { return this.getDataValue("originalImages") || []; }, }, images: { type: Sequelize.JSON, get() { return this.getDataValue("images") || [DEFAULT_IMAGES]; }, }, price: { type: Sequelize.FLOAT, notNull: true, validate: { min: 0, }, get() { return this.getDataValue("price").toFixed(2); }, }, rating: { type: Sequelize.INTEGER, validate: { min: 1, max: 10, }, }, description: { type: Sequelize.TEXT, }, category: { type: Sequelize.STRING(128), }, specs: { type: Sequelize.JSON, get() { return this.getDataValue("specs") || []; }, }, }, { hooks: { beforeCreate: handleUpload, beforeUpdate: handleUpload, }, }); Product.parseForm = function(body) { let error = null; // Validation if (!body.name) { error = "Name is required"; } else if (!body.originalImages) { error = "At least one image is required"; } else if (!body.description) { error = "Description is required"; } else if (!body.price) { error = "Price is required"; } else if (parseFloat(body.price) < 0.01) { error = "Price must be at least 1c"; } else if (body.rating && parseInt(body.rating, 10) < 1 || parseInt(body.rating, 10) > 10) { error = "Rating must be between 1 and 10"; } if (error) { throw new Error(error); } // Make sure labels / values is an array let specs; if (body.specLabel) { const labels = body.specLabel.constructor === Array ? body.specLabel : [body.specLabel]; const values = body.specValue.constructor === Array ? body.specValue : [body.specValue]; // Map to spec objects specs = labels.reduce((prev, label, idx) => { if (label && values[idx]) { prev.push({ label, value: values[idx] }); } return prev; }, []); } // Make sure images is an array if (typeof body.originalImages === "string") { body.originalImages = [body.originalImages]; } // Return the cleaned up version return { name: body.name, originalImages: body.originalImages.filter((img) => !!img.length), price: parseFloat(body.price, 10).toFixed(2), category: body.category, rating: body.rating, description: body.description, specs: specs || body.specs, }; }; Product.getCategories = function() { return sequelize.query("SELECT DISTINCT category FROM products", { type: sequelize.QueryTypes.SELECT, }).then((rows) => { return rows.map((row) => row.category).filter((row) => !!row); }); }; Product.prototype.getReducedJSON = function() { return { id: this.get("id"), name: this.get("name"), category: this.get("category"), price: this.get("price"), rating: this.get("rating"), image: this.get("images")[0], }; }; export default Product;
22.357895
91
0.641243
c89704c2cda333f06b467bbc8b8ae11fd632dc0e
305
js
JavaScript
cypress/locators/step-sequence/index.js
thedannygoodall/carbon
460ba0dcbb4fb7cefc995cced58380611677cb4a
[ "Apache-2.0" ]
229
2017-05-18T14:24:01.000Z
2022-03-31T23:30:53.000Z
cypress/locators/step-sequence/index.js
thedannygoodall/carbon
460ba0dcbb4fb7cefc995cced58380611677cb4a
[ "Apache-2.0" ]
3,060
2017-05-19T01:09:37.000Z
2022-03-31T15:55:19.000Z
cypress/locators/step-sequence/index.js
thedannygoodall/carbon
460ba0dcbb4fb7cefc995cced58380611677cb4a
[ "Apache-2.0" ]
92
2017-05-18T11:57:17.000Z
2022-03-07T19:45:35.000Z
import { STEP_SEQUENCE_ITEM_INDICATOR, STEP_SEQUENCE_DATA_COMPONENT, } from "./locators"; // component preview locators export const stepSequenceItemIndicator = () => cy.get(STEP_SEQUENCE_ITEM_INDICATOR).eq(0); export const stepSequenceDataComponent = () => cy.get(STEP_SEQUENCE_DATA_COMPONENT);
27.727273
46
0.783607
c897083ea765f6bdb49ac67133ca802d20122787
387
js
JavaScript
server/models/user.js
ispark2b/Ordini_Ortofrutta
d5ba80cf38d08cf3c69aced09224aa4f0c824931
[ "MIT" ]
null
null
null
server/models/user.js
ispark2b/Ordini_Ortofrutta
d5ba80cf38d08cf3c69aced09224aa4f0c824931
[ "MIT" ]
null
null
null
server/models/user.js
ispark2b/Ordini_Ortofrutta
d5ba80cf38d08cf3c69aced09224aa4f0c824931
[ "MIT" ]
null
null
null
var mongoose = require('mongoose'); var Schema = mongoose.Schema; var order = require('/models/order'); var userSchema = new Schema({ name:{type:String,required:true}, lastName:{type:Number,required:true}, orders:[{type:ObjectId,ref:order,required:false}], addresses:[{type:String,required:false}], }); module.exports = mongoose.model('User',userSchema,'users');
21.5
59
0.69509
c897d1fe03bce51da3a03d96471b92bd1d16b130
85,190
js
JavaScript
dist/themes/cube/script.js
bebora/betajs-media-components
bc1fd5e8688ffc84e6c592a0f3faffa4b7ddba2b
[ "Apache-2.0" ]
null
null
null
dist/themes/cube/script.js
bebora/betajs-media-components
bc1fd5e8688ffc84e6c592a0f3faffa4b7ddba2b
[ "Apache-2.0" ]
null
null
null
dist/themes/cube/script.js
bebora/betajs-media-components
bc1fd5e8688ffc84e6c592a0f3faffa4b7ddba2b
[ "Apache-2.0" ]
null
null
null
/*! betajs-media-components - v0.0.282 - 2021-09-29 Copyright (c) Ziggeo,Oliver Friedmann,Rashad Aliyev Apache-2.0 Software License. */ (function () { var Scoped = this.subScope(); Scoped.binding("browser", "global:BetaJS.Browser"); Scoped.binding("dynamics", "global:BetaJS.Dynamics"); Scoped.binding("module", "global:BetaJS.MediaComponents"); Scoped.extend("module:Assets.playerthemes", [ "browser:Info", "dynamics:Parser" ], function(Info, Parser) { var ie8 = Info.isInternetExplorer() && Info.internetExplorerVersion() <= 8; Parser.registerFunctions({ /**/"csstheme": function (obj) { with (obj) { return csstheme; } }, "activitydelta > hidebarafter && hideoninactivity ? (cssplayer + '-dashboard-hidden') : ''": function (obj) { with (obj) { return activitydelta > hidebarafter && hideoninactivity ? (cssplayer + '-dashboard-hidden') : ''; } }, "title": function (obj) { with (obj) { return title; } }, "submit()": function (obj) { with (obj) { return submit(); } }, "submittable": function (obj) { with (obj) { return submittable; } }, "string('submit-video')": function (obj) { with (obj) { return string('submit-video'); } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "rerecordable": function (obj) { with (obj) { return rerecordable; } }, "string('rerecord-video')": function (obj) { with (obj) { return string('rerecord-video'); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "skipinitial ? 0 : 1": function (obj) { with (obj) { return skipinitial ? 0 : 1; } }, "play()": function (obj) { with (obj) { return play(); } }, "!playing": function (obj) { with (obj) { return !playing; } }, "string('play-video')": function (obj) { with (obj) { return string('play-video'); } }, "tab_index_move(domEvent, null, 'button-icon-pause')": function (obj) { with (obj) { return tab_index_move(domEvent, null, 'button-icon-pause'); } }, "pause()": function (obj) { with (obj) { return pause(); } }, "disablepause ? cssplayer + '-disabled' : ''": function (obj) { with (obj) { return disablepause ? cssplayer + '-disabled' : ''; } }, "playing": function (obj) { with (obj) { return playing; } }, "disablepause ? string('pause-video-disabled') : string('pause-video')": function (obj) { with (obj) { return disablepause ? string('pause-video-disabled') : string('pause-video'); } }, "tab_index_move(domEvent, null, 'button-icon-play')": function (obj) { with (obj) { return tab_index_move(domEvent, null, 'button-icon-play'); } }, "toggle_position_info()": function (obj) { with (obj) { return toggle_position_info(); } }, "revertposition ? string('remaining-time') : string('elapsed-time')": function (obj) { with (obj) { return revertposition ? string('remaining-time') : string('elapsed-time'); } }, "revertposition ? \"-\" : \"\"": function (obj) { with (obj) { return revertposition ? "-" : ""; } }, "revertposition ? formatTime(duration - position) : formatTime(position)": function (obj) { with (obj) { return revertposition ? formatTime(duration - position) : formatTime(position); } }, "string('total-time')": function (obj) { with (obj) { return string('total-time'); } }, "formatTime(duration || position)": function (obj) { with (obj) { return formatTime(duration || position); } }, "toggle_volume()": function (obj) { with (obj) { return toggle_volume(); } }, "string(volume > 0 ? 'volume-mute' : 'volume-unmute')": function (obj) { with (obj) { return string(volume > 0 ? 'volume-mute' : 'volume-unmute'); } }, "csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off'))": function (obj) { with (obj) { return csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off')); } }, "!hidevolumebar": function (obj) { with (obj) { return !hidevolumebar; } }, "set_volume(volume + 0.1)": function (obj) { with (obj) { return set_volume(volume + 0.1); } }, "set_volume(volume - 0.1)": function (obj) { with (obj) { return set_volume(volume - 0.1); } }, "startUpdateVolume(domEvent)": function (obj) { with (obj) { return startUpdateVolume(domEvent); } }, "progressUpdateVolume(domEvent)": function (obj) { with (obj) { return progressUpdateVolume(domEvent); } }, "stopUpdateVolume(domEvent); this.blur()": function (obj) { with (obj) { return stopUpdateVolume(domEvent); this.blur(); } }, "stopUpdateVolume(domEvent)": function (obj) { with (obj) { return stopUpdateVolume(domEvent); } }, "{width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}": function (obj) { with (obj) { return {width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}; } }, "string('volume-button')": function (obj) { with (obj) { return string('volume-button'); } }, "toggle_stream()": function (obj) { with (obj) { return toggle_stream(); } }, "streams.length > 1 && currentstream": function (obj) { with (obj) { return streams.length > 1 && currentstream; } }, "string('change-resolution')": function (obj) { with (obj) { return string('change-resolution'); } }, "currentstream_label": function (obj) { with (obj) { return currentstream_label; } }, "show_airplay_devices()": function (obj) { with (obj) { return show_airplay_devices(); } }, "cssplayer": function (obj) { with (obj) { return cssplayer; } }, "airplaybuttonvisible": function (obj) { with (obj) { return airplaybuttonvisible; } }, "castbuttonvisble": function (obj) { with (obj) { return castbuttonvisble; } }, "toggle_fullscreen()": function (obj) { with (obj) { return toggle_fullscreen(); } }, "fullscreen": function (obj) { with (obj) { return fullscreen; } }, "fullscreened ? string('exit-fullscreen-video') : string('fullscreen-video')": function (obj) { with (obj) { return fullscreened ? string('exit-fullscreen-video') : string('fullscreen-video'); } }, "tab_index_move(domEvent)": function (obj) { with (obj) { return tab_index_move(domEvent); } }, "fullscreened ? 'small' : 'full'": function (obj) { with (obj) { return fullscreened ? 'small' : 'full'; } }, "toggle_tracks()": function (obj) { with (obj) { return toggle_tracks(); } }, "(tracktags.length > 0 && showsubtitlebutton) || allowtexttrackupload": function (obj) { with (obj) { return (tracktags.length > 0 && showsubtitlebutton) || allowtexttrackupload; } }, "tracktextvisible ? 'active' : 'inactive'": function (obj) { with (obj) { return tracktextvisible ? 'active' : 'inactive'; } }, "tracktextvisible ? string('close-tracks') : string('show-tracks')": function (obj) { with (obj) { return tracktextvisible ? string('close-tracks') : string('show-tracks'); } }, "hover_cc(true)": function (obj) { with (obj) { return hover_cc(true); } }, "hover_cc(false)": function (obj) { with (obj) { return hover_cc(false); } }, "settingsmenubutton": function (obj) { with (obj) { return settingsmenubutton; } }, "toggle_settings_menu()": function (obj) { with (obj) { return toggle_settings_menu(); } }, "settingsmenuactive ? 'active' : 'inactive'": function (obj) { with (obj) { return settingsmenuactive ? 'active' : 'inactive'; } }, "string('settings')": function (obj) { with (obj) { return string('settings'); } }, "trimmingmode": function (obj) { with (obj) { return trimmingmode; } }, "trim()": function (obj) { with (obj) { return trim(); } }, "string('trim-video')": function (obj) { with (obj) { return string('trim-video'); } }, "frameselectionmode": function (obj) { with (obj) { return frameselectionmode; } }, "select_frame()": function (obj) { with (obj) { return select_frame(); } }, "string('select-frame')": function (obj) { with (obj) { return string('select-frame'); } }, "disableseeking ? cssplayer + '-disabled' : ''": function (obj) { with (obj) { return disableseeking ? cssplayer + '-disabled' : ''; } }, "seek(position + skipseconds)": function (obj) { with (obj) { return seek(position + skipseconds); } }, "seek(position - skipseconds)": function (obj) { with (obj) { return seek(position - skipseconds); } }, "seek(position + skipseconds * 3)": function (obj) { with (obj) { return seek(position + skipseconds * 3); } }, "seek(position - skipseconds * 3)": function (obj) { with (obj) { return seek(position - skipseconds * 3); } }, "startUpdatePosition(domEvent)": function (obj) { with (obj) { return startUpdatePosition(domEvent); } }, "{width: Math.round(duration ? cached / duration * 100 : 0) + '%'}": function (obj) { with (obj) { return {width: Math.round(duration ? cached / duration * 100 : 0) + '%'}; } }, "{width: Math.round(duration ? position / duration * 100 : 0) + '%'}": function (obj) { with (obj) { return {width: Math.round(duration ? position / duration * 100 : 0) + '%'}; } }, "string('video-progress')": function (obj) { with (obj) { return string('video-progress'); } }, "{left: Math.round(duration && trimstart ? trimstart / duration * 100 : 0) + '%'}": function (obj) { with (obj) { return {left: Math.round(duration && trimstart ? trimstart / duration * 100 : 0) + '%'}; } }, "{left: 'auto', right: 100 - Math.round(duration && trimend ? trimend / duration * 100 : 100) + '%'}": function (obj) { with (obj) { return {left: 'auto', right: 100 - Math.round(duration && trimend ? trimend / duration * 100 : 100) + '%'}; } }/**/ }); Parser.registerFunctions({ /**/"play()": function (obj) { with (obj) { return play(); } }, "tab_index_move(domEvent, null, 'player-toggle-overlay')": function (obj) { with (obj) { return tab_index_move(domEvent, null, 'player-toggle-overlay'); } }, "cssplayer": function (obj) { with (obj) { return cssplayer; } }, "string('tooltip')": function (obj) { with (obj) { return string('tooltip'); } }, "showduration && (duration != 0 && duration != undefined)": function (obj) { with (obj) { return showduration && (duration != 0 && duration != undefined); } }, "css": function (obj) { with (obj) { return css; } }, "formatTime(duration)": function (obj) { with (obj) { return formatTime(duration); } }, "rerecordable || submittable": function (obj) { with (obj) { return rerecordable || submittable; } }, "submittable && !trimmingmode": function (obj) { with (obj) { return submittable && !trimmingmode; } }, "submit()": function (obj) { with (obj) { return submit(); } }, "string('submit-video')": function (obj) { with (obj) { return string('submit-video'); } }, "rerecordable && !trimmingmode": function (obj) { with (obj) { return rerecordable && !trimmingmode; } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "string('rerecord')": function (obj) { with (obj) { return string('rerecord'); } }, "trimmingmode": function (obj) { with (obj) { return trimmingmode; } }, "string('trim')": function (obj) { with (obj) { return string('trim'); } }, "skip()": function (obj) { with (obj) { return skip(); } }, "string('skip')": function (obj) { with (obj) { return string('skip'); } }/**/ }); return { "cube": { css: "ba-videoplayer", csstheme: "ba-player-cube-theme", cssplayer: "ba-player", tmplcontrolbar: "\n<div data-selector=\"video-title-block\" class=\"{{csstheme}}-title-block {{activitydelta > hidebarafter && hideoninactivity ? (cssplayer + '-dashboard-hidden') : ''}}\" ba-if=\"{{title}}\">\n <p class=\"{{csstheme}}-title\">\n {{title}}\n </p>\n</div>\n\n<div class=\"{{csstheme}}-dashboard {{activitydelta > hidebarafter && hideoninactivity ? (cssplayer + '-dashboard-hidden') : ''}}\">\n\n <div class=\"{{csstheme}}-left-block\">\n\n <div tabindex=\"0\" data-selector=\"submit-video-button\"\n ba-hotkey:space^enter=\"{{submit()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if=\"{{submittable}}\" ba-click=\"{{submit()}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n {{string('submit-video')}}\n </div>\n </div>\n\n <div tabindex=\"0\" data-selector=\"button-icon-ccw\"\n ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if=\"{{rerecordable}}\"\n ba-click=\"{{rerecord()}}\" title=\"{{string('rerecord-video')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-ccw\"></i>\n </div>\n </div>\n\n <div tabindex=\"{{skipinitial ? 0 : 1}}\" data-selector=\"button-icon-play\"\n ba-hotkey:space^enter=\"{{play()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\"\n ba-if=\"{{!playing}}\" ba-click=\"{{play()}}\" title=\"{{string('play-video')}}\"\n onkeydown=\"{{tab_index_move(domEvent, null, 'button-icon-pause')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-play\"></i>\n </div>\n </div>\n\n <div tabindex=\"{{skipinitial ? 0 : 1 }}\" data-selector=\"button-icon-pause\"\n ba-hotkey:space^enter=\"{{pause()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container {{disablepause ? cssplayer + '-disabled' : ''}}\"\n ba-if=\"{{playing}}\" ba-click=\"{{pause()}}\" title=\"{{disablepause ? string('pause-video-disabled') : string('pause-video')}}\"\n onkeydown=\"{{tab_index_move(domEvent, null, 'button-icon-play')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-pause\"></i>\n </div>\n </div>\n </div>\n\n <div class=\"{{csstheme}}-right-block\">\n <div class=\"{{csstheme}}-button-container {{csstheme}}-timer-container {{csscommon}}-clickable\"\n ba-click=\"{{toggle_position_info()}}\"\n >\n <div class=\"{{csstheme}}-time-container\">\n <div class=\"{{csstheme}}-time-value\"\n title=\"{{revertposition ? string('remaining-time') : string('elapsed-time')}}\"\n >\n {{revertposition ? \"-\" : \"\"}}\n {{revertposition ? formatTime(duration - position) : formatTime(position)}}\n </div>\n </div>\n <p> / </p>\n <div class=\"{{csstheme}}-time-container\">\n <div class=\"{{csstheme}}-time-value\" title=\"{{string('total-time')}}\">{{formatTime(duration || position)}}</div>\n </div>\n </div>\n\n <div tabindex=\"3\" data-selector=\"button-icon-volume\"\n ba-hotkey:space^enter=\"{{toggle_volume()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\"\n ba-click=\"{{toggle_volume()}}\" title=\"{{string(volume > 0 ? 'volume-mute' : 'volume-unmute')}}\">\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off')) }}\"></i>\n </div>\n </div>\n\n <div class=\"{{csstheme}}-volumebar\" ba-show=\"{{!hidevolumebar}}\">\n <div tabindex=\"4\" data-selector=\"button-volume-bar\"\n ba-hotkey:right=\"{{set_volume(volume + 0.1)}}\"\n ba-hotkey:left=\"{{set_volume(volume - 0.1)}}\"\n onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-volumebar-inner\"\n ontouchstart=\"{{startUpdateVolume(domEvent)}}\"\n ontouchmove=\"{{progressUpdateVolume(domEvent)}}\"\n ontouchend=\"{{stopUpdateVolume(domEvent); this.blur()}};\"\n onmousedown=\"{{startUpdateVolume(domEvent)}}\"\n onmouseup=\"{{stopUpdateVolume(domEvent)}}\"\n onmouseleave=\"{{stopUpdateVolume(domEvent)}}\"\n onmousemove=\"{{progressUpdateVolume(domEvent)}}\">\n <div class=\"{{csstheme}}-volumebar-position\" ba-styles=\"{{{width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}}}\" title=\"{{string('volume-button')}}\"></div>\n </div>\n </div>\n\n <div tabindex=\"5\" data-selector=\"button-stream-label\"\n ba-hotkey:space^enter=\"{{toggle_stream()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if=\"{{streams.length > 1 && currentstream}}\"\n ba-click=\"{{toggle_stream()}}\" title=\"{{string('change-resolution')}}\"\n >\n <div class=\"{{csstheme}}-button-inner {{csstheme}}-stream-label-container\">\n <div class=\"{{csstheme}}-button-text {{csstheme}}-stream-label\">\n <span>{{currentstream_label}}</span>\n </div>\n </div>\n </div>\n\n <div tabindex=\"6\" data-selector=\"button-airplay\"\n ba-hotkey:space^enter=\"{{show_airplay_devices()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container {{cssplayer}}-airplay-container\"\n ba-show=\"{{airplaybuttonvisible}}\" ba-click=\"{{show_airplay_devices()}}\">\n <svg width=\"16px\" height=\"11px\" viewBox=\"0 0 16 11\" version=\"1.1\" xmlns=\"http://www.w3.org/2000/svg\" xmlns:xlink=\"http://www.w3.org/1999/xlink\">\n \n <title>Airplay</title>\n <desc>Airplay icon.</desc>\n <defs></defs>\n <g stroke=\"none\" stroke-width=\"1\" fill-rule=\"evenodd\" sketch:type=\"MSPage\">\n <path d=\"M4,11 L12,11 L8,7 L4,11 Z M14.5454545,0 L1.45454545,0 C0.654545455,0 0,0.5625 0,1.25 L0,8.75 C0,9.4375 0.654545455,10 1.45454545,10 L4.36363636,10 L4.36363636,8.75 L1.45454545,8.75 L1.45454545,1.25 L14.5454545,1.25 L14.5454545,8.75 L11.6363636,8.75 L11.6363636,10 L14.5454545,10 C15.3454545,10 16,9.4375 16,8.75 L16,1.25 C16,0.5625 15.3454545,0 14.5454545,0 L14.5454545,0 Z\" sketch:type=\"MSShapeGroup\"></path>\n </g>\n </svg>\n </div>\n\n <div tabindex=\"7\" data-selector=\"button-chromecast\" onmouseout=\"this.blur()\" class=\"{{csstheme}}-button-container {{csstheme}}-cast-button-container\" ba-show=\"{{castbuttonvisble}}\">\n <button class=\"{{csstheme}}-gcast-button\" is=\"google-cast-button\"></button>\n </div>\n\n <div tabindex=\"8\" data-selector=\"button-icon-resize-full\"\n ba-hotkey:space^enter=\"{{toggle_fullscreen()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if={{fullscreen}}\n ba-click=\"{{toggle_fullscreen()}}\" title=\"{{ fullscreened ? string('exit-fullscreen-video') : string('fullscreen-video') }}\"\n onkeydown=\"{{tab_index_move(domEvent)}}\"\n >\n <div class=\"{{csstheme}}-button-inner {{csstheme}}-full-screen-btn-inner\">\n <i class=\"{{csscommon}}-icon-resize-{{fullscreened ? 'small' : 'full'}}\"></i>\n </div>\n </div>\n\n <div tabindex=\"9\" data-selector=\"cc-button-container\"\n ba-hotkey:space^enter=\"{{toggle_tracks()}}\" onmouseout=\"this.blur()\"\n ba-if=\"{{(tracktags.length > 0 && showsubtitlebutton) || allowtexttrackupload}}\"\n class=\"{{csstheme}}-button-container {{cssplayer}}-button-{{tracktextvisible ? 'active' : 'inactive'}}\"\n title=\"{{tracktextvisible ? string('close-tracks') : string('show-tracks')}}\"\n ba-click=\"{{toggle_tracks()}}\"\n onmouseover=\"{{hover_cc(true)}}\"\n onmouseleave=\"{{hover_cc(false)}}\"\n onkeydown=\"{{tab_index_move(domEvent)}}\"\n >\n <div class=\"{{csstheme}}-button-inner {{csstheme}}-subtitle-button-inner\">\n <i class=\"{{csscommon}}-icon-subtitle\"></i>\n </div>\n </div>\n\n <div tabindex=\"10\" data-selector=\"button-icon-settings\" ba-if=\"{{settingsmenubutton}}\"\n ba-hotkey:space^enter=\"{{toggle_settings_menu()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container {{cssplayer}}-button-{{settingsmenuactive ? 'active' : 'inactive'}}\"\n ba-click=\"{{toggle_settings_menu()}}\"\n title=\"{{string('settings')}}\"\n onkeydown=\"{{tab_index_move(domEvent)}}\"\n >\n <div class=\"{{csstheme}}-button-inner {{csstheme}}-settings-button\">\n <i class=\"{{csscommon}}-icon-cog\"></i>\n </div>\n </div>\n\n <div tabindex=\"11\" class=\"{{csstheme}}-button-container\" ba-if=\"{{trimmingmode}}\">\n <div data-selector=\"trim-button\"\n onmouseout=\"this.blur()\"\n ba-click=\"{{trim()}}\"\n class=\"{{csstheme}}-button-inner {{csstheme}}-primary-button\">\n {{string('trim-video')}}\n </div>\n </div>\n\n <div tabindex=\"11\" class=\"{{csstheme}}-button-container\" ba-if=\"{{frameselectionmode}}\">\n <div data-selector=\"select-frame-button\"\n onmouseout=\"this.blur()\"\n ba-click=\"{{select_frame()}}\"\n class=\"{{csstheme}}-button-inner {{csstheme}}-primary-button\">\n {{string('select-frame')}}\n </div>\n </div>\n </div>\n\n <div class=\"{{csstheme}}-progressbar {{disableseeking ? cssplayer + '-disabled' : ''}}\">\n <div tabindex=\"2\" data-selector=\"progress-bar-inner\"\n ba-hotkey:right=\"{{seek(position + skipseconds)}}\"\n ba-hotkey:left=\"{{seek(position - skipseconds)}}\"\n ba-hotkey:alt+right=\"{{seek(position + skipseconds * 3)}}\"\n ba-hotkey:alt+left=\"{{seek(position - skipseconds * 3)}}\"\n onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-progressbar-inner\"\n ontouchstart=\"{{startUpdatePosition(domEvent)}}\"\n onmousedown=\"{{startUpdatePosition(domEvent)}}\"\n >\n\n <div class=\"{{csstheme}}-progressbar-cache\" ba-styles=\"{{{width: Math.round(duration ? cached / duration * 100 : 0) + '%'}}}\"></div>\n <div class=\"{{csstheme}}-progressbar-position\" ba-styles=\"{{{width: Math.round(duration ? position / duration * 100 : 0) + '%'}}}\" title=\"{{string('video-progress')}}\"></div>\n <div class=\"{{csstheme}}-progressbar-marker\"\n data-selector=\"trim-start-marker\"\n ba-if=\"{{trimmingmode}}\"\n ba-styles=\"{{{left: Math.round(duration && trimstart ? trimstart / duration * 100 : 0) + '%'}}}\"\n ></div>\n <div class=\"{{csstheme}}-progressbar-marker\"\n data-selector=\"trim-end-marker\"\n ba-if=\"{{trimmingmode}}\"\n ba-styles=\"{{{left: 'auto', right: 100 - Math.round(duration && trimend ? trimend / duration * 100 : 100) + '%'}}}\"\n ></div>\n </div>\n </div>\n\n</div>\n", tmplplaybutton: "\n<div tabindex=\"0\" data-selector=\"play-button\"\n ba-hotkey:space^enter=\"{{play()}}\" onmouseout=\"this.blur()\"\n onkeydown=\"{{tab_index_move(domEvent, null, 'player-toggle-overlay')}}\"\n class=\"{{cssplayer}}-playbutton-container\" ba-click=\"{{play()}}\" title=\"{{string('tooltip')}}\"\n>\n\t<div class=\"{{cssplayer}}-playbutton-button\"></div>\n</div>\n<div ba-show=\"{{showduration && (duration != 0 && duration != undefined)}}\" class=\"{{css}}-playbutton-duration\">\n {{formatTime(duration)}}\n</div>\n\n<div class=\"{{cssplayer}}-rerecord-bar\" ba-if=\"{{rerecordable || submittable}}\">\n\t<div class=\"{{cssplayer}}-rerecord-backbar\"></div>\n\t<div class=\"{{cssplayer}}-rerecord-frontbar\">\n <div class=\"{{cssplayer}}-rerecord-button-container\" ba-if=\"{{submittable && !trimmingmode}}\">\n <div tabindex=\"0\" data-selector=\"player-submit-button\"\n ba-hotkey:space^enter=\"{{submit()}}\" onmouseout=\"this.blur()\"\n class=\"{{cssplayer}}-rerecord-button\" onclick=\"{{submit()}}\">\n {{string('submit-video')}}\n </div>\n </div>\n <div class=\"{{cssplayer}}-rerecord-button-container\" ba-if=\"{{rerecordable && !trimmingmode}}\">\n \t<div tabindex=\"0\" data-selector=\"player-rerecord-button\"\n ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n class=\"{{cssplayer}}-rerecord-button\" onclick=\"{{rerecord()}}\">\n \t\t{{string('rerecord')}}\n \t</div>\n </div>\n <div class=\"{{cssplayer}}-rerecord-button-container\" ba-if=\"{{trimmingmode}}\">\n \t<div tabindex=\"0\" data-selector=\"player-trim-button\"\n ba-hotkey:space^enter=\"{{play()}}\" onmouseout=\"this.blur()\"\n class=\"{{cssplayer}}-rerecord-button\" onclick=\"{{play()}}\">\n \t\t{{string('trim')}}\n \t</div>\n </div>\n <div class=\"{{cssplayer}}-rerecord-button-container\" ba-if=\"{{trimmingmode}}\">\n \t<div tabindex=\"0\" data-selector=\"player-skip-button\"\n ba-hotkey:space^enter=\"{{skip()}}\" onmouseout=\"this.blur()\"\n class=\"{{cssplayer}}-rerecord-button\" onclick=\"{{skip()}}\">\n \t\t{{string('skip')}}\n \t</div>\n </div>\n\t</div>\n</div>\n", cssloader: ie8 ? "ba-videoplayer" : "", cssmessage: "ba-videoplayer", cssplaybutton: ie8 ? "ba-videoplayer" : "" } }; }); Scoped.extend("module:Assets.recorderthemes", [ "dynamics:Parser" ], function(Parser) { Parser.registerFunctions({ /**/"csstheme": function (obj) { with (obj) { return csstheme; } }, "css": function (obj) { with (obj) { return css; } }, "settingsvisible && settingsopen": function (obj) { with (obj) { return settingsvisible && settingsopen; } }, "videoselectnotification": function (obj) { with (obj) { return videoselectnotification; } }, "string('add-stream')": function (obj) { with (obj) { return string('add-stream'); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "showaddstreambutton && firefox && allowscreen": function (obj) { with (obj) { return showaddstreambutton && firefox && allowscreen; } }, "addNewStream()": function (obj) { with (obj) { return addNewStream(); } }, "hover(string('add-stream'))": function (obj) { with (obj) { return hover(string('add-stream')); } }, "showaddstreambutton && !firefox": function (obj) { with (obj) { return showaddstreambutton && !firefox; } }, "cameras": function (obj) { with (obj) { return cameras; } }, "(camera.id !== selectedcamera) || allowscreen": function (obj) { with (obj) { return (camera.id !== selectedcamera) || allowscreen; } }, "addNewStream(camera.id)": function (obj) { with (obj) { return addNewStream(camera.id); } }, "camera.label": function (obj) { with (obj) { return camera.label; } }, "(showaddstreambutton && !firefox) || (firefox && allowscreen)": function (obj) { with (obj) { return (showaddstreambutton && !firefox) || (firefox && allowscreen); } }, "!novideo && !allowscreen && !ismobile": function (obj) { with (obj) { return !novideo && !allowscreen && !ismobile; } }, "hover(string('select-camera'))": function (obj) { with (obj) { return hover(string('select-camera')); } }, "selectCamera(camera.id)": function (obj) { with (obj) { return selectCamera(camera.id); } }, "selectedcamera == camera.id": function (obj) { with (obj) { return selectedcamera == camera.id; } }, "(!noaudio && !novideo) || !allowscreen": function (obj) { with (obj) { return (!noaudio && !novideo) || !allowscreen; } }, "microphones": function (obj) { with (obj) { return microphones; } }, "!noaudio && !allowscreen": function (obj) { with (obj) { return !noaudio && !allowscreen; } }, "selectMicrophone(microphone.id)": function (obj) { with (obj) { return selectMicrophone(microphone.id); } }, "hover(string('select-audio-input'))": function (obj) { with (obj) { return hover(string('select-audio-input')); } }, "selectedmicrophone == microphone.id": function (obj) { with (obj) { return selectedmicrophone == microphone.id; } }, "microphone.label": function (obj) { with (obj) { return microphone.label; } }, "rerecordvisible": function (obj) { with (obj) { return rerecordvisible; } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "hover(string('rerecord-tooltip'))": function (obj) { with (obj) { return hover(string('rerecord-tooltip')); } }, "unhover()": function (obj) { with (obj) { return unhover(); } }, "string('rerecord')": function (obj) { with (obj) { return string('rerecord'); } }, "cancelvisible": function (obj) { with (obj) { return cancelvisible; } }, "cancel()": function (obj) { with (obj) { return cancel(); } }, "hover(string('cancel-tooltip'))": function (obj) { with (obj) { return hover(string('cancel-tooltip')); } }, "string('cancel')": function (obj) { with (obj) { return string('cancel'); } }, "stopvisible && recordingindication": function (obj) { with (obj) { return stopvisible && recordingindication; } }, "settingsvisible": function (obj) { with (obj) { return settingsvisible; } }, "ismobile": function (obj) { with (obj) { return ismobile; } }, "toggleFaceMode()": function (obj) { with (obj) { return toggleFaceMode(); } }, "hover(string('switch-camera'))": function (obj) { with (obj) { return hover(string('switch-camera')); } }, "settingsopen=!settingsopen": function (obj) { with (obj) { return settingsopen=!settingsopen; } }, "settingsopen ? 'selected' : 'unselected'": function (obj) { with (obj) { return settingsopen ? 'selected' : 'unselected'; } }, "hover(string('settings'))": function (obj) { with (obj) { return hover(string('settings')); } }, "hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy'))": function (obj) { with (obj) { return hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy')); } }, "microphonehealthy ? 'good' : 'bad'": function (obj) { with (obj) { return microphonehealthy ? 'good' : 'bad'; } }, "!novideo && !allowscreen": function (obj) { with (obj) { return !novideo && !allowscreen; } }, "hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy'))": function (obj) { with (obj) { return hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy')); } }, "camerahealthy ? 'good' : 'bad'": function (obj) { with (obj) { return camerahealthy ? 'good' : 'bad'; } }, "cssrecorder": function (obj) { with (obj) { return cssrecorder; } }, "recordvisible": function (obj) { with (obj) { return recordvisible; } }, "record()": function (obj) { with (obj) { return record(); } }, "hover(string('record-tooltip'))": function (obj) { with (obj) { return hover(string('record-tooltip')); } }, "string('record')": function (obj) { with (obj) { return string('record'); } }, "stopvisible": function (obj) { with (obj) { return stopvisible; } }, "controlbarlabel && !rerecordvisible": function (obj) { with (obj) { return controlbarlabel && !rerecordvisible; } }, "controlbarlabel": function (obj) { with (obj) { return controlbarlabel; } }, "pausable && !resumevisible": function (obj) { with (obj) { return pausable && !resumevisible; } }, "stop()": function (obj) { with (obj) { return stop(); } }, "string('pause-recorder')": function (obj) { with (obj) { return string('pause-recorder'); } }, "pause()": function (obj) { with (obj) { return pause(); } }, "hover(string('pause-recorder'))": function (obj) { with (obj) { return hover(string('pause-recorder')); } }, "pausable && resumevisible": function (obj) { with (obj) { return pausable && resumevisible; } }, "resume()": function (obj) { with (obj) { return resume(); } }, "string('resume-recorder')": function (obj) { with (obj) { return string('resume-recorder'); } }, "hover(string('resume-recorder'))": function (obj) { with (obj) { return hover(string('resume-recorder')); } }, "mintimeindicator ? css + '-disabled': ''": function (obj) { with (obj) { return mintimeindicator ? css + '-disabled': ''; } }, "mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')": function (obj) { with (obj) { return mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'); } }, "hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'))": function (obj) { with (obj) { return hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')); } }, "string('stop')": function (obj) { with (obj) { return string('stop'); } }, "skipvisible": function (obj) { with (obj) { return skipvisible; } }, "skip()": function (obj) { with (obj) { return skip(); } }, "hover(string('skip-tooltip'))": function (obj) { with (obj) { return hover(string('skip-tooltip')); } }, "string('skip')": function (obj) { with (obj) { return string('skip'); } }, "uploadcovershotvisible": function (obj) { with (obj) { return uploadcovershotvisible; } }, "hover(string('upload-covershot-tooltip'))": function (obj) { with (obj) { return hover(string('upload-covershot-tooltip')); } }, "uploadCovershot(domEvent)": function (obj) { with (obj) { return uploadCovershot(domEvent); } }, "covershot_accept_string": function (obj) { with (obj) { return covershot_accept_string; } }, "string('upload-covershot')": function (obj) { with (obj) { return string('upload-covershot'); } }/**/ }); Parser.registerFunctions({ /**/"showslidercontainer": function (obj) { with (obj) { return showslidercontainer; } }, "css": function (obj) { with (obj) { return css; } }, "left()": function (obj) { with (obj) { return left(); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "images": function (obj) { with (obj) { return images; } }, "select(image)": function (obj) { with (obj) { return select(image); } }, "{left: image.left + 'px', top: image.top + 'px', width: image.width + 'px', height: image.height + 'px'}": function (obj) { with (obj) { return {left: image.left + 'px', top: image.top + 'px', width: image.width + 'px', height: image.height + 'px'}; } }, "right()": function (obj) { with (obj) { return right(); } }, "!showslidercontainer": function (obj) { with (obj) { return !showslidercontainer; } }, "covershot_accept_string": function (obj) { with (obj) { return covershot_accept_string; } }, "uploadCovershot(domEvent)": function (obj) { with (obj) { return uploadCovershot(domEvent); } }, "string('upload-covershot')": function (obj) { with (obj) { return string('upload-covershot'); } }/**/ }); Parser.registerFunctions({ /**/"css": function (obj) { with (obj) { return css; } }, "initialmessages.length > 0": function (obj) { with (obj) { return initialmessages.length > 0; } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "initialmessages": function (obj) { with (obj) { return initialmessages; } }, "initialmessage.message": function (obj) { with (obj) { return initialmessage.message; } }, "initialmessage.type ? initialmessage.type : 'default'": function (obj) { with (obj) { return initialmessage.type ? initialmessage.type : 'default'; } }, "initialmessage.id": function (obj) { with (obj) { return initialmessage.id; } }, "actions": function (obj) { with (obj) { return actions; } }, "click_action(action)": function (obj) { with (obj) { return click_action(action); } }, "action.index": function (obj) { with (obj) { return action.index; } }, "action.select && action.capture": function (obj) { with (obj) { return action.select && action.capture; } }, "select_file_action(action, domEvent)": function (obj) { with (obj) { return select_file_action(action, domEvent); } }, "action.accept": function (obj) { with (obj) { return action.accept; } }, "action.switchcamera": function (obj) { with (obj) { return action.switchcamera; } }, "action.select && !action.capture": function (obj) { with (obj) { return action.select && !action.capture; } }, "action.label": function (obj) { with (obj) { return action.label; } }, "action.icon": function (obj) { with (obj) { return action.icon; } }/**/ }); Parser.registerFunctions({ /**/"cssrecorder": function (obj) { with (obj) { return cssrecorder; } }, "click()": function (obj) { with (obj) { return click(); } }, "shortMessage ? 'short-message' : 'long-message'": function (obj) { with (obj) { return shortMessage ? 'short-message' : 'long-message'; } }, "message || \"\"": function (obj) { with (obj) { return message || ""; } }, "links && links.length > 0": function (obj) { with (obj) { return links && links.length > 0; } }, "links": function (obj) { with (obj) { return links; } }, "linkClick(link)": function (obj) { with (obj) { return linkClick(link); } }, "link.title": function (obj) { with (obj) { return link.title; } }/**/ }); return { "cube": { css: "ba-videorecorder", cssrecorder: "ba-recorder", csstheme: "ba-recorder-theme-cube", cssmessage: "ba-videorecorder-theme-cube", cssloader: "ba-videorecorder", tmplcontrolbar: "<div class=\"{{csstheme}}-dashboard\">\n\n\t<div class=\"{{css}}-settings-front\">\n\n\t\t\n\t\t<div data-selector=\"recorder-settings\" class=\"{{css}}-settings\" ba-show=\"{{settingsvisible && settingsopen}}\">\n\t\t\t<div data-selector=\"settings-list-front\" class=\"{{css}}-bubble-info\">\n\t\t\t\t<ul data-selector=\"add-new-stream\" ba-if=\"{{videoselectnotification}}\">\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<div data-selector=\"single-camera-stream\">\n\t\t\t\t\t\t\t<i class=\"ba-commoncss-icon-plus\"></i> {{string('add-stream')}}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t</li>\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<div data-selector=\"single-camera-stream\" class=\"{{csscommon}}-text-error\">\n\t\t\t\t\t\t\t{{videoselectnotification}}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t\t<ul data-selector=\"add-new-stream\" ba-show=\"{{showaddstreambutton && firefox && allowscreen}}\">\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<div data-selector=\"single-camera-stream\"\n\t\t\t\t\t\t\t class=\"{{css}}-add-stream\"\n\t\t\t\t\t\t\t onclick=\"{{addNewStream()}}\"\n\t\t\t\t\t\t\t onmouseenter=\"{{hover(string('add-stream'))}}\"\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-plus\"></i> {{string('add-stream')}}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\n\t\t\t\t<ul data-selector=\"add-new-stream\" ba-show=\"{{showaddstreambutton && !firefox}}\" ba-repeat=\"{{camera :: cameras}}\">\n\t\t\t\t\t<li ba-show=\"{{(camera.id !== selectedcamera) || allowscreen}}\">\n\t\t\t\t\t\t<div data-selector=\"single-camera-stream\"\n\t\t\t\t\t\t\t class=\"{{css}}-add-stream\"\n\t\t\t\t\t\t\t onclick=\"{{addNewStream(camera.id)}}\"\n\t\t\t\t\t\t\t onmouseenter=\"{{hover(string('add-stream'))}}\"\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-plus\"></i> {{camera.label}}\n\t\t\t\t\t\t</div>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t\t<hr ba-show=\"{{(showaddstreambutton && !firefox) || (firefox && allowscreen)}}\"/>\n\t\t\t\t<ul data-selector=\"camera-settings\" ba-repeat=\"{{camera :: cameras}}\" ba-show=\"{{!novideo && !allowscreen && !ismobile}}\">\n\t\t\t\t\t<li onmouseenter=\"{{hover(string('select-camera'))}}\">\n\t\t\t\t\t\t<input tabindex=\"0\"\n\t\t\t\t\t\t\t ba-hotkey:space^enter=\"{{selectCamera(camera.id)}}\" onmouseout=\"this.blur()\"\n type='radio'\n\t\t\t\t\t\t\t name='camera' value=\"{{selectedcamera == camera.id}}\" onclick=\"{{selectCamera(camera.id)}}\"\n\t\t\t\t\t\t/>\n\t\t\t\t\t\t<span></span>\n\t\t\t\t\t\t<label tabindex=\"0\" ba-hotkey:space^enter=\"{{selectCamera(camera.id)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t\t\t onclick=\"{{selectCamera(camera.id)}}\"\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{{camera.label}}\n\t\t\t\t\t\t</label>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t\t<hr ba-show=\"{{(!noaudio && !novideo) || !allowscreen}}\"/>\n\t\t\t\t<ul data-selector=\"microphone-settings\" ba-repeat=\"{{microphone :: microphones}}\" ba-show=\"{{!noaudio && !allowscreen}}\">\n\t\t\t\t\t<li tabindex=\"0\"\n\t\t\t\t\t\tba-hotkey:space^enter=\"{{selectMicrophone(microphone.id)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t\tonmouseenter=\"{{hover(string('select-audio-input'))}}\"\n\t\t\t\t\t\tonclick=\"{{selectMicrophone(microphone.id)}}\"\n\t\t\t\t\t>\n\t\t\t\t\t\t<input type='radio' name='microphone' value=\"{{selectedmicrophone == microphone.id}}\" />\n\t\t\t\t\t\t<span></span>\n\t\t\t\t\t\t<label>\n\t\t\t\t\t\t\t{{microphone.label}}\n\t\t\t\t\t\t</label>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t</div>\n\t\t</div>\n\n\t</div>\n\n\t\n\t<div data-selector=\"controlbar\" class=\"{{css}}-controlbar\">\n\n\t\t<div class=\"{{css}}-controlbar-center-section\">\n\n\t\t\t<div class=\"{{css}}-button-container\" ba-show=\"{{rerecordvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"rerecord-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{rerecord()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('rerecord-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\"\n\t\t\t\t>\n\t\t\t\t\t{{string('rerecord')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-button-container\" ba-show=\"{{cancelvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"cancel-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{cancel()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{cancel()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('cancel-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t{{string('cancel')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t</div>\n\n\t\t<div class=\"{{css}}-controlbar-left-section\">\n\n\t\t\t<div class=\"{{css}}-indicator-container\" ba-show=\"{{stopvisible && recordingindication}}\">\n\t\t\t\t<div data-selector=\"recording-indicator\" class=\"{{css}}-recording-indication\"></div>\n\t\t\t</div>\n\n\t\t\t<div ba-show=\"{{settingsvisible}}\">\n\n\t\t\t\t<div class=\"{{css}}-button\" ba-show=\"{{ismobile}}\">\n\t\t\t\t\t<div data-selector=\"face-mode-toggle-icon\" class=\"{{css}}-mobile-camera-switcher {{css}}-button-inner {{css}}-button-unselected\"\n\t\t\t\t\t\t onclick=\"{{toggleFaceMode()}}\"\n\t\t\t\t\t\t onmouseenter=\"{{hover(string('switch-camera'))}}\"\n\t\t\t\t\t>\n\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-arrows-cw\"></i>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\n\t\t\t\t<div class=\"{{css}}-button\">\n\t\t\t\t\t<div tabindex=\"0\" ba-hotkey:space^enter=\"{{settingsopen=!settingsopen}}\"\n\t\t\t\t\t\t data-selector=\"record-button-icon-cog\" class=\"{{css}}-button-inner {{css}}-button-{{settingsopen ? 'selected' : 'unselected' }}\"\n\t\t\t\t\t\t onmouseout=\"this.blur()\"\n\t\t\t\t\t\t onclick=\"{{settingsopen=!settingsopen}}\"\n\t\t\t\t\t\t onmouseenter=\"{{hover(string('settings'))}}\"\n\t\t\t\t\t\t onmouseleave=\"{{unhover()}}\" >\n\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-cog\"></i>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\n\t\t\t\t<div class=\"{{css}}-button\" ba-show=\"{{!noaudio && !allowscreen}}\">\n\t\t\t\t\t<div data-selector=\"record-button-icon-mic\" class=\"{{css}}-button-inner\"\n\t\t\t\t\t\t onmouseenter=\"{{hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy'))}}\"\n\t\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-mic {{csscommon}}-icon-state-{{microphonehealthy ? 'good' : 'bad' }}\"></i>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\n\t\t\t\t<div class=\"{{css}}-button\" ba-show=\"{{!novideo && !allowscreen}}\">\n\t\t\t\t\t<div data-selector=\"record-button-icon-videocam\" class=\"{{css}}-button-inner\"\n\t\t\t\t\t\t onmouseenter=\"{{hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy'))}}\"\n\t\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t\t<i class=\"{{csscommon}}-icon-videocam {{csscommon}}-icon-state-{{ camerahealthy ? 'good' : 'bad' }}\"></i>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\n\t\t<div class=\"{{cssrecorder}}-controlbar-right-section\">\n\n\t\t\t<div class=\"{{css}}-rightbutton-container\" ba-show=\"{{recordvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"record-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{record()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{record()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('record-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t{{string('record')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t</div>\n\n\t\t<div class=\"{{css}}-stop-container\" ba-show=\"{{stopvisible}}\">\n\t\t\t<div class=\"{{css}}-timer-container\">\n\t\t\t\t<div class=\"{{css}}-label-container\" ba-show=\"{{controlbarlabel && !rerecordvisible}}\">\n\t\t\t\t\t<div data-selector=\"record-label-block\" class=\"{{css}}-label {{css}}-button-primary\">\n\t\t\t\t\t\t{{controlbarlabel}}\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-stop-button-container\">\n\n\t\t\t\t<div class=\"{{css}}-button\">\n <div tabindex=\"0\" ba-show=\"{{pausable && !resumevisible}}\"\n ba-hotkey:space^enter=\"{{stop()}}\" onmouseout=\"this.blur()\"\n data-selector=\"pause-primary-button\" class=\"{{css}}-button\"\n title=\"{{string('pause-recorder')}}\"\n onclick=\"{{pause()}}\"\n onmouseenter=\"{{hover(string('pause-recorder'))}}\"\n onmouseleave=\"{{unhover()}}\"\n >\n <i class=\"{{csscommon}}-icon-pause\"></i>\n </div>\n\n <div tabindex=\"0\" ba-show=\"{{pausable && resumevisible}}\"\n ba-hotkey:space^enter=\"{{resume()}}\" onmouseout=\"this.blur()\"\n data-selector=\"resume-primary-button\" class=\"{{css}}-button\"\n title=\"{{string('resume-recorder')}}\"\n onclick=\"{{resume()}}\"\n onmouseenter=\"{{hover(string('resume-recorder'))}}\"\n onmouseleave=\"{{unhover()}}\"\n >\n <i class=\"{{csscommon}}-icon-ccw\"></i>\n </div>\n\t\t\t\t</div>\n\n\t\t\t\t<div tabindex=\"0\" data-selector=\"stop-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{stop()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary {{mintimeindicator ? css + '-disabled': ''}}\"\n\t\t\t\t\t title=\"{{mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')}}\"\n\t\t\t\t\t onclick=\"{{stop()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\"\n\t\t\t\t>\n\t\t\t\t\t{{string('stop')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\n\n <div class=\"{{css}}-centerbutton-container\" ba-show=\"{{skipvisible}}\">\n <div tabindex=\"0\" data-selector=\"skip-primary-button\"\n\t\t\t\t ba-hotkey:space^enter=\"{{skip()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t class=\"{{css}}-button-primary\"\n onclick=\"{{skip()}}\"\n onmouseenter=\"{{hover(string('skip-tooltip'))}}\"\n onmouseleave=\"{{unhover()}}\">\n {{string('skip')}}\n </div>\n </div>\n\n\n <div class=\"{{css}}-rightbutton-container\" ba-if=\"{{uploadcovershotvisible}}\">\n <div data-selector=\"covershot-primary-button\" class=\"{{css}}-button-primary\"\n onmouseenter=\"{{hover(string('upload-covershot-tooltip'))}}\"\n onmouseleave=\"{{unhover()}}\">\n <input type=\"file\"\n class=\"{{css}}-chooser-file\"\n style=\"height:100px\"\n onchange=\"{{uploadCovershot(domEvent)}}\"\n accept=\"{{covershot_accept_string}}\" />\n <span>\n {{string('upload-covershot')}}\n </span>\n </div>\n </div>\n\n\t</div>\n\n</div>\n", tmplimagegallery: "<div ba-if=\"{{showslidercontainer}}\" data-selector=\"image-gallery\" class=\"{{css}}-image-gallery-container\">\n\t<div data-selector=\"slider-left-button\" class=\"{{css}}-imagegallery-leftbutton\">\n\t\t<div tabindex=\"0\" data-selector=\"slider-left-inner-button\"\n\t\t\t ba-hotkey:space^enter^left=\"{{left()}}\" onmouseout=\"this.blur()\"\n\t\t\t class=\"{{css}}-imagegallery-button-inner\" onclick=\"{{left()}}\"\n\t\t>\n\t\t\t<i class=\"{{csscommon}}-icon-left-open\"></i>\n\t\t</div>\n\t</div>\n\n\t<div data-selector=\"images-imagegallery-container\" ba-repeat=\"{{image::images}}\" class=\"{{css}}-imagegallery-container\" data-gallery-container>\n\t\t<div tabindex=\"0\" data-selector=\"imagegallery-selected-image\"\n\t\t\t ba-hotkey:space^enter=\"{{select(image)}}\" onmouseout=\"this.blur()\"\n\t\t\t class=\"{{css}}-imagegallery-image\"\n\t\t\t ba-styles=\"{{{left: image.left + 'px', top: image.top + 'px', width: image.width + 'px', height: image.height + 'px'}}}\"\n\t\t\t onclick=\"{{select(image)}}\"\n\t\t>\n\t\t</div>\n\t</div>\n\n\t<div data-selector=\"slider-right-button\" class=\"{{css}}-imagegallery-rightbutton\">\n\t\t<div tabindex=\"0\" data-selector=\"slider-right-inner-button\"\n\t\t\t ba-hotkey:space^enter^right=\"{{right()}}\" onmouseout=\"this.blur()\"\n\t\t\t class=\"{{css}}-imagegallery-button-inner\"\n\t\t\t onclick=\"{{right()}}\"\n\t\t>\n\t\t\t<i class=\"{{csscommon}}-icon-right-open\"></i>\n\t\t</div>\n\t</div>\n</div>\n\n<div ba-if=\"{{!showslidercontainer}}\" class=\"{{css}}-chooser-container\">\n\t<div data-selector=\"covershot-primary-button\" class=\"{{css}}-chooser-button-container\">\n\t\t<div class=\"{{css}}-chooser-button-0\">\n\t\t\t<input type=\"file\"\n\t\t\t\t tabindex=\"0\"\n\t\t\t\t class=\"{{css}}-chooser-file\"\n\t\t\t\t accept=\"{{covershot_accept_string}}\"\n\t\t\t\t onchange=\"{{uploadCovershot(domEvent)}}\"\n\t\t\t/>\n\t\t\t<i class=\"{{csscommon}}-icon-picture\"></i>\n\t\t\t<span>\n\t\t\t{{string('upload-covershot')}}\n\t\t</span>\n\t\t</div>\n\t</div>\n</div>\n", tmplchooser: "<div class=\"{{css}}-chooser-container\">\n\t<div ba-if=\"{{initialmessages.length > 0}}\" class=\"{{csscommon}}-message-container\">\n\t\t<ul ba-repeat=\"{{initialmessage :: initialmessages}}\">\n\t\t\t<li ba-if=\"{{initialmessage.message}}\"\n\t\t\t\tclass=\"{{csscommon}}-message-text {{csscommon}}-message-{{initialmessage.type ? initialmessage.type : 'default'}}\"\n\t\t\t>\n\t\t\t\t{{ initialmessage.message }}\n\t\t\t\t<span ba-if=\"{{initialmessage.id}}\"\n\t\t\t\t\t class=\"{{csscommon}}-action-button\"\n\t\t\t\t\t ba-click=\"close_message(initialmessage.id)\"\n\t\t\t\t>\n\t\t\t\t\t<i class=\"{{csscommon}}-icon-cancel\"></i>\n\t\t\t\t</span>\n\t\t\t</li>\n\t\t</ul>\n\t</div>\n\n\t<div class=\"{{css}}-chooser-button-container\">\n\n\t\t<div ba-repeat=\"{{action :: actions}}\">\n\t\t\t<div tabindex=\"0\"\n\t\t\t\t ba-hotkey:space^enter=\"{{click_action(action)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t class=\"{{css}}-chooser-button-{{action.index}}\"\n\t\t\t\t ba-click=\"{{click_action(action)}}\">\n\t\t\t\t<input ba-if=\"{{action.select && action.capture}}\"\n\t\t\t\t\t type=\"file\"\n\t\t\t\t\t class=\"{{css}}-chooser-file\"\n\t\t\t\t\t onchange=\"{{select_file_action(action, domEvent)}}\"\n\t\t\t\t\t accept=\"{{action.accept}}\"\n\t\t\t\t\t capture=\"{{action.switchcamera}}\" />\n\t\t\t\t<input ba-if=\"{{action.select && !action.capture}}\"\n\t\t\t\t\t type=\"file\"\n\t\t\t\t\t class=\"{{css}}-chooser-file\"\n\t\t\t\t\t onchange=\"{{select_file_action(action, domEvent)}}\"\n\t\t\t\t\t accept=\"{{action.accept}}\"\n\t\t\t\t/>\n\t\t\t\t<span>\n\t\t\t\t\t{{action.label}}\n\t\t\t\t</span>\n\t\t\t\t<i class=\"{{csscommon}}-icon-{{action.icon}}\"\n\t\t\t\t ba-if=\"{{action.icon}}\"></i>\n\t\t\t</div>\n\t\t</div>\n\t</div>\n</div>\n", tmplmessage: "<div data-selector=\"recorder-message-container\" class=\"{{cssrecorder}}-message-container\" ba-click=\"{{click()}}\">\n <div class=\"{{cssrecorder}}-top-inner-message-container {{cssrecorder}}-{{shortMessage ? 'short-message' : 'long-message'}}\">\n <div class=\"{{cssrecorder}}-first-inner-message-container\">\n <div class=\"{{cssrecorder}}-second-inner-message-container\">\n <div class=\"{{cssrecorder}}-third-inner-message-container\">\n <div class=\"{{cssrecorder}}-fourth-inner-message-container\">\n <div data-selector=\"recorder-message-block\" class='{{cssrecorder}}-message-message'>\n <p>\n {{message || \"\"}}\n </p>\n <ul ba-if=\"{{links && links.length > 0}}\" ba-repeat=\"{{link :: links}}\">\n <li>\n <a href=\"javascript:;\" ba-click=\"{{linkClick(link)}}\">\n {{link.title}}\n </a>\n </li>\n </ul>\n </div>\n </div>\n </div>\n </div>\n </div>\n </div>\n</div>\n" } }; }); Scoped.extend("module:Assets.imageviewerthemes", [ "browser:Info", "dynamics:Parser" ], function(Info, Parser) { var ie8 = Info.isInternetExplorer() && Info.internetExplorerVersion() <= 8; Parser.registerFunctions({ /**/"css": function (obj) { with (obj) { return css; } }, "activitydelta > 5000 && hideoninactivity ? (css + '-dashboard-hidden') : ''": function (obj) { with (obj) { return activitydelta > 5000 && hideoninactivity ? (css + '-dashboard-hidden') : ''; } }, "title": function (obj) { with (obj) { return title; } }, "submit()": function (obj) { with (obj) { return submit(); } }, "submittable": function (obj) { with (obj) { return submittable; } }, "string('submit-image')": function (obj) { with (obj) { return string('submit-image'); } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "rerecordable": function (obj) { with (obj) { return rerecordable; } }, "string('rerecord-image')": function (obj) { with (obj) { return string('rerecord-image'); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "toggle_fullscreen()": function (obj) { with (obj) { return toggle_fullscreen(); } }, "fullscreen": function (obj) { with (obj) { return fullscreen; } }, "fullscreened ? string('exit-fullscreen-image') : string('fullscreen-image')": function (obj) { with (obj) { return fullscreened ? string('exit-fullscreen-image') : string('fullscreen-image'); } }, "tab_index_move(domEvent)": function (obj) { with (obj) { return tab_index_move(domEvent); } }, "fullscreened ? 'small' : 'full'": function (obj) { with (obj) { return fullscreened ? 'small' : 'full'; } }/**/ }); return { "cube": { css: "ba-imageviewer", csstheme: "ba-imageviewer-cube-theme", tmplcontrolbar: "\n<div data-selector=\"image-title-block\" class=\"{{css}}-image-title-block {{activitydelta > 5000 && hideoninactivity ? (css + '-dashboard-hidden') : ''}}\" ba-if=\"{{title}}\">\n <p class=\"{{css}}-image-title\">\n {{title}}\n </p>\n</div>\n\n<div class=\"{{css}}-dashboard {{activitydelta > 5000 && hideoninactivity ? (css + '-dashboard-hidden') : ''}}\">\n\n <div class=\"{{css}}-left-block\">\n\n <div tabindex=\"0\" data-selector=\"submit-image-button\"\n ba-hotkey:space^enter=\"{{submit()}}\" onmouseout=\"this.blur()\"\n class=\"{{css}}-button-container\" ba-if=\"{{submittable}}\" ba-click=\"{{submit()}}\"\n >\n <div class=\"{{css}}-button-inner\">\n {{string('submit-image')}}\n </div>\n </div>\n\n <div tabindex=\"0\" data-selector=\"button-icon-ccw\"\n ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n class=\"{{css}}-button-container\" ba-if=\"{{rerecordable}}\"\n ba-click=\"{{rerecord()}}\" title=\"{{string('rerecord-image')}}\"\n >\n <div class=\"{{css}}-button-inner\">\n <i class=\"{{csscommon}}-icon-ccw\"></i>\n </div>\n </div>\n\n </div>\n\n <div class=\"{{css}}-right-block\">\n <div tabindex=\"8\" data-selector=\"button-icon-resize-full\"\n ba-hotkey:space^enter=\"{{toggle_fullscreen()}}\" onmouseout=\"this.blur()\"\n class=\"{{css}}-button-container\" ba-if={{fullscreen}}\n ba-click=\"{{toggle_fullscreen()}}\" title=\"{{ fullscreened ? string('exit-fullscreen-image') : string('fullscreen-image') }}\"\n onkeydown=\"{{tab_index_move(domEvent)}}\"\n >\n <div class=\"{{css}}-button-inner {{css}}-full-screen-btn-inner\">\n <i class=\"{{csscommon}}-icon-resize-{{fullscreened ? 'small' : 'full'}}\"></i>\n </div>\n </div>\n\n </div>\n\n</div>\n", cssloader: ie8 ? "ba-imageviewer" : "", cssmessage: "ba-imageviewer" } }; }); Scoped.extend("module:Assets.audioplayerthemes", [ "browser:Info", "dynamics:Parser" ], function(Info, Parser) { var ie8 = Info.isInternetExplorer() && Info.internetExplorerVersion() <= 8; Parser.registerFunctions({ /**/"csstheme": function (obj) { with (obj) { return csstheme; } }, "title": function (obj) { with (obj) { return title; } }, "submit()": function (obj) { with (obj) { return submit(); } }, "submittable": function (obj) { with (obj) { return submittable; } }, "string('submit-audio')": function (obj) { with (obj) { return string('submit-audio'); } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "rerecordable": function (obj) { with (obj) { return rerecordable; } }, "string('rerecord-audio')": function (obj) { with (obj) { return string('rerecord-audio'); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "play()": function (obj) { with (obj) { return play(); } }, "!playing": function (obj) { with (obj) { return !playing; } }, "string('play-audio')": function (obj) { with (obj) { return string('play-audio'); } }, "tab_index_move(domEvent, null, 'button-icon-pause')": function (obj) { with (obj) { return tab_index_move(domEvent, null, 'button-icon-pause'); } }, "pause()": function (obj) { with (obj) { return pause(); } }, "disablepause ? cssplayer + '-disabled' : ''": function (obj) { with (obj) { return disablepause ? cssplayer + '-disabled' : ''; } }, "playing": function (obj) { with (obj) { return playing; } }, "disablepause ? string('pause-audio-disabled') : string('pause-audio')": function (obj) { with (obj) { return disablepause ? string('pause-audio-disabled') : string('pause-audio'); } }, "tab_index_move(domEvent, null, 'button-icon-play')": function (obj) { with (obj) { return tab_index_move(domEvent, null, 'button-icon-play'); } }, "string('elapsed-time')": function (obj) { with (obj) { return string('elapsed-time'); } }, "formatTime(position)": function (obj) { with (obj) { return formatTime(position); } }, "string('total-time')": function (obj) { with (obj) { return string('total-time'); } }, "formatTime(duration || position)": function (obj) { with (obj) { return formatTime(duration || position); } }, "toggle_volume()": function (obj) { with (obj) { return toggle_volume(); } }, "string(volume > 0 ? 'volume-mute' : 'volume-unmute')": function (obj) { with (obj) { return string(volume > 0 ? 'volume-mute' : 'volume-unmute'); } }, "csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off'))": function (obj) { with (obj) { return csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off')); } }, "set_volume(volume + 0.1)": function (obj) { with (obj) { return set_volume(volume + 0.1); } }, "set_volume(volume - 0.1)": function (obj) { with (obj) { return set_volume(volume - 0.1); } }, "startUpdateVolume(domEvent)": function (obj) { with (obj) { return startUpdateVolume(domEvent); } }, "stopUpdateVolume(domEvent)": function (obj) { with (obj) { return stopUpdateVolume(domEvent); } }, "progressUpdateVolume(domEvent)": function (obj) { with (obj) { return progressUpdateVolume(domEvent); } }, "{width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}": function (obj) { with (obj) { return {width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}; } }, "string('volume-button')": function (obj) { with (obj) { return string('volume-button'); } }, "disableseeking ? cssplayer + '-disabled' : ''": function (obj) { with (obj) { return disableseeking ? cssplayer + '-disabled' : ''; } }, "seek(position + skipseconds)": function (obj) { with (obj) { return seek(position + skipseconds); } }, "seek(position - skipseconds)": function (obj) { with (obj) { return seek(position - skipseconds); } }, "seek(position + skipseconds * 3)": function (obj) { with (obj) { return seek(position + skipseconds * 3); } }, "seek(position - skipseconds * 3)": function (obj) { with (obj) { return seek(position - skipseconds * 3); } }, "startUpdatePosition(domEvent)": function (obj) { with (obj) { return startUpdatePosition(domEvent); } }, "stopUpdatePosition(domEvent)": function (obj) { with (obj) { return stopUpdatePosition(domEvent); } }, "progressUpdatePosition(domEvent)": function (obj) { with (obj) { return progressUpdatePosition(domEvent); } }, "{width: Math.round(duration ? cached / duration * 100 : 0) + '%'}": function (obj) { with (obj) { return {width: Math.round(duration ? cached / duration * 100 : 0) + '%'}; } }, "{width: Math.round(duration ? position / duration * 100 : 0) + '%'}": function (obj) { with (obj) { return {width: Math.round(duration ? position / duration * 100 : 0) + '%'}; } }, "string('audio-progress')": function (obj) { with (obj) { return string('audio-progress'); } }/**/ }); return { "cube": { css: "ba-audioplayer", csstheme: "ba-player-cube-theme", tmplcontrolbar: "\n<div data-selector=\"audio-title-block\" class=\"{{csstheme}}-title-block \" ba-if=\"{{title}}\">\n <p class=\"{{csstheme}}-title\">\n {{title}}\n </p>\n</div>\n\n<div class=\"{{csstheme}}-dashboard \">\n\n <div class=\"{{csstheme}}-left-block\">\n\n <div tabindex=\"0\" data-selector=\"submit-audio-button\"\n ba-hotkey:space^enter=\"{{submit()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if=\"{{submittable}}\" ba-click=\"{{submit()}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n {{string('submit-audio')}}\n </div>\n </div>\n\n <div tabindex=\"0\" data-selector=\"button-icon-ccw\"\n ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\" ba-if=\"{{rerecordable}}\"\n ba-click=\"{{rerecord()}}\" title=\"{{string('rerecord-audio')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-ccw\"></i>\n </div>\n </div>\n\n <div tabindex=\"0\" data-selector=\"button-icon-play\"\n ba-hotkey:space^enter=\"{{play()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\"\n ba-if=\"{{!playing}}\" ba-click=\"{{play()}}\" title=\"{{string('play-audio')}}\"\n onkeydown=\"{{tab_index_move(domEvent, null, 'button-icon-pause')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-play\"></i>\n </div>\n </div>\n\n <div tabindex=\"0\" data-selector=\"button-icon-pause\"\n ba-hotkey:space^enter=\"{{pause()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container {{disablepause ? cssplayer + '-disabled' : ''}}\"\n ba-if=\"{{playing}}\" ba-click=\"{{pause()}}\" title=\"{{disablepause ? string('pause-audio-disabled') : string('pause-audio')}}\"\n onkeydown=\"{{tab_index_move(domEvent, null, 'button-icon-play')}}\"\n >\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon}}-icon-pause\"></i>\n </div>\n </div>\n </div>\n\n <div class=\"{{csstheme}}-right-block\">\n <div class=\"{{csstheme}}-button-container {{csstheme}}-timer-container\">\n <div class=\"{{csstheme}}-time-container\">\n <div class=\"{{csstheme}}-time-value\" title=\"{{string('elapsed-time')}}\">{{formatTime(position)}}</div>\n </div>\n <p> / </p>\n <div class=\"{{csstheme}}-time-container\">\n <div class=\"{{csstheme}}-time-value\" title=\"{{string('total-time')}}\">{{formatTime(duration || position)}}</div>\n </div>\n </div>\n\n <div tabindex=\"3\" data-selector=\"button-icon-volume\"\n ba-hotkey:space^enter=\"{{toggle_volume()}}\" onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-button-container\"\n ba-click=\"{{toggle_volume()}}\" title=\"{{string(volume > 0 ? 'volume-mute' : 'volume-unmute')}}\">\n <div class=\"{{csstheme}}-button-inner\">\n <i class=\"{{csscommon + '-icon-volume-' + (volume >= 0.5 ? 'up' : (volume > 0 ? 'down' : 'off')) }}\"></i>\n </div>\n </div>\n\n <div class=\"{{csstheme}}-volumebar\">\n <div tabindex=\"4\" data-selector=\"button-volume-bar\"\n ba-hotkey:right=\"{{set_volume(volume + 0.1)}}\"\n ba-hotkey:left=\"{{set_volume(volume - 0.1)}}\"\n onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-volumebar-inner\"\n onmousedown=\"{{startUpdateVolume(domEvent)}}\"\n onmouseup=\"{{stopUpdateVolume(domEvent)}}\"\n onmouseleave=\"{{stopUpdateVolume(domEvent)}}\"\n onmousemove=\"{{progressUpdateVolume(domEvent)}}\">\n <div class=\"{{csstheme}}-volumebar-position\" ba-styles=\"{{{width: Math.ceil(1+Math.min(99, Math.round(volume * 100))) + '%'}}}\" title=\"{{string('volume-button')}}\"></div>\n </div>\n </div>\n\n </div>\n\n <div class=\"{{csstheme}}-progressbar {{disableseeking ? cssplayer + '-disabled' : ''}}\">\n <div tabindex=\"2\" data-selector=\"progress-bar-inner\"\n ba-hotkey:right=\"{{seek(position + skipseconds)}}\"\n ba-hotkey:left=\"{{seek(position - skipseconds)}}\"\n ba-hotkey:alt+right=\"{{seek(position + skipseconds * 3)}}\"\n ba-hotkey:alt+left=\"{{seek(position - skipseconds * 3)}}\"\n onmouseout=\"this.blur()\"\n class=\"{{csstheme}}-progressbar-inner\"\n onmousedown=\"{{startUpdatePosition(domEvent)}}\"\n onmouseup=\"{{stopUpdatePosition(domEvent)}}\"\n onmouseleave=\"{{stopUpdatePosition(domEvent)}}\"\n onmousemove=\"{{progressUpdatePosition(domEvent)}}\">\n\n <div class=\"{{csstheme}}-progressbar-cache\" ba-styles=\"{{{width: Math.round(duration ? cached / duration * 100 : 0) + '%'}}}\"></div>\n <div class=\"{{csstheme}}-progressbar-position\" ba-styles=\"{{{width: Math.round(duration ? position / duration * 100 : 0) + '%'}}}\" title=\"{{string('audio-progress')}}\"></div>\n </div>\n </div>\n\n</div>\n", cssloader: ie8 ? "ba-audioplayer" : "", cssmessage: "ba-audioplayer", cssplaybutton: ie8 ? "ba-audioplayer" : "" } }; }); Scoped.extend("module:Assets.audiorecorderthemes", [ "dynamics:Parser" ], function(Parser) { Parser.registerFunctions({ /**/"csstheme": function (obj) { with (obj) { return csstheme; } }, "css": function (obj) { with (obj) { return css; } }, "settingsvisible && settingsopen": function (obj) { with (obj) { return settingsvisible && settingsopen; } }, "cameras": function (obj) { with (obj) { return cameras; } }, "selectCamera(camera.id)": function (obj) { with (obj) { return selectCamera(camera.id); } }, "selectedcamera == camera.id": function (obj) { with (obj) { return selectedcamera == camera.id; } }, "camera.label": function (obj) { with (obj) { return camera.label; } }, "microphones": function (obj) { with (obj) { return microphones; } }, "audio": function (obj) { with (obj) { return audio; } }, "selectMicrophone(microphone.id)": function (obj) { with (obj) { return selectMicrophone(microphone.id); } }, "selectedmicrophone == microphone.id": function (obj) { with (obj) { return selectedmicrophone == microphone.id; } }, "microphone.label": function (obj) { with (obj) { return microphone.label; } }, "rerecordvisible": function (obj) { with (obj) { return rerecordvisible; } }, "rerecord()": function (obj) { with (obj) { return rerecord(); } }, "hover(string('rerecord-tooltip'))": function (obj) { with (obj) { return hover(string('rerecord-tooltip')); } }, "unhover()": function (obj) { with (obj) { return unhover(); } }, "string('rerecord')": function (obj) { with (obj) { return string('rerecord'); } }, "cancelvisible": function (obj) { with (obj) { return cancelvisible; } }, "cancel()": function (obj) { with (obj) { return cancel(); } }, "hover(string('cancel-tooltip'))": function (obj) { with (obj) { return hover(string('cancel-tooltip')); } }, "string('cancel')": function (obj) { with (obj) { return string('cancel'); } }, "settingsvisible": function (obj) { with (obj) { return settingsvisible; } }, "settingsopen=!settingsopen": function (obj) { with (obj) { return settingsopen=!settingsopen; } }, "settingsopen ? 'selected' : 'unselected'": function (obj) { with (obj) { return settingsopen ? 'selected' : 'unselected'; } }, "hover(string('settings'))": function (obj) { with (obj) { return hover(string('settings')); } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "!noaudio && !allowscreen": function (obj) { with (obj) { return !noaudio && !allowscreen; } }, "hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy'))": function (obj) { with (obj) { return hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy')); } }, "microphonehealthy ? 'good' : 'bad'": function (obj) { with (obj) { return microphonehealthy ? 'good' : 'bad'; } }, "hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy'))": function (obj) { with (obj) { return hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy')); } }, "camerahealthy ? 'good' : 'bad'": function (obj) { with (obj) { return camerahealthy ? 'good' : 'bad'; } }, "recordvisible": function (obj) { with (obj) { return recordvisible; } }, "record()": function (obj) { with (obj) { return record(); } }, "hover(string('record-tooltip'))": function (obj) { with (obj) { return hover(string('record-tooltip')); } }, "string('record')": function (obj) { with (obj) { return string('record'); } }, "stopvisible": function (obj) { with (obj) { return stopvisible; } }, "controlbarlabel && !rerecordvisible": function (obj) { with (obj) { return controlbarlabel && !rerecordvisible; } }, "controlbarlabel": function (obj) { with (obj) { return controlbarlabel; } }, "stop()": function (obj) { with (obj) { return stop(); } }, "mintimeindicator ? css + '-disabled': ''": function (obj) { with (obj) { return mintimeindicator ? css + '-disabled': ''; } }, "mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')": function (obj) { with (obj) { return mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'); } }, "hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'))": function (obj) { with (obj) { return hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')); } }, "string('stop')": function (obj) { with (obj) { return string('stop'); } }, "skipvisible": function (obj) { with (obj) { return skipvisible; } }, "skip()": function (obj) { with (obj) { return skip(); } }, "hover(string('skip-tooltip'))": function (obj) { with (obj) { return hover(string('skip-tooltip')); } }, "string('skip')": function (obj) { with (obj) { return string('skip'); } }, "uploadcovershotvisible": function (obj) { with (obj) { return uploadcovershotvisible; } }, "hover(string('upload-covershot-tooltip'))": function (obj) { with (obj) { return hover(string('upload-covershot-tooltip')); } }, "uploadCovershot(domEvent)": function (obj) { with (obj) { return uploadCovershot(domEvent); } }, "covershot_accept_string": function (obj) { with (obj) { return covershot_accept_string; } }, "string('upload-covershot')": function (obj) { with (obj) { return string('upload-covershot'); } }/**/ }); Parser.registerFunctions({ /**/"css": function (obj) { with (obj) { return css; } }, "actions": function (obj) { with (obj) { return actions; } }, "click_action(action)": function (obj) { with (obj) { return click_action(action); } }, "action.index": function (obj) { with (obj) { return action.index; } }, "action.select && action.capture": function (obj) { with (obj) { return action.select && action.capture; } }, "select_file_action(action, domEvent)": function (obj) { with (obj) { return select_file_action(action, domEvent); } }, "action.accept": function (obj) { with (obj) { return action.accept; } }, "action.select && !action.capture": function (obj) { with (obj) { return action.select && !action.capture; } }, "action.label": function (obj) { with (obj) { return action.label; } }, "csscommon": function (obj) { with (obj) { return csscommon; } }, "action.icon": function (obj) { with (obj) { return action.icon; } }/**/ }); Parser.registerFunctions({ /**/"css": function (obj) { with (obj) { return css; } }, "click()": function (obj) { with (obj) { return click(); } }, "shortMessage ? 'short-message' : 'long-message'": function (obj) { with (obj) { return shortMessage ? 'short-message' : 'long-message'; } }, "message || \"\"": function (obj) { with (obj) { return message || ""; } }, "links && links.length > 0": function (obj) { with (obj) { return links && links.length > 0; } }, "links": function (obj) { with (obj) { return links; } }, "linkClick(link)": function (obj) { with (obj) { return linkClick(link); } }, "link.title": function (obj) { with (obj) { return link.title; } }/**/ }); return { "cube": { css: "ba-audiorecorder", csstheme: "ba-audiorecorder-theme-cube", cssmessage: "ba-audiorecorder-message-theme-cube", cssrecorder: "ba-recorder", tmplcontrolbar: "<div class=\"{{csstheme}}-dashboard\">\n\n\t<div class=\"{{css}}-settings-front\">\n\n\t\t\n\t\t<div data-selector=\"recorder-settings\" class=\"{{css}}-settings\" ba-show=\"{{settingsvisible && settingsopen}}\">\n\t\t\t<div data-selector=\"settings-list-front\" class=\"{{css}}-bubble-info\">\n\t\t\t\t<ul data-selector=\"camera-settings\" ba-repeat=\"{{camera :: cameras}}\">\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<input tabindex=\"0\"\n\t\t\t\t\t\t\t ba-hotkey:space^enter=\"{{selectCamera(camera.id)}}\" onmouseout=\"this.blur()\"\n type='radio'\n\t\t\t\t\t\t\t name='camera' value=\"{{selectedcamera == camera.id}}\" onclick=\"{{selectCamera(camera.id)}}\"\n\t\t\t\t\t\t/>\n\t\t\t\t\t\t<span></span>\n\t\t\t\t\t\t<label tabindex=\"0\" ba-hotkey:space^enter=\"{{selectCamera(camera.id)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t\t\t onclick=\"{{selectCamera(camera.id)}}\"\n\t\t\t\t\t\t>\n\t\t\t\t\t\t\t{{camera.label}}\n\t\t\t\t\t\t</label>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t\t<ul data-selector=\"microphone-settings\" ba-repeat=\"{{microphone :: microphones}}\" ba-show=\"{{audio}}\">\n\t\t\t\t\t<li tabindex=\"0\"\n\t\t\t\t\t\tba-hotkey:space^enter=\"{{selectMicrophone(microphone.id)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t\tonclick=\"{{selectMicrophone(microphone.id)}}\"\n\t\t\t\t\t>\n\t\t\t\t\t\t<input type='radio' name='microphone' value=\"{{selectedmicrophone == microphone.id}}\" />\n\t\t\t\t\t\t<span></span>\n\t\t\t\t\t\t<label>\n\t\t\t\t\t\t\t{{microphone.label}}\n\t\t\t\t\t\t</label>\n\t\t\t\t\t</li>\n\t\t\t\t</ul>\n\t\t\t</div>\n\t\t</div>\n\n\t</div>\n\n\t\n\t<div data-selector=\"controlbar\" class=\"{{css}}-controlbar\">\n\n\t\t<div class=\"{{css}}-controlbar-center-section\">\n\n\t\t\t<div class=\"{{css}}-button-container\" ba-show=\"{{rerecordvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"rerecord-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{rerecord()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{rerecord()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('rerecord-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\"\n\t\t\t\t>\n\t\t\t\t\t{{string('rerecord')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-button-container\" ba-show=\"{{cancelvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"cancel-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{cancel()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{cancel()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('cancel-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t{{string('cancel')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t</div>\n\n\t\t<div class=\"{{css}}-controlbar-left-section\" ba-show=\"{{settingsvisible}}\">\n\n <div class=\"{{css}}-button\" ba-show=\"{{settingsvisible}}\">\n\n\t\t\t\t<div tabindex=\"0\" ba-hotkey:space^enter=\"{{settingsopen=!settingsopen}}\"\n\t\t\t\t\t data-selector=\"record-button-icon-cog\" class=\"{{css}}-button-inner {{css}}-button-{{settingsopen ? 'selected' : 'unselected' }}\"\n\t\t\t\t\t onclick=\"{{settingsopen=!settingsopen}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('settings'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\" >\n\t\t\t\t\t<i class=\"{{csscommon}}-icon-cog\"></i>\n\t\t\t\t</div>\n\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-button\" ba-show=\"{{!noaudio && !allowscreen}}\">\n\t\t\t\t<div data-selector=\"record-button-icon-mic\" class=\"{{css}}-button-inner\"\n\t\t\t\t\tonmouseenter=\"{{hover(string(microphonehealthy ? 'microphonehealthy' : 'microphoneunhealthy'))}}\"\n\t\t\t\t\tonmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t<i class=\"{{csscommon}}-icon-mic {{csscommon}}-icon-state-{{microphonehealthy ? 'good' : 'bad' }}\"></i>\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-button\" ba-show=\"{{!noaudio && !allowscreen}}\">\n\t\t\t\t<div data-selector=\"record-button-icon-audiocam\" class=\"{{css}}-button-inner\"\n\t\t\t\t\tonmouseenter=\"{{hover(string(camerahealthy ? 'camerahealthy' : 'cameraunhealthy'))}}\"\n\t\t\t\t\tonmouseleave=\"{{unhover()}}\">\n <i class=\"{{csscommon}}-icon-audiocam {{csscommon}}-icon-state-{{ camerahealthy ? 'good' : 'bad' }}\"></i>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\n\t\t<div class=\"{{css}}-controlbar-right-section\">\n\n\t\t\t<div class=\"{{css}}-rightbutton-container\" ba-show=\"{{recordvisible}}\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"record-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{record()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t class=\"{{css}}-button-primary\"\n\t\t\t\t\t onclick=\"{{record()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(string('record-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t{{string('record')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t</div>\n\n\t\t<div class=\"{{css}}-stop-container\" ba-show=\"{{stopvisible}}\">\n\t\t\t<div class=\"{{css}}-timer-container\">\n\t\t\t\t<div class=\"{{css}}-label-container\" ba-show=\"{{controlbarlabel && !rerecordvisible}}\">\n\t\t\t\t\t<div data-selector=\"record-label-block\" class=\"{{css}}-label {{css}}-button-primary\">\n\t\t\t\t\t\t{{controlbarlabel}}\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\n\t\t\t<div class=\"{{css}}-stop-button-container\">\n\t\t\t\t<div tabindex=\"0\" data-selector=\"stop-primary-button\"\n\t\t\t\t\t ba-hotkey:space^enter=\"{{stop()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t\t data-selector=\"stop-primary-button\" class=\"{{css}}-button-primary {{mintimeindicator ? css + '-disabled': ''}}\"\n\t\t\t\t\t title=\"{{mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip')}}\"\n\t\t\t\t\t onclick=\"{{stop()}}\"\n\t\t\t\t\t onmouseenter=\"{{hover(mintimeindicator ? string('stop-available-after').replace('%d', timeminlimit) : string('stop-tooltip'))}}\"\n\t\t\t\t\t onmouseleave=\"{{unhover()}}\">\n\t\t\t\t\t{{string('stop')}}\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t</div>\n\n <div class=\"{{css}}-centerbutton-container\" ba-show=\"{{skipvisible}}\">\n <div tabindex=\"0\" data-selector=\"skip-primary-button\"\n\t\t\t\t ba-hotkey:space^enter=\"{{skip()}}\" onmouseout=\"this.blur()\"\n\t\t\t\t class=\"{{css}}-button-primary\"\n onclick=\"{{skip()}}\"\n onmouseenter=\"{{hover(string('skip-tooltip'))}}\"\n onmouseleave=\"{{unhover()}}\">\n {{string('skip')}}\n </div>\n </div>\n\n\n <div class=\"{{css}}-rightbutton-container\" ba-if=\"{{uploadcovershotvisible}}\">\n <div data-selector=\"covershot-primary-button\" class=\"{{css}}-button-primary\"\n onmouseenter=\"{{hover(string('upload-covershot-tooltip'))}}\"\n onmouseleave=\"{{unhover()}}\">\n <input type=\"file\"\n class=\"{{css}}-chooser-file\"\n style=\"height:100px\"\n onchange=\"{{uploadCovershot(domEvent)}}\"\n accept=\"{{covershot_accept_string}}\" />\n <span>\n {{string('upload-covershot')}}\n </span>\n </div>\n </div>\n\n\t</div>\n\n</div>\n", tmplchooser: "<div class=\"{{css}}-chooser-container\">\n\n\t<div class=\"{{css}}-chooser-button-container\">\n\n\t\t<div ba-repeat=\"{{action :: actions}}\">\n\t\t\t<div tabindex=\"0\"\n\t\t\t\t ba-hotkey:space^enter=\"{{click_action(action)}}\" onmouseout=\"this.blur()\"\n\t\t\t\t class=\"{{css}}-chooser-button-{{action.index}}\"\n\t\t\t\t ba-click=\"{{click_action(action)}}\">\n\t\t\t\t<input ba-if=\"{{action.select && action.capture}}\"\n\t\t\t\t\t type=\"file\"\n\t\t\t\t\t class=\"{{css}}-chooser-file\"\n\t\t\t\t\t onchange=\"{{select_file_action(action, domEvent)}}\"\n\t\t\t\t\t accept=\"{{action.accept}}\"\n\t\t\t\t\t capture />\n\t\t\t\t<input ba-if=\"{{action.select && !action.capture}}\"\n\t\t\t\t\t type=\"file\"\n\t\t\t\t\t class=\"{{css}}-chooser-file\"\n\t\t\t\t\t onchange=\"{{select_file_action(action, domEvent)}}\"\n\t\t\t\t\t accept=\"{{action.accept}}\"\n\t\t\t\t/>\n\t\t\t\t<span>\n\t\t\t\t\t{{action.label}}\n\t\t\t\t</span>\n\t\t\t\t<i class=\"{{csscommon}}-icon-{{action.icon}}\"\n\t\t\t\t ba-if=\"{{action.icon}}\"></i>\n\t\t\t</div>\n\t\t</div>\n\t</div>\n</div>", tmplmessage: "<div data-selector=\"recorder-message-container\" class=\"{{css}}-message-container\" ba-click=\"{{click()}}\">\n <div class=\"{{css}}-top-inner-message-container {{css}}-{{shortMessage ? 'short-message' : 'long-message'}}\">\n <div class=\"{{css}}-first-inner-message-container\">\n <div class=\"{{css}}-second-inner-message-container\">\n <div class=\"{{css}}-third-inner-message-container\">\n <div class=\"{{css}}-fourth-inner-message-container\">\n <div data-selector=\"recorder-message-block\" class='{{css}}-message-message'>\n <p>\n {{message || \"\"}}\n </p>\n <ul ba-if=\"{{links && links.length > 0}}\" ba-repeat=\"{{link :: links}}\">\n <li>\n <a href=\"javascript:;\" ba-click=\"{{linkClick(link)}}\">\n {{link.title}}\n </a>\n </li>\n </ul>\n </div>\n </div>\n </div>\n </div>\n </div>\n </div>\n</div>\n" } }; }); }).call(Scoped);
665.546875
12,055
0.591666
c898412f2a3432ce12b4e8d509cb0566c69452f8
233,318
js
JavaScript
src-min-noconflict/mode-jsoniq.js
websharks/ace-builds
423f576e59173fc866189da37f9c15458082a740
[ "BSD-3-Clause" ]
null
null
null
src-min-noconflict/mode-jsoniq.js
websharks/ace-builds
423f576e59173fc866189da37f9c15458082a740
[ "BSD-3-Clause" ]
null
null
null
src-min-noconflict/mode-jsoniq.js
websharks/ace-builds
423f576e59173fc866189da37f9c15458082a740
[ "BSD-3-Clause" ]
null
null
null
ace.define("ace/mode/xquery/jsoniq_lexer",["require","exports","module"],function(e,t,n){n.exports=function r(t,n,i){function o(u,a){if(!n[u]){if(!t[u]){var f=typeof e=="function"&&e;if(!a&&f)return f(u,!0);if(s)return s(u,!0);var l=new Error("Cannot find module '"+u+"'");throw l.code="MODULE_NOT_FOUND",l}var c=n[u]={exports:{}};t[u][0].call(c.exports,function(e){var n=t[u][1][e];return o(n?n:e)},c,c.exports,r,t,n,i)}return n[u].exports}var s=typeof e=="function"&&e;for(var u=0;u<i.length;u++)o(i[u]);return o(i[0])}({"/node_modules/xqlint/lib/lexers/JSONiqTokenizer.js":[function(e,t,n){var r=n.JSONiqTokenizer=function i(e,t){function r(e,t){E=t,S=e,x=e.length,s(0,0,0)}function s(e,t,n){m=t,g=t,y=e,b=t,w=n,N=n,E.reset(S)}function o(){E.startNonterminal("EQName",g);switch(y){case 80:f(80);break;case 94:f(94);break;case 118:f(118);break;case 119:f(119);break;case 122:f(122);break;case 143:f(143);break;case 150:f(150);break;case 163:f(163);break;case 183:f(183);break;case 189:f(189);break;case 214:f(214);break;case 224:f(224);break;case 225:f(225);break;case 241:f(241);break;case 242:f(242);break;case 251:f(251);break;default:u()}E.endNonterminal("EQName",g)}function u(){E.startNonterminal("FunctionName",g);switch(y){case 17:f(17);break;case 68:f(68);break;case 71:f(71);break;case 72:f(72);break;case 73:f(73);break;case 77:f(77);break;case 78:f(78);break;case 82:f(82);break;case 86:f(86);break;case 87:f(87);break;case 88:f(88);break;case 91:f(91);break;case 92:f(92);break;case 101:f(101);break;case 103:f(103);break;case 106:f(106);break;case 107:f(107);break;case 108:f(108);break;case 109:f(109);break;case 110:f(110);break;case 111:f(111);break;case 116:f(116);break;case 117:f(117);break;case 120:f(120);break;case 121:f(121);break;case 124:f(124);break;case 126:f(126);break;case 127:f(127);break;case 129:f(129);break;case 132:f(132);break;case 133:f(133);break;case 134:f(134);break;case 135:f(135);break;case 144:f(144);break;case 146:f(146);break;case 148:f(148);break;case 149:f(149);break;case 151:f(151);break;case 157:f(157);break;case 158:f(158);break;case 160:f(160);break;case 161:f(161);break;case 162:f(162);break;case 168:f(168);break;case 170:f(170);break;case 172:f(172);break;case 176:f(176);break;case 178:f(178);break;case 179:f(179);break;case 180:f(180);break;case 182:f(182);break;case 184:f(184);break;case 196:f(196);break;case 198:f(198);break;case 199:f(199);break;case 200:f(200);break;case 204:f(204);break;case 210:f(210);break;case 211:f(211);break;case 216:f(216);break;case 217:f(217);break;case 218:f(218);break;case 222:f(222);break;case 227:f(227);break;case 233:f(233);break;case 234:f(234);break;case 235:f(235);break;case 246:f(246);break;case 247:f(247);break;case 248:f(248);break;case 252:f(252);break;case 254:f(254);break;case 258:f(258);break;case 264:f(264);break;case 268:f(268);break;case 272:f(272);break;case 70:f(70);break;case 79:f(79);break;case 81:f(81);break;case 83:f(83);break;case 84:f(84);break;case 89:f(89);break;case 96:f(96);break;case 99:f(99);break;case 100:f(100);break;case 102:f(102);break;case 104:f(104);break;case 123:f(123);break;case 130:f(130);break;case 131:f(131);break;case 139:f(139);break;case 152:f(152);break;case 153:f(153);break;case 159:f(159);break;case 169:f(169);break;case 190:f(190);break;case 197:f(197);break;case 201:f(201);break;case 220:f(220);break;case 223:f(223);break;case 226:f(226);break;case 232:f(232);break;case 238:f(238);break;case 249:f(249);break;case 250:f(250);break;case 255:f(255);break;case 259:f(259);break;case 260:f(260);break;case 261:f(261);break;case 265:f(265);break;case 95:f(95);break;case 174:f(174);break;default:f(219)}E.endNonterminal("FunctionName",g)}function a(){E.startNonterminal("NCName",g);switch(y){case 28:f(28);break;case 68:f(68);break;case 73:f(73);break;case 77:f(77);break;case 78:f(78);break;case 82:f(82);break;case 86:f(86);break;case 87:f(87);break;case 88:f(88);break;case 92:f(92);break;case 103:f(103);break;case 107:f(107);break;case 111:f(111);break;case 116:f(116);break;case 120:f(120);break;case 121:f(121);break;case 124:f(124);break;case 126:f(126);break;case 129:f(129);break;case 135:f(135);break;case 144:f(144);break;case 146:f(146);break;case 148:f(148);break;case 149:f(149);break;case 158:f(158);break;case 160:f(160);break;case 161:f(161);break;case 162:f(162);break;case 170:f(170);break;case 172:f(172);break;case 176:f(176);break;case 178:f(178);break;case 179:f(179);break;case 184:f(184);break;case 196:f(196);break;case 198:f(198);break;case 199:f(199);break;case 218:f(218);break;case 222:f(222);break;case 234:f(234);break;case 235:f(235);break;case 246:f(246);break;case 247:f(247);break;case 252:f(252);break;case 264:f(264);break;case 268:f(268);break;case 71:f(71);break;case 72:f(72);break;case 80:f(80);break;case 91:f(91);break;case 94:f(94);break;case 101:f(101);break;case 106:f(106);break;case 108:f(108);break;case 109:f(109);break;case 110:f(110);break;case 117:f(117);break;case 118:f(118);break;case 119:f(119);break;case 122:f(122);break;case 127:f(127);break;case 132:f(132);break;case 133:f(133);break;case 134:f(134);break;case 143:f(143);break;case 150:f(150);break;case 151:f(151);break;case 157:f(157);break;case 163:f(163);break;case 168:f(168);break;case 180:f(180);break;case 182:f(182);break;case 183:f(183);break;case 189:f(189);break;case 200:f(200);break;case 204:f(204);break;case 210:f(210);break;case 211:f(211);break;case 214:f(214);break;case 216:f(216);break;case 217:f(217);break;case 224:f(224);break;case 225:f(225);break;case 227:f(227);break;case 233:f(233);break;case 241:f(241);break;case 242:f(242);break;case 248:f(248);break;case 251:f(251);break;case 254:f(254);break;case 258:f(258);break;case 260:f(260);break;case 272:f(272);break;case 70:f(70);break;case 79:f(79);break;case 81:f(81);break;case 83:f(83);break;case 84:f(84);break;case 89:f(89);break;case 96:f(96);break;case 99:f(99);break;case 100:f(100);break;case 102:f(102);break;case 104:f(104);break;case 123:f(123);break;case 130:f(130);break;case 131:f(131);break;case 139:f(139);break;case 152:f(152);break;case 153:f(153);break;case 159:f(159);break;case 169:f(169);break;case 190:f(190);break;case 197:f(197);break;case 201:f(201);break;case 220:f(220);break;case 223:f(223);break;case 226:f(226);break;case 232:f(232);break;case 238:f(238);break;case 249:f(249);break;case 250:f(250);break;case 255:f(255);break;case 259:f(259);break;case 261:f(261);break;case 265:f(265);break;case 95:f(95);break;case 174:f(174);break;default:f(219)}E.endNonterminal("NCName",g)}function f(e){y==e?(l(),E.terminal(i.TOKEN[y],b,w>x?x:w),m=b,g=w,y=0):d(b,w,0,y,e)}function l(){g!=b&&(m=g,g=b,E.whitespace(m,g))}function c(e){var t;for(;;){t=C(e);if(t!=30)break}return t}function h(e){y==0&&(y=c(e),b=T,w=N)}function p(e){y==0&&(y=C(e),b=T,w=N)}function d(e,t,r,i,s){throw new n.ParseException(e,t,r,i,s)}function C(e){var t=!1;T=N;var n=N,r=i.INITIAL[e],s=0;for(var o=r&4095;o!=0;){var u,a=n<x?S.charCodeAt(n):0;++n;if(a<128)u=i.MAP0[a];else if(a<55296){var f=a>>4;u=i.MAP1[(a&15)+i.MAP1[(f&31)+i.MAP1[f>>5]]]}else{if(a<56320){var f=n<x?S.charCodeAt(n):0;f>=56320&&f<57344&&(++n,a=((a&1023)<<10)+(f&1023)+65536,t=!0)}var l=0,c=5;for(var h=3;;h=c+l>>1){if(i.MAP2[h]>a)c=h-1;else{if(!(i.MAP2[6+h]<a)){u=i.MAP2[12+h];break}l=h+1}if(l>c){u=0;break}}}s=o;var p=(u<<12)+o-1;o=i.TRANSITION[(p&15)+i.TRANSITION[p>>4]],o>4095&&(r=o,o&=4095,N=n)}r>>=12;if(r==0){N=n-1;var f=N<x?S.charCodeAt(N):0;return f>=56320&&f<57344&&--N,d(T,N,s,-1,-1)}if(t)for(var v=r>>9;v>0;--v){--N;var f=N<x?S.charCodeAt(N):0;f>=56320&&f<57344&&--N}else N-=r>>9;return(r&511)-1}r(e,t);var n=this;this.ParseException=function(e,t,n,r,i){var s=e,o=t,u=n,a=r,f=i;this.getBegin=function(){return s},this.getEnd=function(){return o},this.getState=function(){return u},this.getExpected=function(){return f},this.getOffending=function(){return a},this.getMessage=function(){return a<0?"lexical analysis failed":"syntax error"}},this.getInput=function(){return S},this.getOffendingToken=function(e){var t=e.getOffending();return t>=0?i.TOKEN[t]:null},this.getExpectedTokenSet=function(e){var t;return e.getExpected()<0?t=i.getTokenSet(-e.getState()):t=[i.TOKEN[e.getExpected()]],t},this.getErrorMessage=function(e){var t=this.getExpectedTokenSet(e),n=this.getOffendingToken(e),r=S.substring(0,e.getBegin()),i=r.split("\n"),s=i.length,o=i[s-1].length+1,u=e.getEnd()-e.getBegin();return e.getMessage()+(n==null?"":", found "+n)+"\nwhile expecting "+(t.length==1?t[0]:"["+t.join(", ")+"]")+"\n"+(u==0||n!=null?"":"after successfully scanning "+u+" characters beginning ")+"at line "+s+", column "+o+":\n..."+S.substring(e.getBegin(),Math.min(S.length,e.getBegin()+64))+"..."},this.parse_start=function(){E.startNonterminal("start",g),h(14);switch(y){case 58:f(58);break;case 57:f(57);break;case 59:f(59);break;case 43:f(43);break;case 45:f(45);break;case 44:f(44);break;case 37:f(37);break;case 41:f(41);break;case 277:f(277);break;case 274:f(274);break;case 42:f(42);break;case 46:f(46);break;case 52:f(52);break;case 65:f(65);break;case 66:f(66);break;case 49:f(49);break;case 51:f(51);break;case 56:f(56);break;case 54:f(54);break;case 36:f(36);break;case 276:f(276);break;case 40:f(40);break;case 5:f(5);break;case 4:f(4);break;case 6:f(6);break;case 15:f(15);break;case 16:f(16);break;case 18:f(18);break;case 19:f(19);break;case 20:f(20);break;case 8:f(8);break;case 9:f(9);break;case 7:f(7);break;case 35:f(35);break;default:o()}E.endNonterminal("start",g)},this.parse_StartTag=function(){E.startNonterminal("StartTag",g),h(8);switch(y){case 61:f(61);break;case 53:f(53);break;case 29:f(29);break;case 60:f(60);break;case 37:f(37);break;case 41:f(41);break;default:f(35)}E.endNonterminal("StartTag",g)},this.parse_TagContent=function(){E.startNonterminal("TagContent",g),p(11);switch(y){case 25:f(25);break;case 9:f(9);break;case 10:f(10);break;case 58:f(58);break;case 57:f(57);break;case 21:f(21);break;case 31:f(31);break;case 275:f(275);break;case 278:f(278);break;case 274:f(274);break;default:f(35)}E.endNonterminal("TagContent",g)},this.parse_AposAttr=function(){E.startNonterminal("AposAttr",g),p(10);switch(y){case 23:f(23);break;case 27:f(27);break;case 21:f(21);break;case 31:f(31);break;case 275:f(275);break;case 278:f(278);break;case 274:f(274);break;case 41:f(41);break;default:f(35)}E.endNonterminal("AposAttr",g)},this.parse_QuotAttr=function(){E.startNonterminal("QuotAttr",g),p(9);switch(y){case 22:f(22);break;case 26:f(26);break;case 21:f(21);break;case 31:f(31);break;case 275:f(275);break;case 278:f(278);break;case 274:f(274);break;case 37:f(37);break;default:f(35)}E.endNonterminal("QuotAttr",g)},this.parse_CData=function(){E.startNonterminal("CData",g),p(1);switch(y){case 14:f(14);break;case 67:f(67);break;default:f(35)}E.endNonterminal("CData",g)},this.parse_XMLComment=function(){E.startNonterminal("XMLComment",g),p(0);switch(y){case 12:f(12);break;case 50:f(50);break;default:f(35)}E.endNonterminal("XMLComment",g)},this.parse_PI=function(){E.startNonterminal("PI",g),p(3);switch(y){case 13:f(13);break;case 62:f(62);break;case 63:f(63);break;default:f(35)}E.endNonterminal("PI",g)},this.parse_Pragma=function(){E.startNonterminal("Pragma",g),p(2);switch(y){case 11:f(11);break;case 38:f(38);break;case 39:f(39);break;default:f(35)}E.endNonterminal("Pragma",g)},this.parse_Comment=function(){E.startNonterminal("Comment",g),p(4);switch(y){case 55:f(55);break;case 44:f(44);break;case 32:f(32);break;default:f(35)}E.endNonterminal("Comment",g)},this.parse_CommentDoc=function(){E.startNonterminal("CommentDoc",g),p(6);switch(y){case 33:f(33);break;case 34:f(34);break;case 55:f(55);break;case 44:f(44);break;default:f(35)}E.endNonterminal("CommentDoc",g)},this.parse_QuotString=function(){E.startNonterminal("QuotString",g),p(5);switch(y){case 3:f(3);break;case 2:f(2);break;case 1:f(1);break;case 37:f(37);break;default:f(35)}E.endNonterminal("QuotString",g)},this.parse_AposString=function(){E.startNonterminal("AposString",g),p(7);switch(y){case 21:f(21);break;case 31:f(31);break;case 23:f(23);break;case 24:f(24);break;case 41:f(41);break;default:f(35)}E.endNonterminal("AposString",g)},this.parse_Prefix=function(){E.startNonterminal("Prefix",g),h(13),l(),a(),E.endNonterminal("Prefix",g)},this.parse__EQName=function(){E.startNonterminal("_EQName",g),h(12),l(),o(),E.endNonterminal("_EQName",g)};var v,m,g,y,b,w,E,S,x,T,N};r.getTokenSet=function(e){var t=[],n=e<0?-e:INITIAL[e]&4095;for(var i=0;i<279;i+=32){var s=i,o=(i>>5)*2066+n-1,u=o>>2,a=u>>2,f=r.EXPECTED[(o&3)+r.EXPECTED[(u&3)+r.EXPECTED[(a&3)+r.EXPECTED[a>>2]]]];for(;f!=0;f>>>=1,++s)(f&1)!=0&&t.push(r.TOKEN[s])}return t},r.MAP0=[67,0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,18,18,18,18,18,18,18,18,18,19,20,21,22,23,24,25,26,27,28,29,30,27,31,31,31,31,31,31,31,31,31,31,32,31,31,33,31,31,31,31,31,31,34,35,36,37,31,37,38,39,40,41,42,43,44,45,46,31,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,31,62,63,64,65,37],r.MAP1=[108,124,214,214,214,214,214,214,214,214,214,214,214,214,214,214,156,181,181,181,181,181,214,215,213,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,214,247,261,277,293,309,347,363,379,416,416,416,408,331,323,331,323,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,433,433,433,433,433,433,433,316,331,331,331,331,331,331,331,331,394,416,416,417,415,416,416,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,416,330,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,331,416,67,0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,18,18,18,18,18,18,18,18,18,19,20,21,22,23,24,25,26,27,28,29,30,27,31,31,31,31,31,31,31,31,31,31,31,31,31,31,37,31,31,31,31,31,31,31,31,31,31,31,31,31,31,31,31,31,32,31,31,33,31,31,31,31,31,31,34,35,36,37,31,37,38,39,40,41,42,43,44,45,46,31,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,31,62,63,64,65,37,37,37,37,37,37,37,37,37,37,37,37,31,31,37,37,37,37,37,37,37,66,37,37,37,37,37,37,37,37,37,37,37,37,37,37,37,37,66,66,66,66,66,66,66,66,66,66,66,66,66,66,66,66,66],r.MAP2=[57344,63744,64976,65008,65536,983040,63743,64975,65007,65533,983039,1114111,37,31,37,31,31,37],r.INITIAL=[1,2,49155,57348,5,6,7,8,9,10,11,12,13,14,15],r.TRANSITION=[19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,17408,19288,17439,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,22126,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17672,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,19469,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,36919,18234,18262,18278,18294,18320,18336,18361,18397,18419,18432,18304,18448,18485,18523,18553,18583,18599,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,18825,18841,18871,18906,18944,18960,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19074,36169,17439,36866,17466,36890,36866,22314,19105,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,22126,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17672,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,19469,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,36919,18234,18262,18278,18294,18320,18336,18361,18397,18419,18432,18304,18448,18485,18523,18553,18583,18599,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,18825,18841,18871,18906,18944,18960,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22182,19288,19121,36866,17466,18345,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19273,19552,19304,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19332,17423,19363,36866,17466,17537,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,18614,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,19391,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,19427,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36154,19288,19457,36866,17466,17740,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22780,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22375,22197,18469,36866,17466,36890,36866,21991,24018,22987,17556,17575,22288,17486,17509,17525,18373,21331,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,19485,19501,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19537,22390,19568,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19596,19611,19457,36866,17466,36890,36866,18246,19627,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22242,20553,19457,36866,17466,36890,36866,18648,30477,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36472,19288,19457,36866,17466,17809,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,21770,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,19643,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,19672,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,20538,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,17975,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22345,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19726,19742,21529,24035,23112,26225,23511,27749,27397,24035,34360,24035,24036,23114,35166,23114,23114,19758,23511,35247,23511,23511,28447,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,24254,19821,23511,23511,23511,23511,23512,19441,36539,24035,24035,24035,24035,19846,19869,23114,23114,23114,28618,32187,19892,23511,23511,23511,34585,20402,36647,24035,24035,24036,23114,33757,23114,23114,23029,20271,23511,27070,23511,23511,30562,24035,24035,29274,26576,23114,23114,31118,23036,29695,23511,23511,32431,23634,30821,24035,23110,19913,23114,23467,31261,23261,34299,19932,24035,32609,19965,35389,19984,27689,19830,29391,29337,20041,22643,35619,33728,20062,20121,20166,35100,26145,20211,23008,19876,20208,20227,25670,20132,26578,27685,20141,20243,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36094,19288,19457,36866,17466,21724,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22735,19552,20287,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22750,19288,21529,24035,23112,28056,23511,29483,28756,24035,24035,24035,24036,23114,23114,23114,23114,20327,23511,23511,23511,23511,31156,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,24254,20371,23511,23511,23511,23511,27443,20395,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,29457,29700,23511,23511,23511,23511,33444,20402,24035,24035,24035,24036,23114,23114,23114,23114,28350,20421,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,20447,20475,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,20523,22257,20569,20783,21715,17603,20699,20837,20614,20630,21149,20670,21405,17486,17509,17525,18373,19179,20695,20716,20732,20755,19194,18042,21641,20592,20779,20598,21412,17470,17591,20896,17468,17619,20799,20700,21031,20744,20699,20828,18075,21259,20581,20853,18048,20868,20884,17756,17784,17800,17825,17854,21171,21200,20931,20947,21378,20955,20971,18086,20645,21002,20986,18178,17960,18012,18381,18064,29176,21044,21438,21018,21122,21393,21060,21844,21094,20654,17493,18150,18166,18214,25967,20763,21799,21110,21830,21138,21246,21301,18336,18361,21165,21187,20812,21216,21232,21287,21317,18553,21347,21363,21428,21454,21271,21483,21499,21515,21575,21467,18712,21591,21633,21078,18189,18198,20679,21657,21701,21074,21687,21740,21756,21786,21815,21860,21876,21892,21946,21962,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36457,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,36813,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,21981,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,22151,22007,18884,17900,17922,17944,18178,17960,18012,18381,18064,27898,17884,18890,17906,17928,22042,25022,18130,36931,36963,17493,18150,18166,22070,22112,25026,18134,36935,18262,18278,18294,18320,18336,18361,22142,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36109,19288,18469,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22167,19288,19457,36866,17466,17768,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22227,36487,22273,36866,17466,36890,36866,19316,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18749,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,22304,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,19580,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22330,19089,19457,36866,17466,18721,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22765,19347,19457,36866,17466,36890,36866,18114,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,29116,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,27443,22493,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34541,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,22839,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,22540,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,29116,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,27443,22493,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34564,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,22839,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,29908,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,27443,22493,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34564,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,22839,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,29116,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,27443,22561,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34564,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,22839,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,23837,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22584,23511,23511,23511,23511,29116,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,27443,22493,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34564,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,22839,23511,23511,23511,23511,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,31507,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,24694,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36442,19288,21605,24035,23112,28137,23511,31507,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,24694,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,31507,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,24694,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,31568,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22690,19288,19457,36866,17466,36890,36866,21991,27584,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,22659,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22360,19552,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22675,22811,19457,36866,17466,36890,36866,19133,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,22827,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36139,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36064,19288,22865,22881,32031,22897,22913,22956,29939,24035,24035,24035,23003,23114,23114,23114,23024,22420,23511,23511,23511,23052,29116,23073,29268,24035,25563,26915,23106,23131,23114,23114,23159,23181,23197,23248,23511,23511,23282,23305,22493,32364,24035,33472,30138,26325,31770,33508,27345,33667,23114,23321,23473,23351,35793,36576,23511,23375,22500,24145,24035,29197,20192,24533,23440,23114,19017,23459,22839,23489,23510,23511,33563,23528,32076,25389,24035,26576,23561,23583,23114,32683,22516,23622,23655,23511,23634,35456,37144,23110,23683,34153,20499,32513,25824,23705,24035,24035,23111,23114,19874,27078,33263,19830,24035,23112,19872,27741,23266,24036,23114,30243,20507,32241,20150,31862,27464,35108,23727,23007,35895,34953,26578,27685,20141,24569,31691,19787,33967,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36427,19552,21605,24035,23112,32618,23511,29483,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,29116,19803,24035,24035,24035,27027,26576,23114,23114,23114,31471,23756,22468,23511,23511,23511,34687,23772,22493,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34564,23788,24035,24035,24035,21559,23828,23114,23114,23114,25086,22839,23853,23511,23511,23511,23876,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,31761,23909,23953,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36049,19288,21605,30825,23112,23987,23511,24003,31001,27617,24034,24035,24036,24052,24089,23114,23114,22420,24109,24168,23511,23511,29116,24188,27609,20017,29516,24035,26576,24222,19968,23114,24252,33811,22468,24270,33587,23511,24320,27443,22493,24035,24035,24035,24035,24339,23113,23114,23114,23114,28128,28618,29700,23511,23511,23511,28276,34564,20402,24035,24035,32929,24036,23114,23114,23114,24357,23029,22839,23511,23511,23511,24377,25645,24035,34112,24035,26576,23114,26643,23114,32683,22516,23511,25638,23511,23711,24035,24395,27809,23114,24414,20499,24432,30917,23628,24035,30680,23111,23114,30233,27078,25748,24452,24035,23112,19872,27741,23266,24036,23114,24475,19829,26577,26597,26154,24519,24556,24596,23007,20046,20132,26578,24634,20141,24569,31691,24679,24727,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36412,19288,21605,19943,34861,32618,26027,29483,32016,32050,36233,24776,35574,24801,24819,32671,31289,22420,24868,24886,20087,26849,29116,19803,24035,24035,24035,36228,26576,23114,23114,23114,24981,33811,22468,23511,23511,23511,29028,27443,22493,24923,27965,24035,24035,32797,24946,23443,23114,23114,29636,24997,22849,28252,23511,23511,23511,25042,25110,24035,24035,34085,24036,25133,23114,23114,25152,23029,22839,25169,23511,36764,23511,25645,30403,24035,25186,26576,31806,24093,25212,32683,22516,32713,26245,34293,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,24035,32406,23111,23114,28676,30944,27689,25234,24035,23112,19872,37063,23266,24036,23114,30243,20379,26100,29218,20211,30105,25257,25284,23007,20046,20132,26578,27685,20141,24569,24834,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36034,19288,21671,25314,25072,25330,25346,25362,29939,29951,35288,29984,23812,27216,25405,25424,30456,22584,26292,25461,25480,31592,29116,25516,34963,25545,27007,25579,33937,25614,25661,25686,34872,25702,25718,25734,25769,25795,25811,25840,22493,26533,25856,24035,25876,30763,27481,25909,23114,28987,25936,25954,29700,25983,23511,31412,26043,26063,22568,29241,29592,26116,31216,35383,26170,34783,26194,26221,22839,26241,26261,22477,26283,26308,27306,31035,24655,26576,29854,33386,26341,32683,22516,32153,30926,26361,19996,26381,35463,26397,26424,34646,26478,35605,31386,26494,35567,31964,22940,23689,25218,30309,32289,19830,33605,23112,32109,27733,27084,24496,35886,35221,26525,36602,26549,26558,26574,26594,26613,26629,26666,26700,26578,27685,23740,24285,31691,26733,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36397,19552,18991,25887,28117,32618,26776,29483,29939,26802,24035,24035,24036,28664,23114,23114,23114,22420,30297,23511,23511,23511,29116,19803,24035,24035,24035,25559,26576,23114,23114,23114,30525,33811,22468,23511,23511,23511,28725,27443,22493,24035,24035,27249,24035,24035,23113,23114,23114,26827,23114,28618,29700,23511,23511,26845,23511,34564,20402,24035,24035,26979,24036,23114,23114,23114,24974,23029,22839,23511,23511,23511,26865,25645,24035,24035,24035,26576,23114,23114,23114,32683,22516,23511,23511,23511,23634,24035,24035,23110,23114,23114,20499,23511,23261,23628,33305,24035,25598,23114,19874,34253,27689,19830,24035,23112,19872,27741,23266,24036,23114,26886,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,26931,24569,26439,26947,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36019,19288,26995,24035,23112,32618,23511,31507,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,27043,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,27061,23511,23511,23511,23511,23512,24694,24035,24035,29978,24035,24035,23113,23114,33114,23114,23114,30010,29700,23511,35913,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,27155,26576,23114,23114,30447,23036,29695,23511,23511,30935,20099,24152,25529,27100,34461,27121,22625,29156,26009,27137,30422,31903,31655,28870,27171,32439,31731,19830,27232,22612,27265,26786,25494,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,20342,27288,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,27322,27339,28020,27361,27382,29939,24035,24035,32581,24036,23114,23114,23114,27425,22420,23511,23511,23511,27442,28306,19803,24035,24035,24035,24035,26710,23114,23114,23114,23114,32261,22468,23511,23511,23511,23511,35719,24694,29510,24035,24035,24035,24035,26717,23114,23114,23114,23114,28618,32217,23511,23511,23511,23511,34585,20402,24035,24035,24035,27459,23114,23114,23114,36252,23029,20271,23511,23511,23511,28840,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,27480,34483,28401,29761,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36382,19288,21605,27497,27517,28504,28898,27569,29939,29401,27600,27323,27633,19025,27662,23114,27705,22420,20483,27721,23511,27765,28306,19803,23540,24035,24610,27781,27805,26650,23114,28573,32990,25920,22468,26870,23511,26684,34262,34737,25057,34622,24035,24035,23971,24206,27825,27847,23114,23114,27865,27885,35766,27914,23511,23511,32766,32844,27934,28795,26909,27955,26092,27988,25445,28005,28036,28052,21965,23511,32196,19897,28072,28102,36534,21541,23801,28153,28180,28197,28221,23036,32695,28251,28268,28292,23667,34825,23930,24580,28322,28344,31627,28366,25996,23628,24035,24035,23111,23114,19874,27078,27689,35625,33477,33359,27674,28393,33992,24036,23114,30243,19829,28417,28433,28463,23008,19876,20208,23007,20046,20132,28489,28520,20141,24569,31691,19787,28550,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,24035,23112,32618,23511,31507,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,24694,28589,24035,24035,24035,24035,28608,23114,23114,23114,23114,28618,20431,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36004,19288,28634,31951,28565,28702,28718,28741,32544,20175,28792,32086,20105,28811,29059,29862,28856,22420,28886,30354,23359,28922,28306,28952,23888,26320,36506,24035,29331,28968,36609,23114,29003,31661,27061,30649,27366,23511,29023,27918,24694,24035,24035,23893,33094,30867,23113,23114,23114,29044,34184,30010,29700,23511,23511,29081,29102,34585,20402,27789,24035,24035,24036,23114,29132,23114,23114,23029,20271,23511,29153,23511,23511,30562,30174,24035,24035,27409,25438,23114,23114,29172,36668,31332,23511,23511,29192,30144,24035,23110,30203,23114,23467,31544,23261,23628,24035,22545,23111,23114,29213,27078,27689,29234,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,29257,23008,19876,20208,28768,29290,29320,34776,29353,20141,22435,29378,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36367,19288,21605,34616,19006,32618,31497,31507,36216,20184,24035,34393,29424,34668,23114,34900,29447,22420,30360,23511,37089,29473,28306,19803,29499,24398,24035,24035,26576,31799,29532,29550,23114,33811,22468,32298,29571,31184,23511,23512,37127,36628,29589,24035,24135,24035,23113,29608,23114,27831,29634,28618,29652,30037,23511,24172,29671,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,29555,29690,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,29719,24035,23110,29738,23114,23467,34035,29756,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,29777,34364,28181,30243,29799,31920,27272,27185,23008,31126,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29828,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,35989,19552,19687,35139,28649,29878,29894,29924,29939,23224,23085,31969,24036,35173,24752,24803,23114,22420,31190,30318,24870,23511,28306,29967,23967,24035,24035,24035,26576,3e4,23114,23114,23114,33811,22468,30026,23511,23511,23511,23512,26078,24035,24035,24035,30053,37137,30071,23114,23114,33368,25136,28618,30723,23511,23511,37096,31356,34585,20402,30092,30127,30160,24036,35740,30219,24960,30259,23029,20271,34042,30285,30342,30376,23289,30055,30400,30419,30438,32640,33532,33514,30472,18792,26267,24323,23057,30493,23639,20008,30196,33188,30517,20075,23511,30541,23628,30578,33928,28776,30594,19874,30610,30637,19830,30677,27646,19872,25779,23266,23232,35016,30243,30696,29812,30712,30746,27206,30779,30807,23007,33395,20132,26578,27685,31703,22928,31691,19787,31079,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36352,19288,23335,30841,26131,30888,30904,30986,29939,24035,24704,31017,20025,23114,26178,31051,31095,22420,23511,22524,31142,31172,28534,31206,35497,25196,24035,28592,24503,23114,31239,31285,23114,31305,31321,31355,31372,31407,23511,30556,24694,24035,27501,19805,24035,24035,23113,23114,31428,24066,23114,28618,29700,23511,31837,18809,23511,34585,31448,24035,24035,24035,23090,23114,23114,23114,23114,31619,35038,23511,23511,23511,23511,33714,24035,33085,24035,29431,23114,31467,23114,23143,31487,23511,31523,23511,35195,36783,24035,30111,23567,23114,23467,31543,31560,23628,24035,24035,23111,23114,19874,30953,31584,34508,24035,31608,26345,37055,23266,31643,31677,31719,31747,31786,31822,26898,23008,19876,31859,23007,20046,20132,26578,27685,20141,24569,31691,31878,31936,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,35974,19288,21605,27972,35663,31985,29655,32001,36715,24785,25893,23545,31912,19853,19916,25938,24540,22420,31843,29674,29573,32735,28936,19803,24035,24035,32047,24035,26576,23114,23114,27544,23114,33811,22468,23511,23511,32161,23511,23512,32066,24035,33313,24035,24035,24035,23113,27426,32102,23114,23114,28618,32125,23511,32144,23511,23511,33569,20402,24035,27045,24035,24036,23114,23114,28328,23114,30076,32177,23511,23511,30384,23511,30562,24035,24035,24035,26576,23114,23114,23114,23595,32212,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,22635,25753,32233,32257,32277,19829,26577,26597,20211,23008,19876,32322,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,32352,35285,32380,34196,33016,30661,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,32404,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,32422,23511,23511,23511,23511,23512,24694,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,30269,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,19949,24035,23111,32455,19874,31269,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36337,19552,19209,21617,26509,32475,32491,32529,29939,24035,32578,25241,32597,23114,32634,29007,32656,22420,23511,32729,26365,32751,28306,32788,32882,24035,24035,32813,36727,23114,33182,23114,27553,33235,32829,23511,32706,23511,28906,28377,26962,32881,32904,32898,32920,24035,32953,23114,32977,26408,23114,28164,33006,23511,33039,35774,23511,32306,20402,33076,30872,24035,24036,25408,33110,28979,23114,23029,20271,35835,33130,33054,23511,30562,33148,24035,24035,33167,23114,23114,33775,23036,20459,23511,23511,25464,24646,24035,24035,22446,23114,23114,25627,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,31391,33204,33220,33251,33287,26577,26597,20211,33329,19876,33345,23007,20046,20132,26578,27685,28473,22599,31691,33411,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,35959,19288,21907,27243,29843,32618,33427,31507,29939,33460,34090,24035,24036,33493,24416,33530,23114,22420,33548,24379,33585,23511,28306,19803,33603,24202,24035,24035,25593,33749,28205,23114,23114,32388,22468,33853,33060,23511,23511,31339,33621,24035,24035,34397,24618,30757,33663,23114,23114,33683,35684,28618,26678,23511,23511,32506,33699,34585,20402,24035,32562,26973,24036,23114,23114,33377,33773,23029,20271,23511,23511,30621,23511,23860,24035,33791,21553,26576,36558,23114,33809,23036,32857,26047,23511,33827,23634,24035,24035,23110,23114,23114,31252,23511,33845,23628,24035,24459,23111,23114,33869,27078,30791,29783,24035,24742,19872,33895,23266,26462,19710,33879,33919,26577,26597,24123,24930,21930,20208,30501,33953,25268,20252,33983,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36322,19552,23390,33634,35154,34008,34024,34058,35544,34106,34128,26811,33151,34144,34169,34212,23114,34228,34244,34278,34315,23511,34331,34347,34380,34413,24035,24663,26576,34429,34453,34477,29534,33811,22468,34499,34524,34557,25170,34580,35436,23937,34601,24035,24341,26453,23113,34638,34662,23114,24236,28618,34684,34703,34729,23511,35352,34753,34799,24035,34815,32558,34848,34888,35814,34923,23165,29137,23606,30326,30730,34939,33023,30562,36848,34979,24035,24847,34996,23114,23114,35032,29695,35054,23511,23511,35091,33296,35124,24296,28235,24361,36276,32772,35067,35189,27301,30855,24852,22452,35211,35237,35316,25500,35270,23405,24304,35304,29362,24036,23114,35332,19829,26577,26597,20211,23008,19876,20208,35368,28823,23920,32336,35405,20141,24569,31691,35421,35479,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,35944,22795,21605,33647,35877,35513,30962,35529,34073,35557,24035,24035,20405,31107,23114,23114,23114,35590,34713,23511,23511,23511,35641,19803,29408,32937,25298,24035,35657,23115,27849,24760,35679,26205,22468,23511,35700,24907,24901,35075,31893,34980,24035,24035,24035,24035,23113,35009,23114,23114,23114,28618,35716,30970,23511,23511,23511,34585,23215,24035,24035,24035,24036,35735,23114,23114,23114,27105,35756,35790,23511,23511,23511,35254,35446,24035,24035,31223,35809,23114,23114,23036,36825,35830,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,31031,20355,19872,33903,23266,24036,23114,28686,19829,26577,26597,20211,23008,23424,20208,24711,31065,24486,26578,27685,20141,19773,35851,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36307,19288,21605,35494,19702,32618,33437,31507,29939,25117,24035,27939,24036,27869,23114,26829,23114,22420,23494,23511,33132,23511,28306,19803,24035,34832,24035,24035,26576,23114,25153,23114,23114,33811,22468,23511,23511,35911,23511,23512,24694,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,35929,19288,21605,25860,23112,36185,23511,36201,29939,24035,24035,24035,24036,23114,23114,23114,23114,22420,23511,23511,23511,23511,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,26748,24035,24035,24035,24035,24035,36249,23114,23114,23114,23114,28618,28835,23511,23511,23511,23511,34585,20402,24035,27151,24035,26760,23114,27989,23114,23114,36268,20271,23511,24436,23511,29703,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36292,19288,21605,36503,21922,32618,34534,31507,36522,24035,33793,24035,35864,23114,23114,36555,23417,22420,23511,23511,36574,26020,28306,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,33811,22468,23511,23511,23511,23511,23512,36592,24035,24035,36625,24035,24035,23113,23114,32961,23114,23114,29618,29700,23511,29086,23511,23511,34585,20402,36644,24035,24035,24036,29740,23114,23114,23114,29065,36663,31527,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36079,19288,21605,31451,23112,36684,23511,36700,29939,24035,24035,24035,30185,23114,23114,23114,27526,22420,23511,23511,23511,32865,28306,19803,36743,24035,27017,24035,26576,27535,23114,31432,23114,33811,22468,33271,23511,32128,23511,23512,24694,24035,27196,24035,24035,24035,23113,32459,23114,23114,23114,28618,29700,33829,36762,23511,23511,34585,20402,24035,36746,24035,29722,23114,23114,34437,23114,34907,20271,23511,23511,18801,23511,23206,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,36837,24035,24035,33739,23114,23114,25094,23511,23261,23628,24035,36780,23111,24073,19874,27078,35344,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22720,19288,36799,36866,17466,36890,36864,21991,22211,22987,17556,17575,22288,17486,17509,17525,18373,17631,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,36883,36906,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,22705,19288,19457,36866,17466,36890,36866,19375,22971,22987,17556,17575,22288,17486,17509,17525,18373,18855,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36124,19288,36951,36866,17466,36890,36866,21991,22404,22987,17556,17575,22288,17486,17509,17525,18373,18567,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,36979,36995,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36139,19288,19457,36866,17466,36890,36866,21991,22971,22987,17556,17575,22288,17486,17509,17525,18373,18027,22984,17553,17572,22285,18462,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,17619,22083,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,36139,19288,21529,24035,23112,23033,23511,31507,25377,24035,24035,24035,24036,23114,23114,23114,23114,37040,23511,23511,23511,23511,28086,19803,24035,24035,24035,24035,26576,23114,23114,23114,23114,24254,37079,23511,23511,23511,23511,23512,34766,24035,24035,24035,24035,24035,23113,23114,23114,23114,23114,28618,29700,23511,23511,23511,23511,34585,20402,24035,24035,24035,24036,23114,23114,23114,23114,23029,20271,23511,23511,23511,23511,30562,24035,24035,24035,26576,23114,23114,23114,23036,29695,23511,23511,23511,23634,24035,24035,23110,23114,23114,23467,23511,23261,23628,24035,24035,23111,23114,19874,27078,27689,19830,24035,23112,19872,27741,23266,24036,23114,30243,19829,26577,26597,20211,23008,19876,20208,23007,20046,20132,26578,27685,20141,24569,31691,19787,29304,20268,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,37112,37160,18469,36866,17466,36890,36866,17656,37174,22987,17556,17575,22288,17486,17509,17525,18373,18537,22984,17553,17572,22285,18780,17990,18622,19411,20306,17996,17689,17470,17591,20896,17468,36883,36906,36867,19404,20299,36866,17647,17862,18921,19514,17705,20311,37017,17728,17756,17784,17800,17825,17854,18403,18928,19521,17712,37008,37024,17878,18884,17900,17922,17944,18178,17960,18012,18381,18064,18218,17884,18890,17906,17928,18102,25022,18130,36931,36963,17493,18150,18166,18214,25010,25026,18134,36935,18262,18278,18294,18320,18336,18361,18397,18274,22096,18304,18448,18485,18523,18553,18583,19149,18638,18497,19656,18664,18680,18507,18696,19164,18712,18737,17681,22026,20906,20915,22054,17838,17450,22022,18765,19225,18841,18871,18906,19241,19257,18976,19041,19056,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,19058,53264,18,49172,57366,24,8192,28,102432,127011,110630,114730,106539,127011,127011,127011,53264,18,18,0,0,57366,0,24,24,24,0,28,28,28,28,102432,0,0,127011,0,2220032,110630,0,0,0,114730,106539,0,2170880,2170880,2170880,2170880,0,0,0,2170880,2170880,2170880,3002368,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2576384,2215936,2215936,2215936,2416640,2424832,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2543616,2215936,2215936,2215936,2215936,2215936,2629632,2215936,2617344,2215936,2215936,2215936,2215936,2215936,2215936,2691072,2215936,2707456,2215936,2715648,2215936,2723840,2764800,2215936,2215936,2797568,2215936,2822144,2215936,2215936,2854912,2215936,2215936,2215936,2912256,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,180224,0,0,2174976,0,0,2170880,2617344,2170880,2170880,2170880,2170880,2170880,2170880,2691072,2170880,2707456,2170880,2715648,2170880,2723840,2764800,2170880,2170880,2797568,2170880,2170880,2797568,2170880,2822144,2170880,2170880,2854912,2170880,2170880,2170880,2912256,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2215936,2609152,2215936,2215936,2215936,2215936,2215936,2215936,2654208,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,184599,280,0,2174976,0,0,2215936,3117056,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,544,0,546,0,0,2179072,0,0,0,552,0,0,2170880,2170880,2170880,3117056,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,0,0,0,2158592,2158592,2232320,2232320,0,2240512,2240512,0,0,0,644,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,3129344,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2400256,2215936,2215936,2215936,2215936,2711552,2170880,2170880,2170880,2170880,2170880,2760704,2768896,2789376,2813952,2170880,2170880,2170880,2875392,2904064,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2453504,2457600,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,167936,0,0,0,0,2174976,0,0,2215936,2215936,2514944,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2592768,2215936,2215936,2215936,2215936,2215936,2215936,2215936,32768,0,0,0,0,0,2174976,32768,0,2633728,2215936,2215936,2215936,2215936,2215936,2215936,2711552,2215936,2215936,2215936,2215936,2215936,2760704,2768896,2789376,2813952,2215936,2215936,2215936,2875392,2904064,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,0,0,0,2174976,0,65819,2215936,2215936,3031040,2215936,3055616,2215936,2215936,2215936,2215936,3092480,2215936,2215936,3125248,2215936,2215936,2215936,2215936,2215936,2215936,3002368,2215936,2215936,2170880,2170880,2494464,2170880,2170880,0,0,2215936,2215936,2215936,2215936,2215936,2215936,3198976,2215936,0,0,0,0,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,0,0,0,2379776,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2445312,2170880,2465792,2473984,2170880,2170880,2170880,2170880,2170880,2170880,2523136,2170880,2170880,2641920,2170880,2170880,2170880,2699264,2170880,2727936,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2879488,2170880,2916352,2170880,2170880,2170880,2879488,2170880,2916352,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3026944,2170880,2170880,3063808,2170880,2170880,3112960,2170880,2170880,3133440,2170880,2170880,3112960,2170880,2170880,3133440,2170880,2170880,2170880,3162112,2170880,2170880,3182592,3186688,2170880,2379776,2215936,2523136,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2596864,2215936,2621440,2215936,2215936,2641920,2215936,2215936,0,0,0,0,0,0,2179072,548,0,0,0,0,287,2170880,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3117056,2170880,2170880,2170880,2170880,2215936,2215936,2699264,2215936,2727936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2879488,2215936,2916352,2215936,2215936,0,0,0,0,188416,0,2179072,0,0,0,0,0,287,2170880,0,2171019,2171019,2171019,2400395,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3031179,2171019,3055755,2171019,2171019,2215936,3133440,2215936,2215936,2215936,3162112,2215936,2215936,3182592,3186688,2215936,0,0,0,0,0,0,0,0,0,0,2171019,2171019,2171019,2171019,2171019,2171019,2523275,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2597003,2171019,2621579,2170880,2170880,2170880,3162112,2170880,2170880,3182592,3186688,2170880,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,18,18,24,24,0,4337664,28,2170880,2170880,2170880,2629632,2170880,2170880,2170880,2170880,2719744,2744320,2170880,2170880,2170880,2834432,2838528,2170880,2908160,2170880,2170880,2936832,2215936,2215936,2215936,2215936,2719744,2744320,2215936,2215936,2215936,2834432,2838528,2215936,2908160,2215936,2215936,2936832,2215936,2215936,2985984,2215936,2994176,2215936,2215936,3014656,2215936,3059712,3076096,3088384,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2445312,2215936,2465792,2473984,2215936,2215936,2215936,2215936,2215936,2215936,2171166,2171166,2171166,2171166,2171166,0,0,0,2171166,2171166,2171166,2171166,2171166,2171166,2171019,2171019,2494603,2171019,2171019,2215936,2215936,2215936,3215360,0,0,0,0,0,0,0,0,0,0,0,0,0,2379776,2170880,2170880,2170880,2170880,2985984,2170880,2994176,2170880,2170880,3016168,2170880,3059712,3076096,3088384,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,18,18,124,124,0,128,128,2170880,2170880,2170880,3215360,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2486272,2170880,2170880,2506752,2170880,2170880,2170880,2535424,2539520,2170880,2170880,2588672,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2920448,2170880,2170880,2170880,2990080,2170880,2170880,2170880,2170880,3051520,2170880,2170880,2170880,2170880,2170880,2170880,3170304,0,2387968,2392064,2170880,2170880,2433024,2170880,2170880,2170880,3170304,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2486272,2215936,2215936,2506752,2215936,2215936,2215936,2535424,2539520,2215936,2215936,2588672,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,0,0,0,2174976,136,0,2215936,2215936,2920448,2215936,2215936,2215936,2990080,2215936,2215936,2215936,2215936,3051520,2215936,2215936,2215936,2215936,2215936,2215936,2215936,3108864,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,3026944,2215936,2215936,3063808,2215936,2215936,3112960,2215936,2215936,2215936,3170304,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2453504,2457600,2170880,2170880,2170880,2486272,2170880,2170880,2506752,2170880,2170880,2170880,2537049,2539520,2170880,2170880,2588672,2170880,2170880,2170880,1508,2170880,2170880,2170880,1512,2170880,2920448,2170880,2170880,2170880,2990080,2170880,2170880,2170880,2461696,2170880,2170880,2170880,2510848,2170880,2170880,2170880,2170880,2580480,2170880,2605056,2637824,2170880,2170880,18,0,0,0,0,0,0,0,0,2220032,0,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2686976,2748416,2170880,2170880,2170880,2924544,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3121152,2170880,2170880,3145728,3158016,3166208,2170880,2420736,2428928,2170880,2478080,2170880,2170880,2170880,2170880,0,0,2170880,2170880,2170880,2170880,2646016,2670592,0,0,3145728,3158016,3166208,2387968,2392064,2215936,2215936,2433024,2215936,2461696,2215936,2215936,2215936,2510848,2215936,2215936,0,0,0,0,0,0,2179072,0,0,0,0,0,0,2170880,2215936,2215936,2580480,2215936,2605056,2637824,2215936,2215936,2686976,2748416,2215936,2215936,2215936,2924544,2215936,2215936,0,0,0,0,0,0,2179072,0,0,0,0,0,286,2170880,2215936,2215936,2215936,2215936,2215936,3121152,2215936,2215936,3145728,3158016,3166208,2387968,2392064,2170880,2170880,2433024,2170880,2461696,2170880,2170880,2170880,2510848,2170880,2170880,1625,2170880,2170880,2580480,2170880,2605056,2637824,2170880,647,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2576384,2170880,2170880,2170880,2170880,2170880,2609152,2170880,2170880,2686976,0,0,2748416,2170880,2170880,0,2170880,2924544,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,18,18,24,0,0,28,28,2170880,3141632,2215936,2420736,2428928,2215936,2478080,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2646016,2670592,2752512,2756608,2846720,2961408,2215936,2998272,2215936,3010560,2215936,2215936,2215936,3141632,2170880,2420736,2428928,2752512,2756608,0,2846720,2961408,2170880,2998272,2170880,3010560,2170880,2170880,2170880,3141632,2170880,2170880,2490368,2215936,2490368,2215936,2215936,2215936,2547712,2555904,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,0,0,0,2174976,245760,0,3129344,2170880,2170880,2490368,2170880,2170880,2170880,0,0,2547712,2555904,2170880,2170880,2170880,0,0,0,0,0,0,0,0,0,2220032,0,0,45056,0,2584576,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2170880,2170880,2170880,2170880,0,0,0,2170880,2170880,2158592,0,0,0,0,0,0,0,0,2220032,0,0,0,0,0,0,0,0,1482,97,97,97,97,97,97,97,1354,97,97,97,97,97,97,97,97,1148,97,97,97,97,97,97,97,2584576,2170880,2170880,1512,0,2170880,2170880,2170880,2170880,2170880,2170880,2441216,2170880,2527232,2170880,2600960,2170880,2850816,2170880,2170880,2170880,3022848,2215936,2441216,2215936,2527232,2215936,2600960,2215936,2850816,2215936,2215936,0,0,0,0,0,0,2179072,0,0,0,0,0,287,2170880,2215936,3022848,2170880,2441216,2170880,2527232,0,0,2170880,2600960,2170880,0,2850816,2170880,2170880,2170880,2170880,2170880,2523136,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2596864,2170880,2621440,2170880,2170880,2641920,2170880,2170880,2170880,3022848,2170880,2519040,2170880,2170880,2170880,2170880,2170880,2215936,2519040,2215936,2215936,2215936,2215936,2215936,2170880,2170880,2170880,2453504,2457600,2170880,2170880,2170880,2170880,2170880,2170880,2514944,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2592768,2170880,2170880,2519040,0,2024,2170880,2170880,0,2170880,2170880,2170880,2396160,2170880,2170880,2170880,2170880,3018752,2396160,2215936,2215936,2215936,2215936,3018752,2396160,0,2024,2170880,2170880,2170880,2170880,3018752,2170880,2650112,2965504,2170880,2215936,2650112,2965504,2215936,0,0,2170880,2650112,2965504,2170880,2551808,2170880,2551808,2215936,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,141,45,45,67,67,67,67,67,224,67,67,238,67,67,67,67,67,67,67,1288,67,67,67,67,67,67,67,67,67,469,67,67,67,67,67,67,0,2551808,2170880,2170880,2215936,0,2170880,2170880,2215936,0,2170880,2170880,2215936,0,2170880,2977792,2977792,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,53264,18,49172,57366,24,8192,29,102432,127011,110630,114730,106539,127011,127011,127011,53264,18,18,49172,0,0,0,24,24,24,0,28,28,28,28,102432,127,0,0,0,0,0,0,0,0,0,0,140,2170880,2170880,2170880,2416640,0,0,0,0,2220032,110630,0,0,0,114730,106539,136,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,4256099,4256099,24,24,0,28,28,2170880,2461696,2170880,2170880,2170880,2510848,2170880,2170880,0,2170880,2170880,2580480,2170880,2605056,2637824,2170880,2170880,2170880,2547712,2555904,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3129344,2215936,2215936,543,543,545,545,0,0,2179072,0,550,551,551,0,287,2171166,2171166,18,0,0,0,0,0,0,0,0,2220032,0,0,645,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,149,2584576,2170880,2170880,0,0,2170880,2170880,2170880,2170880,2170880,2170880,2441216,2170880,2527232,2170880,2600960,2519040,0,0,2170880,2170880,0,2170880,2170880,2170880,2396160,2170880,2170880,2170880,2170880,3018752,2396160,2215936,2215936,2215936,2215936,3018752,2396160,0,0,2170880,2170880,2170880,2170880,3018752,2170880,2650112,2965504,53264,18,49172,57366,24,155648,28,102432,155648,155687,114730,106539,0,0,155648,53264,18,18,49172,0,57366,0,24,24,24,0,28,28,28,28,102432,0,0,0,0,2220032,0,94208,0,0,114730,106539,0,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,208896,18,278528,24,24,0,28,28,53264,18,159765,57366,24,8192,28,102432,0,110630,114730,106539,0,0,0,53264,18,18,49172,0,57366,0,24,24,24,0,28,139394,28,28,102432,131,0,0,0,2220032,110630,0,0,0,114730,106539,0,2170880,2170880,2170880,2170880,2170880,2170880,32768,53264,0,18,18,24,24,0,28,28,0,546,0,0,2183168,0,0,552,832,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2170880,2609152,2170880,2170880,2170880,2170880,2170880,2170880,2654208,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2215936,2215936,2215936,3198976,2215936,0,1084,0,1088,0,1092,0,0,0,0,0,41606,0,0,0,0,45,45,45,45,45,937,0,0,0,0,2220032,110630,0,0,0,114730,106539,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3198976,2170880,0,0,644,0,0,0,2215936,3117056,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,826,0,828,0,0,2183168,0,0,830,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2592768,2170880,2170880,2170880,2170880,2633728,2170880,2170880,2170880,2170880,2170880,2170880,2711552,2170880,2170880,2170880,2170880,2170880,2760704,53264,18,49172,57366,24,8192,28,172066,172032,110630,172066,106539,0,0,172032,53264,18,18,49172,0,57366,0,24,24,24,16384,28,28,28,28,102432,0,98304,0,0,2220032,110630,0,0,0,0,106539,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3198976,2170880,0,0,45056,0,0,0,53264,18,49172,57366,25,8192,30,102432,0,110630,114730,106539,0,0,176219,53264,18,18,49172,0,57366,0,124,124,124,0,128,128,128,128,102432,128,0,0,0,0,0,0,0,0,0,0,140,2170880,2170880,2170880,2416640,0,546,0,0,2183168,0,65536,552,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2646016,2670592,2752512,2756608,2846720,2961408,2170880,2998272,2170880,3010560,2170880,2170880,2215936,2215936,2215936,2215936,2215936,2215936,3198976,2215936,0,0,0,0,0,0,65536,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,143,45,45,67,67,67,67,67,227,67,67,67,67,67,67,67,67,67,1824,67,1826,67,67,67,67,17,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,32768,120,121,18,18,49172,0,57366,0,24,24,24,0,28,28,28,28,102432,67,67,37139,37139,24853,24853,0,0,2179072,548,0,65820,65820,0,287,97,0,0,97,97,0,97,97,97,45,45,45,45,2033,45,67,67,67,67,0,0,97,97,97,97,45,45,67,67,0,369,0,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,978,0,546,70179,0,2183168,0,0,552,0,97,97,97,97,97,97,97,45,45,45,45,45,45,45,45,45,45,67,67,67,67,67,1013,67,67,67,67,67,67,67,67,67,67,473,67,67,67,67,483,67,67,1025,67,67,67,67,67,67,67,67,67,67,67,67,67,97,97,97,97,97,0,0,97,97,97,97,1119,97,97,97,97,97,97,97,97,97,97,97,97,1359,97,97,97,67,67,1584,67,67,67,67,67,67,67,67,67,67,67,67,67,497,67,67,1659,45,45,45,45,45,45,45,45,45,1667,45,45,45,45,45,169,45,45,45,45,45,45,45,45,45,45,45,1668,45,45,45,45,67,67,1694,67,67,67,67,67,67,67,67,67,67,67,67,67,774,67,67,1713,97,97,97,97,97,97,97,0,97,97,1723,97,97,97,97,0,45,45,45,45,45,45,1538,45,45,45,45,45,1559,45,45,1561,45,45,45,45,45,45,45,687,45,45,45,45,45,45,45,45,448,45,45,45,45,45,45,67,67,67,67,1771,1772,67,67,67,67,67,67,67,67,97,97,97,97,0,0,0,97,67,67,67,67,67,1821,67,67,67,67,67,67,1827,67,67,67,0,0,0,0,0,0,97,97,1614,97,97,97,97,97,603,97,97,605,97,97,608,97,97,97,97,0,1532,45,45,45,45,45,45,45,45,45,45,450,45,45,45,45,67,67,97,97,97,97,97,97,0,0,1839,97,97,97,97,0,0,97,97,97,97,97,45,45,45,45,45,45,45,67,67,67,67,67,67,67,97,1883,97,1885,97,0,1888,0,97,97,0,97,97,1848,97,97,97,97,1852,45,45,45,45,45,45,45,384,391,45,45,45,45,45,45,45,385,45,45,45,45,45,45,45,45,1237,45,45,45,45,45,45,67,0,97,97,97,97,0,0,0,97,97,97,97,97,97,45,45,45,45,45,45,45,1951,45,45,45,45,45,45,45,45,67,67,67,67,1963,97,2023,0,97,97,0,97,97,97,45,45,45,45,45,45,67,67,1994,67,1995,67,67,67,67,67,67,97,0,0,0,0,0,0,0,0,0,0,0,0,0,0,97,97,97,0,0,0,0,2220032,110630,0,0,0,114730,106539,137,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2793472,2805760,2170880,2830336,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3031040,2170880,3055616,2170880,2170880,67,67,37139,37139,24853,24853,0,0,281,549,0,65820,65820,0,287,97,0,0,97,97,0,97,97,97,45,45,2031,2032,45,45,67,67,67,67,67,67,67,67,67,67,67,67,1769,67,0,546,70179,549,549,0,0,552,0,97,97,97,97,97,97,97,45,45,45,45,45,45,1858,45,641,0,0,0,0,41606,926,0,0,0,45,45,45,45,45,45,45,45,45,45,45,45,45,45,456,67,0,0,0,1313,0,0,0,1096,1319,0,0,0,0,97,97,97,97,97,97,97,97,1110,97,97,97,97,67,67,67,67,1301,1476,0,0,0,0,1307,1478,0,0,0,0,0,0,0,0,97,97,97,97,1486,97,1487,97,1313,1480,0,0,0,0,1319,0,97,97,97,97,97,97,97,97,97,566,97,97,97,97,97,97,67,67,67,1476,0,1478,0,1480,0,97,97,97,97,97,97,97,45,1853,45,1855,45,45,45,45,53264,18,49172,57366,26,8192,31,102432,0,110630,114730,106539,0,0,225368,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,32768,53264,18,18,49172,163840,57366,0,24,24,229376,0,28,28,28,229376,102432,0,0,0,0,2220167,110630,0,0,0,114730,106539,0,2171019,2171019,2171019,2171019,2592907,2171019,2171019,2171019,2171019,2633867,2171019,2171019,2171019,2171019,2171019,2171019,2654347,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3117195,2171019,2171019,2171019,2171019,2240641,0,0,0,0,0,0,0,0,368,0,140,2171019,2171019,2171019,2416779,2424971,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2617483,2171019,2171019,2642059,2171019,2171019,2171019,2699403,2171019,2728075,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3215499,2215936,2215936,2215936,2215936,2215936,2437120,2215936,2215936,2171019,2822283,2171019,2171019,2855051,2171019,2171019,2171019,2912395,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3002507,2171019,2171019,2215936,2215936,2494464,2215936,2215936,2215936,2171166,2171166,2416926,2425118,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2576670,2171166,2617630,2171166,2171166,2171166,2171166,2171166,2171166,2691358,2171166,2707742,2171166,2715934,2171166,2724126,2765086,2171166,2171166,2797854,2171166,2822430,2171166,2171166,2855198,2171166,2171166,2171166,2912542,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2793758,2806046,2171166,2830622,2171166,2171166,2171166,2171166,2171166,2171166,2171166,3109150,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2543902,2171166,2171166,2171166,2171166,2171166,2629918,2793611,2805899,2171019,2830475,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,0,546,0,0,2183168,0,0,552,0,2171166,2171166,2171166,2400542,2171166,2171166,2171166,0,2171166,2171166,2171166,0,2171166,2920734,2171166,2171166,2171166,2990366,2171166,2171166,2171166,2171166,3117342,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,0,53264,0,18,18,4329472,2232445,0,2240641,4337664,2711691,2171019,2171019,2171019,2171019,2171019,2760843,2769035,2789515,2814091,2171019,2171019,2171019,2875531,2904203,2171019,2171019,3092619,2171019,2171019,3125387,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3199115,2171019,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2453504,2457600,2215936,2215936,2215936,2215936,2215936,2215936,2793472,2805760,2215936,2830336,2215936,2215936,2215936,2215936,2215936,2215936,2170880,2170880,2170880,2170880,2170880,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2494464,2170880,2170880,2171166,2171166,2634014,2171166,2171166,2171166,2171166,2171166,2171166,2711838,2171166,2171166,2171166,2171166,2171166,2760990,2769182,2789662,2814238,2171166,2171166,2171166,2875678,2904350,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,3199262,2171166,0,0,0,0,0,0,0,0,0,2379915,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2445451,2171019,2465931,2474123,2171019,2171019,3113099,2171019,2171019,3133579,2171019,2171019,2171019,3162251,2171019,2171019,3182731,3186827,2171019,2379776,2879627,2171019,2916491,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3027083,2171019,2171019,3063947,2699550,2171166,2728222,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2879774,2171166,2916638,2171166,2171166,2171166,2171166,2171166,2609438,2171166,2171166,2171166,2171166,2171166,2171166,2654494,2171166,2171166,2171166,2171166,2171166,2445598,2171166,2466078,2474270,2171166,2171166,2171166,2171166,2171166,2171166,2523422,2171019,2437259,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2543755,2171019,2171019,2171019,2584715,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2908299,2171019,2171019,2936971,2171019,2171019,2986123,2171019,2994315,2171019,2171019,3014795,2171019,3059851,3076235,3088523,2171166,2171166,2986270,2171166,2994462,2171166,2171166,3014942,2171166,3059998,3076382,3088670,2171166,2171166,2171166,2171166,2171166,2171166,3027230,2171166,2171166,3064094,2171166,2171166,3113246,2171166,2171166,3133726,2506891,2171019,2171019,2171019,2535563,2539659,2171019,2171019,2588811,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2691211,2171019,2707595,2171019,2715787,2171019,2723979,2764939,2171019,2171019,2797707,2215936,2215936,3170304,0,0,0,0,0,0,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2453790,2457886,2171166,2171166,2171166,2486558,2171166,2171166,2507038,2171166,2171166,2171166,2535710,2539806,2171166,2171166,2588958,2171166,2171166,2171166,2171166,2515230,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2593054,2171166,2171166,2171166,2171166,3051806,2171166,2171166,2171166,2171166,2171166,2171166,3170590,0,2388107,2392203,2171019,2171019,2433163,2171019,2461835,2171019,2171019,2171019,2510987,2171019,2171019,2171019,2171019,2580619,2171019,2605195,2637963,2171019,2171019,2171019,2920587,2171019,2171019,2171019,2990219,2171019,2171019,2171019,2171019,3051659,2171019,2171019,2171019,2453643,2457739,2171019,2171019,2171019,2171019,2171019,2171019,2515083,2171019,2171019,2171019,2171019,2646155,2670731,2752651,2756747,2846859,2961547,2171019,2998411,2171019,3010699,2171019,2171019,2687115,2748555,2171019,2171019,2171019,2924683,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3121291,2171019,2171019,2171019,3170443,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2486272,2215936,2215936,2506752,3145867,3158155,3166347,2387968,2392064,2215936,2215936,2433024,2215936,2461696,2215936,2215936,2215936,2510848,2215936,2215936,0,0,0,0,0,0,2179072,0,0,0,0,0,553,2170880,2215936,2215936,2215936,2215936,2215936,3121152,2215936,2215936,3145728,3158016,3166208,2388254,2392350,2171166,2171166,2433310,2171166,2461982,2171166,2171166,2171166,2511134,2171166,2171166,0,2171166,2171166,2580766,2171166,2605342,2638110,2171166,2171166,2171166,2171166,3031326,2171166,3055902,2171166,2171166,2171166,2171166,3092766,2171166,2171166,3125534,2171166,2171166,2171166,3162398,2171166,2171166,3182878,3186974,2171166,0,0,0,2171019,2171019,2171019,2171019,3109003,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2215936,2215936,2215936,2400256,2215936,2215936,2215936,2215936,2171166,2687262,0,0,2748702,2171166,2171166,0,2171166,2924830,2171166,2171166,2171166,2171166,2171166,2171166,2171166,2597150,2171166,2621726,2171166,2171166,2642206,2171166,2171166,2171166,2171166,3121438,2171166,2171166,3146014,3158302,3166494,2171019,2420875,2429067,2171019,2478219,2171019,2171019,2171019,2171019,2547851,2556043,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,3129483,2215936,2171019,3141771,2215936,2420736,2428928,2215936,2478080,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2646016,2670592,2752512,2756608,2846720,2961408,2215936,2998272,2215936,3010560,2215936,2215936,2215936,3141632,2171166,2421022,2429214,2171166,2478366,2171166,2171166,2171166,2171166,0,0,2171166,2171166,2171166,2171166,2646302,2670878,0,0,0,0,37,110630,0,0,0,114730,106539,0,45,45,45,45,45,1405,1406,45,45,45,45,1409,45,45,45,45,45,1415,45,45,45,45,45,45,45,45,45,45,1238,45,45,45,45,67,2752798,2756894,0,2847006,2961694,2171166,2998558,2171166,3010846,2171166,2171166,2171166,3141918,2171019,2171019,2490507,3129344,2171166,2171166,2490654,2171166,2171166,2171166,0,0,2547998,2556190,2171166,2171166,2171166,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,45,167,45,45,45,45,185,187,45,45,198,45,45,0,2171166,2171166,2171166,2171166,2171166,2171166,3129630,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2576523,2171019,2171019,2171019,2171019,2171019,2609291,2171019,2215936,2215936,2215936,2215936,2215936,2215936,3002368,2215936,2215936,2171166,2171166,2494750,2171166,2171166,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,147,2584576,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2171166,2171166,2171166,2171166,0,0,0,2171166,2171166,2171166,2171166,0,0,0,2171166,2171166,2171166,3002654,2171166,2171166,2171019,2171019,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,0,0,0,2175257,0,0,2584862,2171166,2171166,0,0,2171166,2171166,2171166,2171166,2171166,2171019,2441355,2171019,2527371,2171019,2601099,2171019,2850955,2171019,2171019,2171019,3022987,2215936,2441216,2215936,2527232,2215936,2600960,2215936,2850816,2215936,2215936,0,0,0,0,0,0,2179072,0,0,0,0,69632,287,2170880,2215936,3022848,2171166,2441502,2171166,2527518,0,0,2171166,2601246,2171166,0,2851102,2171166,2171166,2171166,2171166,2720030,2744606,2171166,2171166,2171166,2834718,2838814,2171166,2908446,2171166,2171166,2937118,3023134,2171019,2519179,2171019,2171019,2171019,2171019,2171019,2215936,2519040,2215936,2215936,2215936,2215936,2215936,2171166,2171166,2171166,3215646,0,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2171019,2486411,2171019,2171019,2171019,2629771,2171019,2171019,2171019,2171019,2719883,2744459,2171019,2171019,2171019,2834571,2838667,2171019,2519326,0,0,2171166,2171166,0,2171166,2171166,2171166,2396299,2171019,2171019,2171019,2171019,3018891,2396160,2215936,2215936,2215936,2215936,3018752,2396446,0,0,2171166,2171166,2171166,2171166,3019038,2171019,2650251,2965643,2171019,2215936,2650112,2965504,2215936,0,0,2171166,2650398,2965790,2171166,2551947,2171019,2551808,2215936,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,144,45,45,67,67,67,67,67,228,67,67,67,67,67,67,67,67,67,1929,97,97,97,97,0,0,0,2552094,2171166,2171019,2215936,0,2171166,2171019,2215936,0,2171166,2171019,2215936,0,2171166,2977931,2977792,2978078,0,0,0,0,0,0,0,0,0,0,0,0,0,0,97,1321,97,131072,0,0,0,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,18,18,24,24,0,28,28,0,140,0,2379776,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2445312,2170880,2465792,2473984,2170880,2170880,2170880,2584576,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2170880,2170880,2170880,3162112,2170880,2170880,3182592,3186688,2170880,0,140,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3002368,2170880,2170880,2215936,2215936,2494464,2215936,2215936,2215936,2215936,2215936,2215936,3215360,544,0,0,0,544,0,546,0,0,0,546,0,0,2183168,0,0,552,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,0,2170880,2170880,2170880,0,2170880,2920448,2170880,2170880,2170880,2990080,2170880,2170880,552,0,0,0,552,0,287,0,2170880,2170880,2170880,2170880,2170880,2437120,2170880,2170880,18,0,0,0,0,0,0,0,0,2220032,0,0,644,0,2215936,2215936,3170304,544,0,546,0,552,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3198976,2170880,0,0,0,140,0,0,53264,18,49172,57366,24,8192,28,102432,249856,110630,114730,106539,0,0,32768,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,151640,53264,18,18,49172,0,57366,0,24,24,24,0,28,28,28,28,0,0,0,0,0,0,0,0,0,0,0,2170880,2170880,2170880,2416640,53264,18,49172,57366,24,8192,28,102432,253952,110630,114730,106539,0,0,32856,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,192512,53264,18,18,49172,0,57366,0,2232445,184320,2232445,0,2240641,2240641,184320,2240641,102432,0,0,0,221184,2220032,110630,0,0,0,114730,106539,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3108864,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2215936,0,0,0,45056,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,0,53264,0,18,18,24,24,0,127,127,53264,18,49172,258071,24,8192,28,102432,0,110630,114730,106539,0,0,32768,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,204800,53264,18,49172,57366,24,27,28,102432,0,110630,114730,106539,0,0,0,53264,18,49172,57366,24,8192,28,33,0,33,33,33,0,0,0,53264,18,18,49172,0,57366,0,24,24,24,16384,28,28,28,28,0,0,0,0,0,0,0,0,0,0,139,2170880,2170880,2170880,2416640,67,67,37139,37139,24853,24853,0,70179,0,0,0,65820,65820,369,287,97,0,0,97,97,0,97,97,97,45,2030,45,45,45,45,67,1573,67,67,67,67,67,67,67,67,67,67,67,1699,67,67,67,67,25403,546,70179,0,0,66365,66365,552,0,97,97,97,97,97,97,97,97,1355,97,97,97,1358,97,97,97,641,0,0,0,925,41606,0,0,0,0,45,45,45,45,45,45,45,1187,45,45,45,45,45,0,1480,0,0,0,0,1319,0,97,97,97,97,97,97,97,97,97,592,97,97,97,97,97,97,97,97,97,97,1531,45,45,45,45,45,45,45,45,45,45,45,45,1680,45,45,45,641,0,924,0,925,41606,0,0,0,0,45,45,45,45,45,45,1186,45,45,45,45,45,45,67,67,37139,37139,24853,24853,0,70179,282,0,0,65820,65820,369,287,97,0,0,97,97,0,97,2028,97,45,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,1767,67,67,67,0,0,0,0,0,0,1612,97,97,97,97,97,97,0,1785,97,97,97,97,97,97,0,0,97,97,97,97,1790,97,0,0,2170880,2170880,3051520,2170880,2170880,2170880,2170880,2170880,2170880,3170304,241664,2387968,2392064,2170880,2170880,2433024,53264,19,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,274432,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,270336,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,1134711,53264,18,49172,57366,24,8192,28,102432,0,1126440,1126440,1126440,0,0,1126400,53264,18,49172,57366,24,8192,28,102432,36,110630,114730,106539,0,0,217088,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,94,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,96,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,24666,53264,18,18,49172,0,57366,0,24,24,24,126,28,28,28,28,102432,53264,122,123,49172,0,57366,0,24,24,24,0,28,28,28,28,102432,2170880,2170880,4256099,0,0,0,0,0,0,0,0,2220032,0,0,0,0,0,0,0,0,1319,0,0,0,0,97,97,97,97,97,97,97,1109,97,97,97,97,1113,132,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,146,150,45,45,45,45,45,175,45,180,45,186,45,189,45,45,203,67,256,67,67,270,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,97,293,297,97,97,97,97,97,322,97,327,97,333,97,0,0,97,2026,0,2027,97,97,45,45,45,45,45,45,67,67,67,1685,67,67,67,67,67,67,67,1690,67,336,97,97,350,97,97,0,53264,0,18,18,24,24,356,28,28,0,0,0,0,0,0,0,0,0,0,140,2170880,2170880,2170880,2416640,2424832,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2617344,2170880,45,439,45,45,45,45,45,45,45,45,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,525,67,67,67,67,67,67,67,67,67,67,67,0,0,0,0,0,0,0,0,0,0,0,0,97,97,97,97,622,97,97,97,97,97,97,97,97,97,97,97,97,1524,97,97,1527,369,648,45,45,45,45,45,45,45,45,45,659,45,45,45,45,408,45,45,45,45,45,45,45,45,45,45,45,1239,45,45,45,67,729,45,45,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,762,67,746,67,67,67,67,67,67,67,67,67,759,67,67,67,67,0,0,0,1477,0,1086,0,0,0,1479,0,1090,67,67,796,67,67,799,67,67,67,67,67,67,67,67,67,67,67,67,1291,67,67,67,811,67,67,67,67,67,816,67,67,67,67,67,67,67,37689,544,25403,546,70179,0,0,66365,66365,552,833,97,97,97,97,97,97,97,97,1380,0,0,0,45,45,45,45,45,1185,45,45,45,45,45,45,45,386,45,45,45,45,45,45,45,45,1810,45,45,45,45,45,45,67,97,97,844,97,97,97,97,97,97,97,97,97,857,97,97,97,0,97,97,97,0,97,97,97,97,97,97,97,97,97,97,45,45,45,97,97,97,894,97,97,897,97,97,97,97,97,97,97,97,97,0,0,0,1382,45,45,45,97,909,97,97,97,97,97,914,97,97,97,97,97,97,97,923,67,67,1079,67,67,67,67,67,37689,1085,25403,1089,66365,1093,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,148,1114,97,97,97,97,97,97,1122,97,97,97,97,97,97,97,97,97,606,97,97,97,97,97,97,97,97,97,97,1173,97,97,97,97,97,12288,0,925,0,1179,0,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,145,45,45,67,67,67,67,67,1762,67,67,67,1766,67,67,67,67,67,67,528,67,67,67,67,67,67,67,67,67,97,97,97,97,97,0,1934,67,67,1255,67,67,67,67,67,67,67,67,67,67,67,67,67,1035,67,67,67,67,67,67,1297,67,67,67,67,67,67,0,0,0,0,0,0,97,97,97,97,97,97,97,97,97,97,1111,97,97,97,97,97,97,1327,97,97,97,97,97,97,97,97,97,97,97,97,33344,97,97,97,1335,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,0,97,97,1377,97,97,97,97,97,97,0,1179,0,45,45,45,45,670,45,45,45,45,45,45,45,45,45,45,45,430,45,45,45,45,67,67,1438,67,67,1442,67,67,67,67,67,67,67,67,67,67,67,67,1592,67,67,67,1451,67,67,67,67,67,67,67,67,67,67,1458,67,67,67,67,0,0,1305,0,0,0,0,0,1311,0,0,0,1317,0,0,0,0,0,0,0,97,97,1322,97,97,1491,97,97,1495,97,97,97,97,97,97,97,97,97,97,0,45,45,45,45,45,45,45,45,45,45,45,45,1551,45,1553,45,1504,97,97,97,97,97,97,97,97,97,97,1513,97,97,97,97,0,45,45,45,45,1536,45,45,45,45,1540,45,67,67,67,67,67,1585,67,67,67,67,67,67,67,67,67,67,67,67,1700,67,67,67,97,1648,97,97,97,97,97,97,97,97,0,45,45,45,45,45,45,45,45,45,45,1541,0,97,97,97,97,0,1940,0,97,97,97,97,97,97,45,45,2011,45,45,45,2015,67,67,2017,67,67,67,2021,97,67,67,812,67,67,67,67,67,67,67,67,67,67,67,37689,544,97,97,97,910,97,97,97,97,97,97,97,97,97,97,97,923,0,0,0,45,45,45,45,1184,45,45,45,45,1188,45,45,45,45,1414,45,45,45,1417,45,1419,45,45,45,45,45,443,45,45,45,45,45,45,453,45,45,67,67,67,67,1244,67,67,67,67,1248,67,67,67,67,67,67,67,0,37139,24853,0,0,0,282,41098,65820,97,1324,97,97,97,97,1328,97,97,97,97,97,97,97,97,97,0,0,930,45,45,45,45,97,97,97,97,1378,97,97,97,97,0,1179,0,45,45,45,45,671,45,45,45,45,45,45,45,45,45,45,45,975,45,45,45,45,67,67,1923,67,1925,67,67,1927,67,97,97,97,97,97,0,0,97,97,97,97,1985,45,45,45,45,45,45,1560,45,45,45,45,45,45,45,45,45,946,45,45,950,45,45,45,0,97,97,97,1939,0,0,0,97,1943,97,97,1945,97,45,45,45,669,45,45,45,45,45,45,45,45,45,45,45,45,990,45,45,45,67,257,67,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,337,97,97,97,97,97,0,53264,0,18,18,24,24,356,28,28,0,0,0,0,0,0,0,0,0,0,370,2170880,2170880,2170880,2416640,401,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,67,67,459,461,67,67,67,67,67,67,67,67,475,67,480,67,67,67,67,67,67,1054,67,67,67,67,67,67,67,67,67,67,1698,67,67,67,67,67,484,67,67,487,67,67,67,67,67,67,67,67,67,67,67,67,67,1459,67,67,97,556,558,97,97,97,97,97,97,97,97,572,97,577,97,97,0,0,1896,97,97,97,97,97,97,1903,45,45,45,45,983,45,45,45,45,988,45,45,45,45,45,45,1195,45,45,45,45,45,45,45,45,45,45,1549,45,45,45,45,45,581,97,97,584,97,97,97,97,97,97,97,97,97,97,97,97,97,1153,97,97,369,0,45,45,45,45,45,45,45,45,45,45,45,662,45,45,45,684,45,45,45,45,45,45,45,45,45,45,45,45,1004,45,45,45,67,67,67,749,67,67,67,67,67,67,67,67,67,761,67,67,67,67,67,67,1068,67,67,67,1071,67,67,67,67,1076,794,795,67,67,67,67,67,67,67,67,67,67,67,67,67,67,0,544,97,97,97,97,847,97,97,97,97,97,97,97,97,97,859,97,0,0,2025,97,20480,97,97,2029,45,45,45,45,45,45,67,67,67,1575,67,67,67,67,67,67,67,67,67,1775,67,67,67,97,97,97,97,892,893,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1515,97,993,994,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,992,67,67,67,1284,67,67,67,67,67,67,67,67,67,67,67,67,67,1607,67,67,97,1364,97,97,97,97,97,97,97,97,97,97,97,97,97,97,596,97,45,1556,1557,45,45,45,45,45,45,45,45,45,45,45,45,45,45,696,45,1596,1597,67,67,67,67,67,67,67,67,67,67,67,67,67,67,499,67,97,97,97,1621,97,97,97,97,97,97,97,97,97,97,97,97,97,1346,97,97,97,97,1740,97,97,97,97,45,45,45,45,45,45,45,45,45,45,1678,45,45,45,45,45,67,97,97,97,97,97,97,1836,0,97,97,97,97,97,0,0,97,97,97,1984,97,45,45,45,45,45,45,1808,45,45,45,45,45,45,45,45,67,739,67,67,67,67,67,744,45,45,1909,45,45,45,45,45,45,45,67,1917,67,1918,67,67,67,67,67,67,1247,67,67,67,67,67,67,67,67,67,67,532,67,67,67,67,67,67,1922,67,67,67,67,67,67,67,97,1930,97,1931,97,0,0,97,97,0,97,97,97,45,45,45,45,45,45,67,67,67,67,1576,67,67,67,67,1580,67,67,0,97,97,1938,97,0,0,0,97,97,97,97,97,97,45,45,45,699,45,45,45,704,45,45,45,45,45,45,45,45,987,45,45,45,45,45,45,45,67,67,97,97,97,97,0,0,97,97,97,2006,97,97,97,97,0,45,1533,45,45,45,45,45,45,45,45,45,1416,45,45,45,45,45,45,45,45,722,723,45,45,45,45,45,45,2045,67,67,67,2047,0,0,97,97,97,2051,45,45,67,67,0,0,0,0,925,41606,0,0,0,0,45,45,45,45,45,45,409,45,45,45,45,45,45,45,45,45,1957,45,67,67,67,67,67,1836,97,97,45,67,0,97,45,67,0,97,45,67,0,97,45,45,67,67,67,1761,67,67,67,1764,67,67,67,67,67,67,67,494,67,67,67,67,67,67,67,67,67,787,67,67,67,67,67,67,45,45,420,45,45,422,45,45,425,45,45,45,45,45,45,45,387,45,45,45,45,397,45,45,45,67,460,67,67,67,67,67,67,67,67,67,67,67,67,67,67,515,67,485,67,67,67,67,67,67,67,67,67,67,67,67,67,498,67,67,67,67,67,97,0,2039,97,97,97,97,97,45,45,45,45,1426,45,45,45,67,67,67,67,67,67,67,67,67,1689,67,67,67,97,557,97,97,97,97,97,97,97,97,97,97,97,97,97,97,612,97,582,97,97,97,97,97,97,97,97,97,97,97,97,97,595,97,97,97,97,97,896,97,97,97,97,97,97,97,97,97,97,885,97,97,97,97,97,45,939,45,45,45,45,943,45,45,45,45,45,45,45,45,45,45,1916,67,67,67,67,67,45,67,67,67,67,67,67,67,1015,67,67,67,67,1019,67,67,67,67,67,67,1271,67,67,67,67,67,67,1277,67,67,67,67,67,67,1287,67,67,67,67,67,67,67,67,67,67,804,67,67,67,67,67,1077,67,67,67,67,67,67,67,37689,0,25403,0,66365,0,0,0,0,0,0,0,0,2170880,2170880,2170880,2170880,2170880,2437120,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2543616,2170880,2170880,2170880,2170880,2170880,2629632,1169,97,1171,97,97,97,97,97,97,97,12288,0,925,0,1179,0,0,0,0,925,41606,0,0,0,0,45,45,45,45,936,45,45,67,67,214,67,220,67,67,233,67,243,67,248,67,67,67,67,67,67,1298,67,67,67,67,0,0,0,0,0,0,97,97,97,97,97,1617,97,0,0,0,45,45,45,1183,45,45,45,45,45,45,45,45,45,393,45,45,45,45,45,45,67,67,1243,67,67,67,67,67,67,67,67,67,67,67,67,67,1074,67,67,1281,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,776,1323,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,907,45,1412,45,45,45,45,45,45,45,1418,45,45,45,45,45,45,686,45,45,45,690,45,45,695,45,45,67,67,67,67,67,1465,67,67,67,67,67,67,67,67,67,67,67,97,97,97,1712,97,97,97,97,1741,97,97,97,45,45,45,45,45,45,45,45,45,426,45,45,45,45,45,45,67,67,67,1924,67,67,67,67,67,97,97,97,97,97,0,0,97,97,1983,97,97,45,45,1987,45,1988,45,0,97,97,97,97,0,0,0,1942,97,97,97,97,97,45,45,45,700,45,45,45,45,45,45,45,45,45,45,711,45,45,153,45,45,166,45,176,45,181,45,45,188,191,196,45,204,255,258,263,67,271,67,67,0,37139,24853,0,0,0,282,41098,65820,97,97,97,294,97,300,97,97,313,97,323,97,328,97,97,335,338,343,97,351,97,97,0,53264,0,18,18,24,24,356,28,28,0,0,0,0,0,0,0,0,41098,0,140,45,45,45,45,1404,45,45,45,45,45,45,45,45,45,45,1411,67,67,486,67,67,67,67,67,67,67,67,67,67,67,67,67,1251,67,67,501,67,67,67,67,67,67,67,67,67,67,67,67,513,67,67,67,67,67,67,1443,67,67,67,67,67,67,67,67,67,67,1263,67,67,67,67,67,97,97,583,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1526,97,598,97,97,97,97,97,97,97,97,97,97,97,97,610,97,97,0,97,97,1796,97,97,97,97,97,97,97,45,45,45,45,45,1744,45,45,45,369,0,651,45,653,45,654,45,656,45,45,45,660,45,45,45,45,1558,45,45,45,45,45,45,45,45,1566,45,45,681,45,683,45,45,45,45,45,45,45,45,691,692,694,45,45,45,716,45,45,45,45,45,45,45,45,45,45,45,45,709,45,45,712,45,714,45,45,45,718,45,45,45,45,45,45,45,726,45,45,45,733,45,45,45,45,67,67,67,67,67,67,67,67,67,67,67,67,1691,67,67,747,67,67,67,67,67,67,67,67,67,760,67,67,67,0,0,0,0,0,0,97,1613,97,97,97,97,97,97,1509,97,97,97,97,97,97,97,97,97,0,1179,0,45,45,45,45,67,764,67,67,67,67,768,67,770,67,67,67,67,67,67,67,67,97,97,97,97,0,0,0,1977,67,778,779,781,67,67,67,67,67,67,788,789,67,67,792,793,67,67,67,813,67,67,67,67,67,67,67,67,67,824,37689,544,25403,546,70179,0,0,66365,66365,552,0,836,97,838,97,839,97,841,97,97,97,845,97,97,97,97,97,97,97,97,97,858,97,97,0,1728,97,97,97,0,97,97,97,97,97,97,97,97,97,97,45,1802,45,97,97,862,97,97,97,97,866,97,868,97,97,97,97,97,97,0,0,97,97,1788,97,97,97,0,0,97,97,876,877,879,97,97,97,97,97,97,886,887,97,97,890,891,97,97,97,97,97,97,97,899,97,97,97,903,97,97,97,0,97,97,97,0,97,97,97,97,97,97,97,1646,97,97,97,97,911,97,97,97,97,97,97,97,97,97,922,923,45,955,45,957,45,45,45,45,45,45,45,45,45,45,45,45,195,45,45,45,45,45,981,982,45,45,45,45,45,45,989,45,45,45,45,45,170,45,45,45,45,45,45,45,45,45,45,411,45,45,45,45,45,67,1023,67,67,67,67,67,67,1031,67,1033,67,67,67,67,67,67,67,817,819,67,67,67,67,67,37689,544,67,1065,67,67,67,67,67,67,67,67,67,67,67,67,67,67,516,67,67,1078,67,67,1081,1082,67,67,37689,0,25403,0,66365,0,0,0,0,0,0,0,0,2171166,2171166,2171166,2171166,2171166,2437406,2171166,2171166,97,1115,97,1117,97,97,97,97,97,97,1125,97,1127,97,97,97,0,97,97,97,0,97,97,97,97,1644,97,97,97,0,97,97,97,0,97,97,1642,97,97,97,97,97,97,625,97,97,97,97,97,97,97,97,97,316,97,97,97,97,97,97,97,97,97,1159,97,97,97,97,97,97,97,97,97,97,97,97,97,1502,97,97,97,97,97,1172,97,97,1175,1176,97,97,12288,0,925,0,1179,0,0,0,0,925,41606,0,0,0,0,45,45,45,935,45,45,45,1233,45,45,45,1236,45,45,45,45,45,45,45,67,67,67,67,67,67,1873,67,67,45,45,1218,45,45,45,1223,45,45,45,45,45,45,45,1230,45,45,67,67,215,219,222,67,230,67,67,244,246,249,67,67,67,67,67,67,1882,97,97,97,97,0,0,0,97,97,97,97,97,97,45,1904,45,1905,45,67,67,67,67,67,1258,67,1260,67,67,67,67,67,67,67,67,67,495,67,67,67,67,67,67,67,67,1283,67,67,67,67,67,67,67,1290,67,67,67,67,67,67,67,818,67,67,67,67,67,67,37689,544,67,67,1295,67,67,67,67,67,67,67,67,0,0,0,0,0,0,2174976,0,0,97,97,97,1326,97,97,97,97,97,97,97,97,97,97,97,97,97,1514,97,97,97,97,97,1338,97,1340,97,97,97,97,97,97,97,97,97,97,97,1500,97,97,1503,97,1363,97,97,97,97,97,97,97,1370,97,97,97,97,97,97,97,563,97,97,97,97,97,97,578,97,1375,97,97,97,97,97,97,97,97,0,1179,0,45,45,45,45,685,45,45,45,45,45,45,45,45,45,45,45,1003,45,45,45,45,67,67,67,1463,67,67,67,67,67,67,67,67,67,67,67,67,67,1778,97,97,97,97,97,1518,97,97,97,97,97,97,97,97,97,97,97,97,609,97,97,97,45,1542,45,45,45,45,45,45,45,1548,45,45,45,45,45,1554,45,1570,1571,45,67,67,67,67,67,67,1578,67,67,67,67,67,67,67,1055,67,67,67,67,67,1061,67,67,1582,67,67,67,67,67,67,67,1588,67,67,67,67,67,1594,67,67,67,67,67,97,2038,0,97,97,97,97,97,2044,45,45,45,995,45,45,45,45,1e3,45,45,45,45,45,45,45,1809,45,1811,45,45,45,45,45,67,1610,1611,67,1476,0,1478,0,1480,0,97,97,97,97,97,97,1618,1647,1649,97,97,97,1652,97,1654,1655,97,0,45,45,45,1658,45,45,67,67,216,67,67,67,67,234,67,67,67,67,252,254,1845,97,97,97,97,97,97,97,45,45,45,45,45,45,45,45,945,45,947,45,45,45,45,45,67,67,67,67,67,1881,97,97,97,97,97,0,0,0,97,97,97,97,97,1902,45,45,45,45,45,45,1908,45,45,45,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,1921,67,67,67,67,67,67,67,67,97,97,97,97,97,0,0,0,97,97,0,97,1937,97,97,1940,0,0,97,97,97,97,97,97,1947,1948,1949,45,45,45,1952,45,1954,45,45,45,45,1959,1960,1961,67,67,67,67,67,67,1455,67,67,67,67,67,67,67,67,67,67,757,67,67,67,67,67,67,1964,67,1966,67,67,67,67,1971,1972,1973,97,0,0,0,97,97,1104,97,97,97,97,97,97,97,97,97,97,884,97,97,97,889,97,97,1978,97,0,0,1981,97,97,97,97,45,45,45,45,45,45,736,45,67,67,67,67,67,67,67,67,67,67,67,1018,67,67,67,45,67,67,67,67,0,2049,97,97,97,97,45,45,67,67,0,0,0,0,925,41606,0,0,0,0,45,933,45,45,45,45,1234,45,45,45,45,45,45,45,45,45,45,67,97,97,288,97,97,97,97,97,97,317,97,97,97,97,97,97,0,0,97,1787,97,97,97,97,0,0,45,45,378,45,45,45,45,45,390,45,45,45,45,45,45,45,424,45,45,45,431,433,45,45,45,67,1050,67,67,67,67,67,67,67,67,67,67,67,67,67,67,518,67,97,97,97,1144,97,97,97,97,97,97,97,97,97,97,97,97,632,97,97,97,97,97,97,97,1367,97,97,97,97,97,97,97,97,97,97,97,855,97,97,97,97,67,97,97,97,97,97,97,1837,0,97,97,97,97,97,0,0,0,1897,97,97,97,97,97,45,45,45,45,45,1208,45,45,45,45,45,45,45,45,45,45,724,45,45,45,45,45,97,2010,45,45,45,45,45,45,2016,67,67,67,67,67,67,2022,45,2046,67,67,67,0,0,2050,97,97,97,45,45,67,67,0,0,0,0,925,41606,0,0,0,0,932,45,45,45,45,45,1222,45,45,45,45,45,45,45,45,45,45,1227,45,45,45,45,45,133,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,45,701,702,45,45,705,706,45,45,45,45,45,45,703,45,45,45,45,45,45,45,45,45,719,45,45,45,45,45,725,45,45,45,369,649,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1216,25403,546,70179,0,0,66365,66365,552,834,97,97,97,97,97,97,97,1342,97,97,97,97,97,97,97,97,0,97,97,97,97,97,97,97,1799,97,97,45,45,45,1569,45,45,45,1572,67,67,67,67,67,67,67,67,67,67,67,0,0,0,1306,0,67,67,67,1598,67,67,67,67,67,67,67,67,1606,67,67,1609,97,97,97,1650,97,97,1653,97,97,97,0,45,45,1657,45,45,45,1206,45,45,45,45,45,45,45,45,45,45,45,45,1421,45,45,45,1703,67,67,67,67,67,67,67,67,67,67,97,97,1711,97,97,0,1895,0,97,97,97,97,97,97,45,45,45,45,45,958,45,960,45,45,45,45,45,45,45,45,1913,45,45,1915,67,67,67,67,67,67,67,466,67,67,67,67,67,67,481,67,45,1749,45,45,45,45,45,45,45,45,1755,45,45,45,45,45,173,45,45,45,45,45,45,45,45,45,45,974,45,45,45,45,45,67,67,67,67,67,1773,67,67,67,67,67,67,67,97,97,97,97,1886,0,0,0,97,97,67,2035,2036,67,67,97,0,0,97,2041,2042,97,97,45,45,45,45,1662,45,45,45,45,45,45,45,45,45,45,45,1397,45,45,45,45,151,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,437,205,45,67,67,67,218,67,67,67,67,67,67,67,67,67,67,67,1047,67,67,67,67,97,97,97,97,298,97,97,97,97,97,97,97,97,97,97,97,870,97,97,97,97,97,97,97,97,352,97,0,53264,0,18,18,24,24,0,28,28,0,0,0,0,0,0,365,0,41098,0,140,45,45,45,45,45,1427,45,45,67,67,67,67,67,67,67,1435,520,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1037,617,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,923,45,1232,45,45,45,45,45,45,45,45,45,45,45,45,45,67,67,67,67,1919,67,1759,45,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1021,45,154,45,162,45,45,45,45,45,45,45,45,45,45,45,45,964,45,45,45,206,45,67,67,67,67,221,67,229,67,67,67,67,67,67,67,67,530,67,67,67,67,67,67,67,67,755,67,67,67,67,67,67,67,67,785,67,67,67,67,67,67,67,67,802,67,67,67,807,67,67,67,97,97,97,97,353,97,0,53264,0,18,18,24,24,0,28,28,0,0,0,0,0,0,366,0,0,0,140,2170880,2170880,2170880,2416640,402,45,45,45,45,45,45,45,410,45,45,45,45,45,45,45,674,45,45,45,45,45,45,45,45,389,45,394,45,45,398,45,45,45,45,441,45,45,45,45,45,447,45,45,45,454,45,45,67,67,67,67,67,67,67,67,67,67,67,1768,67,67,67,67,67,488,67,67,67,67,67,67,67,496,67,67,67,67,67,67,67,1774,67,67,67,67,67,97,97,97,97,0,0,97,97,97,0,97,97,97,97,97,97,97,97,67,67,523,67,67,527,67,67,67,67,67,533,67,67,67,540,97,97,97,585,97,97,97,97,97,97,97,593,97,97,97,97,97,97,1784,0,97,97,97,97,97,97,0,0,97,97,97,97,97,97,0,0,0,18,18,24,24,0,28,28,97,97,620,97,97,624,97,97,97,97,97,630,97,97,97,637,713,45,45,45,45,45,45,721,45,45,45,45,45,45,45,45,1197,45,45,45,45,45,45,45,45,730,732,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,1581,67,45,67,67,67,67,1012,67,67,67,67,67,67,67,67,67,67,67,1059,67,67,67,67,67,1024,67,67,67,67,67,67,67,67,67,67,67,67,67,67,775,67,67,67,67,1066,67,67,67,67,67,67,67,67,67,67,67,67,479,67,67,67,67,67,67,1080,67,67,67,67,37689,0,25403,0,66365,0,0,0,0,0,0,0,287,0,0,0,287,0,2379776,2170880,2170880,97,97,97,1118,97,97,97,97,97,97,97,97,97,97,97,97,920,97,97,0,0,0,0,45,1181,45,45,45,45,45,45,45,45,45,45,45,432,45,45,45,45,45,45,1219,45,45,45,45,45,45,1226,45,45,45,45,45,45,959,45,45,45,45,45,45,45,45,45,184,45,45,45,45,202,45,1241,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1266,67,1268,67,67,67,67,67,67,67,67,67,67,67,67,1279,67,67,67,67,67,272,67,0,37139,24853,0,0,0,0,41098,65820,67,67,67,67,67,1286,67,67,67,67,67,67,67,67,67,1293,67,67,67,1296,67,67,67,67,67,67,67,0,0,0,0,0,281,94,0,0,97,97,97,1366,97,97,97,97,97,97,97,97,97,1373,97,97,18,0,139621,0,0,0,0,0,0,364,0,0,367,0,97,1376,97,97,97,97,97,97,97,0,0,0,45,45,1384,45,45,67,208,67,67,67,67,67,67,237,67,67,67,67,67,67,67,1069,1070,67,67,67,67,67,67,67,0,37140,24854,0,0,0,0,41098,65821,45,1423,45,45,45,45,45,45,67,67,1431,67,67,67,67,67,67,67,1083,37689,0,25403,0,66365,0,0,0,1436,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1830,67,1452,1453,67,67,67,67,1456,67,67,67,67,67,67,67,67,67,771,67,67,67,67,67,67,1461,67,67,67,1464,67,1466,67,67,67,67,67,67,1470,67,67,67,67,67,67,1587,67,67,67,67,67,67,67,67,1595,1489,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1129,97,1505,1506,97,97,97,97,1510,97,97,97,97,97,97,97,97,97,1163,1164,97,97,97,97,97,1516,97,97,97,1519,97,1521,97,97,97,97,97,97,1525,97,97,18,0,139621,0,0,0,0,0,0,364,0,0,367,41606,67,67,67,67,67,1586,67,67,67,67,67,67,67,67,67,67,67,1276,67,67,67,67,67,67,67,67,67,1600,67,67,67,67,67,67,67,67,67,67,67,1301,0,0,0,1307,97,97,1620,97,97,97,97,97,97,97,1627,97,97,97,97,97,97,913,97,97,97,97,919,97,97,97,0,97,97,97,1781,97,97,0,0,97,97,97,97,97,97,0,0,97,97,97,97,97,97,0,1792,1860,45,1862,1863,45,1865,45,67,67,67,67,67,67,67,67,1875,67,1877,1878,67,1880,67,97,97,97,97,97,1887,0,1889,97,97,18,0,139621,0,0,0,0,0,0,364,237568,0,367,0,97,1893,0,0,0,97,1898,1899,97,1901,97,45,45,45,45,45,2014,45,67,67,67,67,67,2020,67,97,1989,45,1990,45,45,45,67,67,67,67,67,67,1996,67,1997,67,67,67,67,67,273,67,0,37139,24853,0,0,0,0,41098,65820,67,67,97,97,97,97,0,0,97,97,2005,0,97,2007,97,97,18,0,139621,0,0,0,642,0,133,364,0,0,367,41606,0,97,97,2056,2057,0,2059,45,67,0,97,45,67,0,97,45,45,67,209,67,67,67,223,67,67,67,67,67,67,67,67,67,786,67,67,67,791,67,67,45,45,940,45,45,45,45,45,45,45,45,45,45,45,45,45,45,727,45,45,67,67,67,67,67,67,67,67,1016,67,67,67,67,67,67,67,67,37689,0,25403,0,66365,0,0,0,133,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,142,45,45,67,210,67,67,67,225,67,67,239,67,67,67,250,67,67,67,67,67,464,67,67,67,67,67,476,67,67,67,67,67,67,67,1709,67,67,67,97,97,97,97,97,97,0,0,97,97,97,97,97,1843,0,67,259,67,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,289,97,97,97,303,97,97,97,97,97,97,97,97,97,97,901,97,97,97,97,97,339,97,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,0,358,0,0,0,0,0,0,41098,0,140,45,45,45,45,45,1953,45,1955,45,45,45,67,67,67,67,67,67,67,1687,1688,67,67,67,67,45,45,405,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1203,45,458,67,67,67,67,67,67,67,67,67,470,477,67,67,67,67,67,67,67,1970,97,97,97,1974,0,0,0,97,1103,97,97,97,97,97,97,97,97,97,97,97,1372,97,97,97,97,67,522,67,67,67,67,67,67,67,67,67,67,67,536,67,67,67,67,67,67,1696,67,67,67,67,67,67,67,1701,67,555,97,97,97,97,97,97,97,97,97,567,574,97,97,97,97,97,301,97,309,97,97,97,97,97,97,97,97,97,900,97,97,97,905,97,97,97,619,97,97,97,97,97,97,97,97,97,97,97,633,97,97,18,0,139621,0,0,362,0,0,0,364,0,0,367,41606,369,649,45,45,45,45,45,45,45,45,45,45,45,45,663,664,67,67,67,67,750,751,67,67,67,67,758,67,67,67,67,67,67,67,1272,67,67,67,67,67,67,67,67,67,1057,1058,67,67,67,67,67,67,67,67,797,67,67,67,67,67,67,67,67,67,67,67,67,512,67,67,67,97,97,97,97,895,97,97,97,97,97,97,97,97,97,97,97,902,97,97,97,97,67,67,1051,67,67,67,67,67,67,67,67,67,67,67,1062,67,67,67,67,67,491,67,67,67,67,67,67,67,67,67,67,67,1302,0,0,0,1308,97,97,97,97,1145,97,97,97,97,97,97,97,97,97,97,97,1139,97,97,97,97,1156,97,97,97,97,97,97,1161,97,97,97,97,97,1166,97,97,18,640,139621,0,641,0,0,0,0,364,0,0,367,41606,67,67,67,67,1257,67,67,67,67,67,67,67,67,67,67,67,0,0,1305,0,0,97,97,1337,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1630,97,67,1474,67,67,0,0,0,0,0,0,0,0,0,0,0,0,0,2380062,2171166,2171166,97,1529,97,97,0,45,45,45,45,45,45,45,45,45,45,45,1228,45,45,45,45,67,67,67,67,1707,67,67,67,67,67,67,97,97,97,97,97,0,0,0,97,1891,1739,97,97,97,97,97,97,45,45,45,45,45,45,45,45,45,1198,45,1200,45,45,45,45,97,97,1894,0,0,97,97,97,97,97,97,45,45,45,45,45,672,45,45,45,45,45,45,45,45,45,45,45,1420,45,45,45,45,67,67,1965,67,1967,67,67,67,97,97,97,97,0,1976,0,97,97,45,67,0,97,45,67,0,97,45,67,0,97,45,97,97,1979,0,0,97,1982,97,97,97,1986,45,45,45,45,45,735,45,45,67,67,67,67,67,67,67,67,67,67,67,67,67,1770,67,67,2e3,97,97,97,2002,0,97,97,97,0,97,97,97,97,97,97,1798,97,97,97,45,45,45,2034,67,67,67,67,97,0,0,2040,97,97,97,97,45,45,45,45,1752,45,45,45,1753,1754,45,45,45,45,45,45,383,45,45,45,45,45,45,45,45,45,675,45,45,45,45,45,45,438,45,45,45,45,45,445,45,45,45,45,45,45,45,45,67,1430,67,67,67,67,67,67,67,67,67,524,67,67,67,67,67,531,67,67,67,67,67,67,67,67,37689,0,25403,0,66365,0,0,1096,97,97,97,621,97,97,97,97,97,628,97,97,97,97,97,97,0,53264,0,18,18,24,24,356,28,28,665,45,45,45,45,45,45,45,45,45,676,45,45,45,45,45,942,45,45,45,45,45,45,45,45,45,45,707,708,45,45,45,45,763,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,809,810,67,67,67,67,783,67,67,67,67,67,67,67,67,67,67,67,0,1303,0,0,0,97,861,97,97,97,97,97,97,97,97,97,97,97,97,97,97,613,97,45,45,956,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1215,45,67,67,67,67,1027,67,67,67,67,1032,67,67,67,67,67,67,67,67,37689,0,25403,0,66365,0,0,1097,1064,67,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1075,67,1098,0,0,97,97,97,97,97,97,97,97,97,97,97,97,97,331,97,97,97,97,1158,97,97,97,97,97,97,97,97,97,97,97,97,97,594,97,97,1309,0,0,0,1315,0,0,0,0,0,0,0,0,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1374,97,45,45,1543,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1240,67,67,1583,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1252,67,97,97,97,1635,97,97,97,0,97,97,97,97,97,97,97,97,1800,97,45,45,45,97,97,1793,97,97,97,97,97,97,97,97,97,97,45,45,45,1743,45,45,45,1746,45,0,97,97,97,97,97,1851,97,45,45,45,45,1856,45,45,45,45,1864,45,45,67,67,1869,67,67,67,67,1874,67,0,97,97,45,67,2058,97,45,67,0,97,45,67,0,97,45,45,67,211,67,67,67,67,67,67,240,67,67,67,67,67,67,67,1444,67,67,67,67,67,67,67,67,67,509,67,67,67,67,67,67,67,67,67,268,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,290,97,97,97,305,97,97,319,97,97,97,330,97,97,18,640,139621,0,641,0,0,0,0,364,0,643,367,41606,97,97,348,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,0,0,364,0,367,41098,369,140,45,45,45,45,380,45,45,45,45,45,45,395,45,45,45,400,369,0,45,45,45,45,45,45,45,45,658,45,45,45,45,45,972,45,45,45,45,45,45,45,45,45,45,427,45,45,45,45,45,745,67,67,67,67,67,67,67,67,756,67,67,67,67,67,67,67,67,37689,1086,25403,1090,66365,1094,0,0,97,843,97,97,97,97,97,97,97,97,854,97,97,97,97,97,97,1121,97,97,97,97,1126,97,97,97,97,45,980,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1400,45,67,67,67,1011,67,67,67,67,67,67,67,67,67,67,67,0,1304,0,0,0,1190,45,45,1193,1194,45,45,45,45,45,1199,45,1201,45,45,45,45,1911,45,45,45,45,45,67,67,67,67,67,67,67,1579,67,67,67,67,45,1205,45,45,45,45,45,45,45,45,1211,45,45,45,45,45,984,45,45,45,45,45,45,45,45,45,45,45,1550,45,45,45,45,45,1217,45,45,45,45,45,45,1225,45,45,45,45,1229,45,45,45,1388,45,45,45,45,45,45,1396,45,45,45,45,45,444,45,45,45,45,45,45,45,45,45,67,67,1574,67,67,67,67,67,67,67,67,67,67,1590,67,67,67,67,67,1254,67,67,67,67,67,1259,67,1261,67,67,67,67,1265,67,67,67,67,67,67,1708,67,67,67,67,97,97,97,97,97,97,0,0,97,97,97,97,97,0,0,67,67,67,67,1285,67,67,67,67,1289,67,67,67,67,67,67,67,67,37689,1087,25403,1091,66365,1095,0,0,97,97,97,97,1339,97,1341,97,97,97,97,1345,97,97,97,97,97,561,97,97,97,97,97,573,97,97,97,97,97,97,1717,97,0,97,97,97,97,97,97,97,591,97,97,97,97,97,97,97,97,97,1329,97,97,97,97,97,97,97,97,97,97,1351,97,97,97,97,97,97,1357,97,97,97,97,97,588,97,97,97,97,97,97,97,97,97,97,568,97,97,97,97,97,97,97,1365,97,97,97,97,1369,97,97,97,97,97,97,97,97,97,1356,97,97,97,97,97,97,45,45,1403,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1399,45,45,45,1413,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1669,45,1422,45,45,1425,45,45,1428,45,1429,67,67,67,67,67,67,67,67,1468,67,67,67,67,67,67,67,67,529,67,67,67,67,67,67,539,67,67,1475,67,0,0,0,0,0,0,0,0,0,0,0,0,140,2170880,2170880,2170880,2416640,97,97,1530,97,0,45,45,1534,45,45,45,45,45,45,45,45,1956,45,45,67,67,67,67,67,67,67,67,67,1599,67,67,1601,67,67,67,67,67,67,67,67,67,803,67,67,67,67,67,67,1632,97,1634,0,97,97,97,1640,97,97,97,1643,97,97,1645,97,97,97,97,97,912,97,97,97,97,97,97,97,97,97,0,0,0,45,45,45,45,45,45,1660,1661,45,45,45,45,1665,1666,45,45,45,45,45,1670,1692,1693,67,67,67,67,67,1697,67,67,67,67,67,67,67,1702,97,97,1714,1715,97,97,97,97,0,1721,1722,97,97,97,97,97,97,1353,97,97,97,97,97,97,97,97,1362,1726,97,0,0,97,97,97,0,97,97,97,1734,97,97,97,97,97,848,849,97,97,97,97,856,97,97,97,97,97,354,0,53264,0,18,18,24,24,0,28,28,45,45,1750,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1681,45,0,1846,97,97,97,97,97,97,45,45,1854,45,45,45,45,1859,67,67,67,1879,67,67,97,97,1884,97,97,0,0,0,97,97,97,1105,97,97,97,97,97,97,97,97,97,97,1344,97,97,97,1347,97,1892,97,0,0,0,97,97,97,1900,97,97,45,45,45,45,45,997,45,45,45,45,45,45,45,45,45,45,1002,45,45,1005,1006,45,67,67,67,67,67,1926,67,67,1928,97,97,97,97,97,0,0,97,97,97,0,97,97,97,97,97,97,1737,97,0,97,97,97,97,0,0,0,97,97,1944,97,97,1946,45,45,45,1544,45,45,45,45,45,45,45,45,45,45,45,45,190,45,45,45,152,155,45,163,45,45,177,179,182,45,45,45,193,197,45,45,45,1672,45,45,45,45,45,1677,45,1679,45,45,45,45,996,45,45,45,45,45,45,45,45,45,45,45,1212,45,45,45,45,67,260,264,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,97,295,299,302,97,310,97,97,324,326,329,97,97,97,0,97,97,1639,0,1641,97,97,97,97,97,97,97,97,1511,97,97,97,97,97,97,97,97,1523,97,97,97,97,97,97,97,97,1719,97,97,97,97,97,97,97,97,1720,97,97,97,97,97,97,97,312,97,97,97,97,97,97,97,97,1123,97,97,97,97,97,97,97,340,344,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,0,0,364,0,367,41098,369,140,45,45,373,375,419,45,45,45,45,45,45,45,45,45,428,45,45,435,45,45,45,1751,45,45,45,45,45,45,45,45,45,45,45,45,1410,45,45,45,67,67,67,505,67,67,67,67,67,67,67,67,67,514,67,67,67,67,67,67,1969,67,97,97,97,97,0,0,0,97,97,45,67,0,97,45,67,0,97,2064,2065,0,2066,45,521,67,67,67,67,67,67,67,67,67,67,534,67,67,67,67,67,67,465,67,67,67,474,67,67,67,67,67,67,67,1467,67,67,67,67,67,67,67,67,67,97,97,97,97,97,1933,0,97,97,97,602,97,97,97,97,97,97,97,97,97,611,97,97,18,640,139621,358,641,0,0,0,0,364,0,0,367,0,618,97,97,97,97,97,97,97,97,97,97,631,97,97,97,97,97,881,97,97,97,97,97,97,97,97,97,97,569,97,97,97,97,97,369,0,45,652,45,45,45,45,45,657,45,45,45,45,45,45,1235,45,45,45,45,45,45,45,45,67,67,67,1432,67,67,67,67,67,67,67,766,67,67,67,67,67,67,67,67,773,67,67,67,0,1305,0,1311,0,1317,97,97,97,97,97,97,97,1624,97,97,97,97,97,97,97,97,0,97,97,97,1724,97,97,97,777,67,67,782,67,67,67,67,67,67,67,67,67,67,67,67,535,67,67,67,67,67,67,67,814,67,67,67,67,67,67,67,67,67,37689,544,25403,546,70179,0,0,66365,66365,552,0,97,837,97,97,97,97,97,97,1496,97,97,97,97,97,97,97,97,97,97,918,97,97,97,97,0,842,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1168,97,97,97,97,864,97,97,97,97,97,97,97,97,871,97,97,97,0,1637,97,97,0,97,97,97,97,97,97,97,97,97,97,1801,45,45,97,875,97,97,880,97,97,97,97,97,97,97,97,97,97,97,1151,1152,97,97,97,67,67,67,1040,67,67,67,67,67,67,67,67,67,67,67,67,790,67,67,67,1180,0,649,45,45,45,45,45,45,45,45,45,45,45,45,45,200,45,45,67,67,67,1454,67,67,67,67,67,67,67,67,67,67,67,67,806,67,67,67,0,0,0,1481,0,1094,0,0,97,1483,97,97,97,97,97,97,304,97,97,318,97,97,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,97,97,97,1507,97,97,97,97,97,97,97,97,97,97,97,97,1332,97,97,97,1619,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1631,97,1633,97,0,97,97,97,0,97,97,97,97,97,97,97,97,97,1381,0,0,45,45,45,45,97,97,1727,0,97,97,97,0,97,97,97,97,97,97,97,97,626,97,97,97,97,97,97,636,45,45,1760,67,67,67,67,67,67,67,1765,67,67,67,67,67,67,67,1299,67,67,67,0,0,0,0,0,0,97,97,97,97,1616,97,97,1803,45,45,45,45,1807,45,45,45,45,45,1813,45,45,45,67,67,1684,67,67,67,67,67,67,67,67,67,67,67,822,67,67,37689,544,67,67,1818,67,67,67,67,1822,67,67,67,67,67,1828,67,67,67,67,67,97,0,0,97,97,97,97,97,45,45,45,2012,2013,45,45,67,67,67,2018,2019,67,67,97,67,97,97,97,1833,97,97,0,0,97,97,1840,97,97,0,0,97,97,97,0,97,97,1733,97,1735,97,97,97,0,97,97,97,1849,97,97,97,45,45,45,45,45,1857,45,45,45,1910,45,1912,45,45,1914,45,67,67,67,67,67,67,67,67,67,67,1017,67,67,1020,67,45,1861,45,45,45,45,45,67,67,67,67,67,1872,67,67,67,67,67,67,752,67,67,67,67,67,67,67,67,67,67,1446,67,67,67,67,67,1876,67,67,67,67,67,97,97,97,97,97,0,0,0,1890,97,97,97,97,97,1134,97,97,97,97,97,97,97,97,97,97,570,97,97,97,97,580,1935,97,97,97,97,0,0,0,97,97,97,97,97,97,45,45,45,45,1906,45,67,67,67,67,2048,0,97,97,97,97,45,45,67,67,0,0,0,0,925,41606,0,0,0,931,45,45,45,45,45,45,1674,45,1676,45,45,45,45,45,45,45,446,45,45,45,45,45,45,45,67,67,67,67,1871,67,67,67,67,0,97,97,45,67,0,97,2060,2061,0,2063,45,67,0,97,45,45,156,45,45,45,45,45,45,45,45,45,192,45,45,45,45,1673,45,45,45,45,45,45,45,45,45,45,45,429,45,45,45,45,67,67,67,269,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,349,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,0,0,364,0,367,41098,369,140,45,45,374,45,45,67,67,213,217,67,67,67,67,67,242,67,247,67,253,45,45,698,45,45,45,45,45,45,45,45,45,45,45,45,45,399,45,45,0,0,0,0,925,41606,0,929,0,0,45,45,45,45,45,45,1391,45,45,1395,45,45,45,45,45,45,423,45,45,45,45,45,45,45,436,45,67,67,67,67,1041,67,1043,67,67,67,67,67,67,67,67,67,67,1776,67,67,97,97,97,1099,0,0,97,97,97,97,97,97,97,97,97,97,97,97,97,888,97,97,97,1131,97,97,97,97,1135,97,1137,97,97,97,97,97,97,97,1497,97,97,97,97,97,97,97,97,97,883,97,97,97,97,97,97,1310,0,0,0,1316,0,0,0,0,1100,0,0,0,97,97,97,97,97,1107,97,97,97,97,97,97,97,97,1343,97,97,97,97,97,97,1348,0,0,1317,0,0,0,0,0,97,97,97,97,97,97,97,97,97,97,97,1112,97,45,1804,45,45,45,45,45,45,45,45,45,45,45,45,45,67,1868,67,1870,67,67,67,67,67,1817,67,67,1819,67,67,67,67,67,67,67,67,67,67,67,67,823,67,37689,544,67,97,1832,97,97,1834,97,0,0,97,97,97,97,97,0,0,97,97,97,0,1732,97,97,97,97,97,97,97,850,97,97,97,97,97,97,97,97,97,1177,0,0,925,0,0,0,0,97,97,97,97,0,0,1941,97,97,97,97,97,97,45,45,45,1991,1992,45,67,67,67,67,67,67,67,67,67,1998,134,0,0,0,37,110630,0,0,0,114730,106539,41098,45,45,45,45,941,45,45,944,45,45,45,45,45,45,952,45,45,207,67,67,67,67,67,226,67,67,67,67,67,67,67,67,67,820,67,67,67,67,37689,544,369,650,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1682,25403,546,70179,0,0,66365,66365,552,835,97,97,97,97,97,97,97,1522,97,97,97,97,97,97,97,97,0,97,97,97,97,97,97,1725,67,67,67,1695,67,67,67,67,67,67,67,67,67,67,67,67,1034,67,1036,67,67,67,265,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,97,296,97,97,97,97,314,97,97,97,97,332,334,97,97,97,97,97,1146,1147,97,97,97,97,97,97,97,97,97,97,1626,97,97,97,97,97,97,345,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,0,0,364,0,367,41098,369,140,45,372,45,45,45,1220,45,45,45,45,45,45,45,45,45,45,45,45,1213,45,45,45,45,404,406,45,45,45,45,45,45,45,45,45,45,45,45,45,434,45,45,45,440,45,45,45,45,45,45,45,45,451,452,45,45,45,67,1683,67,67,67,1686,67,67,67,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,67,67,67,67,490,492,67,67,67,67,67,67,67,67,67,67,67,1447,67,67,1450,67,67,67,67,67,526,67,67,67,67,67,67,67,67,537,538,67,67,67,67,67,506,67,67,508,67,67,511,67,67,67,67,0,1476,0,0,0,0,0,1478,0,0,0,0,0,0,0,0,97,97,1484,97,97,97,97,97,97,865,97,97,97,97,97,97,97,97,97,97,1499,97,97,97,97,97,97,97,97,97,587,589,97,97,97,97,97,97,97,97,97,97,629,97,97,97,97,97,97,97,97,97,623,97,97,97,97,97,97,97,97,634,635,97,97,97,97,97,1160,97,97,97,97,97,97,97,97,97,97,97,1628,97,97,97,97,369,0,45,45,45,45,45,655,45,45,45,45,45,45,45,45,999,45,1001,45,45,45,45,45,45,45,45,715,45,45,45,720,45,45,45,45,45,45,45,45,728,25403,546,70179,0,0,66365,66365,552,0,97,97,97,97,97,840,97,97,97,97,97,1174,97,97,97,97,0,0,925,0,0,0,0,0,0,0,1100,97,97,97,97,97,97,97,97,627,97,97,97,97,97,97,97,938,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,680,45,968,45,970,45,973,45,45,45,45,45,45,45,45,45,45,962,45,45,45,45,45,979,45,45,45,45,45,985,45,45,45,45,45,45,45,45,45,1224,45,45,45,45,45,45,45,45,688,45,45,45,45,45,45,45,1007,1008,67,67,67,67,67,1014,67,67,67,67,67,67,67,67,67,1045,67,67,67,67,67,67,67,1038,67,67,67,67,67,67,1044,67,1046,67,1049,67,67,67,67,67,67,800,67,67,67,67,67,67,808,67,67,0,0,0,1102,97,97,97,97,97,1108,97,97,97,97,97,97,306,97,97,97,97,97,97,97,97,97,97,1371,97,97,97,97,97,97,97,97,1132,97,97,97,97,97,97,1138,97,1140,97,1143,97,97,97,97,97,1352,97,97,97,97,97,97,97,97,97,97,869,97,97,97,97,97,45,1191,45,45,45,45,45,1196,45,45,45,45,45,45,45,45,1407,45,45,45,45,45,45,45,45,986,45,45,45,45,45,45,991,45,67,67,67,1256,67,67,67,67,67,67,67,67,67,67,67,67,1048,67,67,67,97,1336,97,97,97,97,97,97,97,97,97,97,97,97,97,97,615,97,1386,45,1387,45,45,45,45,45,45,45,45,45,45,45,45,45,455,45,457,45,45,1424,45,45,45,45,45,67,67,67,67,1433,67,1434,67,67,67,67,67,767,67,67,67,67,67,67,67,67,67,67,67,1591,67,1593,67,67,45,45,1805,45,45,45,45,45,45,45,45,45,1814,45,45,1816,67,67,67,67,1820,67,67,67,67,67,67,67,67,67,1829,67,67,67,67,67,815,67,67,67,67,821,67,67,67,37689,544,67,1831,97,97,97,97,1835,0,0,97,97,97,97,97,0,0,97,97,97,1731,97,97,97,97,97,97,97,97,97,853,97,97,97,97,97,97,0,97,97,97,97,1850,97,97,45,45,45,45,45,45,45,45,1547,45,45,45,45,45,45,45,45,1664,45,45,45,45,45,45,45,45,961,45,45,45,45,965,45,967,1907,45,45,45,45,45,45,45,45,45,67,67,67,67,67,1920,0,1936,97,97,97,0,0,0,97,97,97,97,97,97,45,45,67,67,67,67,67,67,1763,67,67,67,67,67,67,67,67,1056,67,67,67,67,67,67,67,67,1273,67,67,67,67,67,67,67,67,1457,67,67,67,67,67,67,67,67,97,97,97,97,0,0,28672,97,45,67,67,67,67,0,0,97,97,97,97,45,45,67,67,2054,97,97,291,97,97,97,97,97,97,320,97,97,97,97,97,97,307,97,97,97,97,97,97,97,97,97,97,12288,0,925,926,1179,0,45,377,45,45,45,381,45,45,392,45,45,396,45,45,45,45,971,45,45,45,45,45,45,45,45,45,45,45,45,1756,45,45,45,67,67,67,67,463,67,67,67,467,67,67,478,67,67,482,67,67,67,67,67,1028,67,67,67,67,67,67,67,67,67,67,67,67,1469,67,67,1472,67,502,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1460,67,97,97,97,97,560,97,97,97,564,97,97,575,97,97,579,97,97,97,97,97,1368,97,97,97,97,97,97,97,97,97,97,0,0,925,0,0,930,97,599,97,97,97,97,97,97,97,97,97,97,97,97,97,97,872,97,45,666,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,1758,0,362,0,0,925,41606,0,0,0,0,45,45,934,45,45,45,164,168,174,178,45,45,45,45,45,194,45,45,45,165,45,45,45,45,45,45,45,45,45,199,45,45,45,67,67,1010,67,67,67,67,67,67,67,67,67,67,67,67,1060,67,67,67,67,67,67,1052,1053,67,67,67,67,67,67,67,67,67,67,1063,97,1157,97,97,97,97,97,97,97,97,97,97,97,97,1167,97,97,97,97,97,1379,97,97,97,0,0,0,45,1383,45,45,45,1806,45,45,45,45,45,45,1812,45,45,45,45,67,67,67,67,67,1577,67,67,67,67,67,67,67,753,67,67,67,67,67,67,67,67,67,1262,67,67,67,67,67,67,67,1282,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1471,67,45,1402,45,45,45,45,45,45,45,45,45,45,45,45,45,45,417,45,67,1462,67,67,67,67,67,67,67,67,67,67,67,67,67,67,37689,544,97,1517,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1128,97,97,97,97,1636,97,97,97,0,97,97,97,97,97,97,97,97,851,97,97,97,97,97,97,97,67,67,1705,67,67,67,67,67,67,67,67,97,97,97,97,97,97,0,0,97,97,97,97,1842,0,0,1779,97,97,97,1782,97,0,0,97,97,97,97,97,97,0,0,97,97,97,1789,97,97,0,0,0,97,1847,97,97,97,97,97,45,45,45,45,45,45,45,45,1675,45,45,45,45,45,45,45,45,737,738,67,740,67,741,67,743,67,67,67,67,67,67,1968,67,67,97,97,97,97,0,0,0,97,97,45,67,0,97,45,67,2062,97,45,67,0,97,45,67,67,97,97,2001,97,0,0,2004,97,97,0,97,97,97,97,1797,97,97,97,97,97,45,45,45,67,261,67,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,97,292,97,97,97,97,311,315,321,325,97,97,97,97,97,97,1623,97,97,97,97,97,97,97,97,97,97,1330,97,97,1333,1334,97,341,97,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,0,363,364,0,367,41098,369,140,45,45,45,45,1221,45,45,45,45,45,45,45,45,45,45,45,413,45,45,416,45,376,45,45,45,45,382,45,45,45,45,45,45,45,45,45,45,1408,45,45,45,45,45,403,45,45,45,45,45,45,45,45,45,45,414,45,45,45,418,67,67,67,462,67,67,67,67,468,67,67,67,67,67,67,67,67,1602,67,1604,67,67,67,67,67,67,67,67,489,67,67,67,67,67,67,67,67,67,67,500,67,67,67,67,67,1067,67,67,67,67,67,1072,67,67,67,67,67,67,274,0,37139,24853,0,0,0,0,41098,65820,67,67,504,67,67,67,67,67,67,67,510,67,67,67,517,519,541,67,37139,37139,24853,24853,0,70179,0,0,0,65820,65820,369,287,554,97,97,97,559,97,97,97,97,565,97,97,97,97,97,97,97,1718,0,97,97,97,97,97,97,97,898,97,97,97,97,97,97,906,97,97,97,97,586,97,97,97,97,97,97,97,97,97,97,597,97,97,97,97,97,1520,97,97,97,97,97,97,97,97,97,97,0,45,1656,45,45,45,97,97,601,97,97,97,97,97,97,97,607,97,97,97,614,616,638,97,18,0,139621,0,0,0,0,0,0,364,0,0,367,41606,369,0,45,45,45,45,45,45,45,45,45,45,661,45,45,45,407,45,45,45,45,45,45,45,45,45,45,45,45,45,1815,45,67,45,667,45,45,45,45,45,45,45,45,45,45,678,45,45,45,421,45,45,45,45,45,45,45,45,45,45,45,45,976,977,45,45,45,682,45,45,45,45,45,45,45,45,45,45,693,45,45,697,67,67,748,67,67,67,67,754,67,67,67,67,67,67,67,67,67,1274,67,67,67,67,67,67,67,67,765,67,67,67,67,769,67,67,67,67,67,67,67,67,67,1589,67,67,67,67,67,67,67,67,780,67,67,784,67,67,67,67,67,67,67,67,67,67,67,1777,67,97,97,97,97,97,97,846,97,97,97,97,852,97,97,97,97,97,97,97,1742,45,45,45,45,45,45,45,1747,97,97,97,863,97,97,97,97,867,97,97,97,97,97,97,97,308,97,97,97,97,97,97,97,97,97,97,12288,1178,925,0,1179,0,97,97,97,878,97,97,882,97,97,97,97,97,97,97,97,97,97,12288,0,925,0,1179,0,908,97,97,97,97,97,97,97,97,97,97,97,97,97,97,0,0,925,0,0,0,954,45,45,45,45,45,45,45,45,45,45,963,45,45,966,45,45,157,45,45,171,45,45,45,45,45,45,45,45,45,45,948,45,45,45,45,45,1022,67,67,1026,67,67,67,1030,67,67,67,67,67,67,67,67,67,1603,1605,67,67,67,1608,67,67,67,1039,67,67,1042,67,67,67,67,67,67,67,67,67,67,471,67,67,67,67,67,0,1100,0,97,97,97,97,97,97,97,97,97,97,97,97,97,904,97,97,97,97,1116,97,97,1120,97,97,97,1124,97,97,97,97,97,97,562,97,97,97,571,97,97,97,97,97,97,97,97,97,1133,97,97,1136,97,97,97,97,97,97,97,97,915,917,97,97,97,97,97,0,97,1170,97,97,97,97,97,97,97,97,0,0,925,0,0,0,0,0,41606,0,0,0,0,45,45,45,45,45,45,1993,67,67,67,67,67,67,67,67,67,67,1275,67,67,67,1278,67,0,0,0,45,45,1182,45,45,45,45,45,45,45,45,45,1189,1204,45,45,45,1207,45,45,1209,45,1210,45,45,45,45,45,45,1546,45,45,45,45,45,45,45,45,45,689,45,45,45,45,45,45,1231,45,45,45,45,45,45,45,45,45,45,45,45,45,45,67,67,67,67,67,67,67,67,236,67,67,67,67,67,67,67,801,67,67,67,805,67,67,67,67,67,1242,67,67,67,67,67,67,67,67,67,1249,67,67,67,67,67,67,507,67,67,67,67,67,67,67,67,67,67,1300,0,0,0,0,0,1267,67,67,1269,67,1270,67,67,67,67,67,67,67,67,67,1280,97,1349,97,1350,97,97,97,97,97,97,97,97,97,1360,97,97,97,0,1980,97,97,97,97,97,45,45,45,45,45,45,673,45,45,45,45,677,45,45,45,45,1401,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,953,67,1437,67,1440,67,67,67,67,1445,67,67,67,1448,67,67,67,67,67,67,1029,67,67,67,67,67,67,67,67,67,67,1825,67,67,67,67,67,1473,67,67,67,0,0,0,0,0,0,0,0,0,0,0,0,1320,0,834,97,97,97,97,1490,97,1493,97,97,97,97,1498,97,97,97,1501,97,97,97,0,97,1638,97,0,97,97,97,97,97,97,97,97,916,97,97,97,97,97,97,0,1528,97,97,97,0,45,45,45,1535,45,45,45,45,45,45,45,1867,67,67,67,67,67,67,67,67,67,97,97,97,97,1932,0,0,1555,45,45,45,45,45,45,45,45,45,45,45,45,45,1567,45,45,158,45,45,172,45,45,45,183,45,45,45,45,201,45,45,67,212,67,67,67,67,231,235,241,245,67,67,67,67,67,67,493,67,67,67,67,67,67,67,67,67,67,472,67,67,67,67,67,97,97,97,97,1651,97,97,97,97,97,0,45,45,45,45,45,45,45,1539,45,45,45,67,1704,67,1706,67,67,67,67,67,67,67,97,97,97,97,97,97,0,0,97,97,97,1841,97,0,1844,97,97,97,97,1716,97,97,97,0,97,97,97,97,97,97,97,590,97,97,97,97,97,97,97,97,97,0,0,0,45,45,45,1385,1748,45,45,45,45,45,45,45,45,45,45,45,45,45,1757,45,45,159,45,45,45,45,45,45,45,45,45,45,45,45,45,415,45,45,97,97,1780,97,97,97,0,0,1786,97,97,97,97,97,0,0,97,97,1730,0,97,97,97,97,97,1736,97,1738,67,97,97,97,97,97,97,0,1838,97,97,97,97,97,0,0,97,1729,97,0,97,97,97,97,97,97,97,97,1162,97,97,97,1165,97,97,97,45,1950,45,45,45,45,45,45,45,45,1958,67,67,67,1962,67,67,67,67,67,1246,67,67,67,67,67,67,67,67,67,67,67,97,1710,97,97,97,1999,67,97,97,97,97,0,2003,97,97,97,0,97,97,2008,2009,45,67,67,67,67,0,0,97,97,97,97,45,2052,67,2053,0,0,0,0,925,41606,0,0,930,0,45,45,45,45,45,45,1392,45,1394,45,45,45,45,45,45,45,1545,45,45,45,45,45,45,45,45,45,45,1563,1565,45,45,45,1568,0,97,2055,45,67,0,97,45,67,0,97,45,67,28672,97,45,45,160,45,45,45,45,45,45,45,45,45,45,45,45,45,679,45,45,67,67,266,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,346,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,0,362,0,364,0,367,41098,369,140,371,45,45,45,379,45,45,45,388,45,45,45,45,45,45,45,45,1663,45,45,45,45,45,45,45,45,45,449,45,45,45,45,45,67,67,542,37139,37139,24853,24853,0,70179,0,0,0,65820,65820,369,287,97,97,97,97,97,1622,97,97,97,97,97,97,97,1629,97,97,0,1794,1795,97,97,97,97,97,97,97,97,45,45,45,45,45,45,1745,45,45,97,639,18,0,139621,0,0,0,0,0,0,364,0,0,367,41606,45,731,45,45,45,45,45,45,67,67,67,67,67,67,67,67,67,67,67,67,251,67,67,67,67,67,798,67,67,67,67,67,67,67,67,67,67,67,67,1073,67,67,67,860,97,97,97,97,97,97,97,97,97,97,97,97,97,97,873,0,0,1101,97,97,97,97,97,97,97,97,97,97,97,97,97,921,97,0,67,67,67,67,1245,67,67,67,67,67,67,67,67,67,67,67,67,1250,67,67,1253,0,0,1312,0,0,0,1318,0,0,0,0,0,0,97,97,97,97,1106,97,97,97,97,97,97,97,97,97,1149,97,97,97,97,97,1155,97,97,1325,97,97,97,97,97,97,97,97,97,97,97,97,97,1141,97,97,67,67,1439,67,1441,67,67,67,67,67,67,67,67,67,67,67,67,1264,67,67,67,97,97,1492,97,1494,97,97,97,97,97,97,97,97,97,97,97,1331,97,97,97,97,67,67,67,2037,67,97,0,0,97,97,97,2043,97,45,45,45,442,45,45,45,45,45,45,45,45,45,45,45,67,67,67,67,67,67,232,67,67,67,67,67,67,67,67,1823,67,67,67,67,67,67,67,67,97,97,97,97,1975,0,0,97,874,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1142,97,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,65,86,117,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,63,84,115,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,61,82,113,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,59,80,111,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,57,78,109,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,55,76,107,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,53,74,105,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,51,72,103,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,49,70,101,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,47,68,99,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,45,67,97,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,213085,53264,18,49172,57366,24,8192,28,102432,0,0,0,44,0,0,32863,53264,18,49172,57366,24,8192,28,102432,0,41,41,41,0,0,1138688,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,0,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,89,53264,18,18,49172,0,57366,0,24,24,24,0,127,127,127,127,102432,67,262,67,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,342,97,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,360,0,0,364,0,367,41098,369,140,45,45,45,45,717,45,45,45,45,45,45,45,45,45,45,45,412,45,45,45,45,45,67,1009,67,67,67,67,67,67,67,67,67,67,67,67,67,1292,67,67,1294,67,67,67,67,67,67,67,67,67,67,0,0,0,0,0,0,97,97,97,1615,97,97,97,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,66,87,118,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,64,85,116,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,62,83,114,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,60,81,112,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,58,79,110,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,56,77,108,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,54,75,106,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,52,73,104,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,50,71,102,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,48,69,100,53264,18,49172,57366,24,8192,28,102432,37,110630,114730,106539,46,67,98,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,233472,53264,18,49172,57366,24,8192,28,102432,0,110630,114730,106539,0,0,69724,53264,18,18,49172,0,57366,262144,24,24,24,0,28,28,28,28,102432,45,45,161,45,45,45,45,45,45,45,45,45,45,45,45,45,710,45,45,28,139621,359,0,0,0,364,0,367,41098,369,140,45,45,45,45,1389,45,45,45,45,45,45,45,45,45,45,45,949,45,45,45,45,67,503,67,67,67,67,67,67,67,67,67,67,67,67,67,67,1449,67,67,97,600,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1154,97,0,0,0,0,925,41606,927,0,0,0,45,45,45,45,45,45,1866,67,67,67,67,67,67,67,67,67,67,772,67,67,67,67,67,45,45,969,45,45,45,45,45,45,45,45,45,45,45,45,45,951,45,45,45,45,1192,45,45,45,45,45,45,45,45,45,45,45,45,45,1202,45,45,0,0,0,1314,0,0,0,0,0,0,0,0,0,97,97,97,97,97,97,97,1488,67,67,267,67,67,67,67,0,37139,24853,0,0,0,0,41098,65820,97,347,97,97,97,97,0,53264,0,18,18,24,24,0,28,28,139621,0,361,0,0,364,0,367,41098,369,140,45,45,45,45,734,45,45,45,67,67,67,67,67,742,67,67,45,45,668,45,45,45,45,45,45,45,45,45,45,45,45,45,1214,45,45,1130,97,97,97,97,97,97,97,97,97,97,97,97,97,97,97,1361,97,45,45,1671,45,45,45,45,45,45,45,45,45,45,45,45,45,1552,45,45,0,0,0,0,2220032,0,0,1130496,0,0,0,0,2170880,2171020,2170880,2170880,18,0,0,131072,0,0,0,90112,0,2220032,0,0,0,0,0,0,0,0,97,97,97,1485,97,97,97,97,0,45,45,45,45,45,1537,45,45,45,45,45,1390,45,1393,45,45,45,45,1398,45,45,45,2170880,2171167,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2576384,2215936,3117056,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,0,0,0,0,0,2174976,0,0,0,0,0,0,2183168,0,0,0,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,2721252,2744320,2170880,2170880,2170880,2834432,2840040,2170880,2908160,2170880,2170880,2936832,2170880,2170880,2985984,2170880,2994176,2170880,2170880,3014656,2170880,3059712,3076096,3088384,2170880,2170880,2170880,2170880,0,0,0,0,2220032,0,0,0,1142784,0,0,0,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3215360,2215936,2215936,2215936,2215936,2215936,2437120,2215936,2215936,2215936,3117056,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,2215936,0,543,0,545,0,0,2183168,0,0,831,0,2170880,2170880,2170880,2400256,2170880,2170880,2170880,2170880,3031040,2170880,3055616,2170880,2170880,2170880,2170880,3092480,2170880,2170880,3125248,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,2170880,3198976,2170880,0,0,0,0,0,0,67,67,37139,37139,24853,24853,0,0,0,0,0,65820,65820,0,287,97,97,97,97,97,1783,0,0,97,97,97,97,97,97,0,0,97,97,97,97,97,97,1791,0,0,546,70179,0,0,0,0,552,0,97,97,97,97,97,97,97,604,97,97,97,97,97,97,97,97,97,97,1150,97,97,97,97,97,147456,147456,147456,147456,147456,147456,147456,147456,147456,147456,147456,147456,0,0,147456,0,0,0,0,925,41606,0,928,0,0,45,45,45,45,45,45,998,45,45,45,45,45,45,45,45,45,1562,45,1564,45,45,45,45,0,2158592,2158592,0,0,0,0,2232320,2232320,2232320,0,2240512,2240512,2240512,2240512,0,0,0,0,0,0,0,0,0,0,0,2170880,2170880,2170880,2416640],r.EXPECTED=[291,300,304,341,315,309,305,295,319,323,327,329,296,333,337,339,342,346,350,294,356,360,312,367,352,371,363,375,379,383,387,391,395,726,399,405,518,684,405,405,405,405,808,405,405,405,512,405,405,405,431,405,405,406,405,405,404,405,405,405,405,405,405,405,908,631,410,415,405,414,419,608,405,429,602,405,435,443,405,441,641,478,405,447,451,450,456,643,461,460,762,679,465,469,741,473,477,482,486,492,932,931,523,498,504,720,405,510,596,405,516,941,580,522,929,527,590,589,897,939,534,538,547,551,555,559,563,567,571,969,575,708,690,689,579,584,634,405,594,731,405,600,882,405,606,895,786,452,612,405,615,620,876,624,628,638,647,651,655,659,663,667,676,683,688,695,694,791,405,699,437,405,706,714,405,712,825,870,405,718,724,769,768,823,730,735,745,751,422,755,759,425,766,902,810,587,775,888,887,405,773,992,405,779,962,405,785,781,986,790,795,797,506,500,499,801,805,814,820,829,833,837,841,845,849,853,857,861,616,865,869,868,488,405,874,816,405,880,738,405,886,892,543,405,901,906,913,912,918,494,541,922,926,936,945,949,953,957,530,966,973,960,702,701,405,979,981,405,985,747,405,990,998,914,405,996,1004,672,975,974,1014,1002,1008,670,1012,405,405,405,405,405,401,1018,1022,1026,1106,1071,1111,1111,1111,1082,1145,1030,1101,1034,1038,1106,1106,1106,1106,1046,1206,1052,1106,1072,1111,1111,1042,1134,1065,1111,1112,1056,1160,1207,1062,1204,1208,1069,1106,1106,1106,1076,1111,1207,1161,1122,1205,1064,1094,1106,1106,1107,1111,1111,1111,1078,1086,1207,1092,1098,1046,1058,1106,1106,1110,1111,1111,1116,1120,1161,1126,1202,1104,1106,1145,1146,1129,1138,1088,1151,1048,1157,1153,1132,1141,1165,1107,1111,1172,1179,1109,1183,1175,1143,1147,1187,1108,1191,1195,1144,1199,1168,1212,1216,1220,1224,1228,1232,1236,1557,1247,1241,1241,1038,1434,1241,1241,1241,1241,1254,1275,1617,1241,1280,1287,1241,1241,1241,1287,1241,2114,1291,1241,1243,1241,2049,1824,2094,2095,1520,1309,1241,1241,1302,1241,1321,1311,1241,1241,1313,1778,1325,1336,1241,1241,1325,1330,1353,1241,1241,1695,1354,1241,1241,1241,1294,1686,1331,1241,1696,1368,1241,1338,1370,1241,1392,1399,1364,2017,1406,2016,1405,1716,1406,1407,1422,1417,1421,1241,1241,1241,1349,1426,1241,1774,1756,1241,1773,1241,1241,1345,1964,1812,1432,1241,1241,1345,1993,1459,1241,1241,1241,1395,1848,1767,1465,1241,1241,1394,1847,1242,1477,1241,1241,1428,1241,1445,1492,1241,1241,1438,1241,1499,1241,1241,1241,1455,1241,1818,1448,1241,1250,1241,2026,1623,1449,1241,1612,1616,1241,1614,1241,1257,1241,1241,1985,1292,1586,1512,1241,1517,2050,1526,1674,1519,1524,1647,2051,1532,1537,1551,1544,1550,1555,1561,1571,1578,1584,1590,1591,1653,1595,1602,1606,1610,1634,1628,1640,1633,1645,1241,1241,1241,1469,1241,1970,1651,1241,1270,1241,1241,1819,1449,1241,1293,1664,1241,1241,1481,1485,1574,1672,1241,1241,1513,1317,1487,1684,1241,1241,1533,1299,1694,1241,1241,1295,1241,1241,1241,1546,1700,1241,1241,1707,1241,1713,1241,1849,1715,1241,1720,1241,1276,1267,1241,1241,2107,1657,1864,1241,1881,1241,1326,1292,1241,1685,1358,1724,1338,1241,1363,1362,1342,1340,1361,1339,1833,1372,1360,1833,1833,1342,1343,1835,1341,1731,1738,1344,1241,1745,1241,1379,1241,1241,2092,1241,1388,1761,1754,1241,1386,1241,1400,1760,1241,1241,1241,1598,1734,1241,1241,1241,1635,1645,1241,1780,1766,1241,1241,1332,1771,1241,1241,1629,2079,1241,1242,1784,1241,1241,1680,1639,2063,1790,1241,1241,1741,1241,1241,1800,1241,1241,1762,1473,1241,1806,1241,1241,1786,1240,1709,1241,1241,1241,1668,1811,1241,1940,1241,1401,1974,1241,1408,1413,1382,1241,1816,1241,1241,1802,2086,1811,1241,1817,1945,1823,2095,2095,2047,2094,2046,2080,1241,1409,1312,1376,2096,2048,1241,1241,1807,1241,1241,1241,2035,1241,1241,1828,1241,2057,2061,1241,1241,1843,1241,2059,1241,1241,1241,1690,1847,1241,1241,1241,1703,2102,1848,1241,1241,1853,1292,1848,1241,2016,1857,1241,2002,1868,1241,1436,1241,1241,1271,1305,1241,1874,1241,1241,1884,2037,1892,1241,1890,1241,1461,1241,1241,1795,1241,1241,1891,1241,1878,1241,1888,1241,1888,1905,1896,2087,1912,1903,1241,1911,1906,1916,1905,2027,1863,1925,2088,1859,1861,1922,1927,1931,1935,1494,1241,1241,1918,1907,1939,1917,1944,1949,1241,1241,1451,1955,1241,1241,1241,1796,1727,2061,1241,1241,1899,1241,1660,1968,1241,1241,1951,1678,1978,1241,1241,1241,1839,1241,1241,1984,1982,1241,1488,1241,1241,1624,1450,1989,1241,1241,1241,1870,1995,1292,1241,1241,1958,1261,1241,1996,1241,1241,1241,2039,2008,1241,1241,1750,2e3,1241,1256,2001,1960,1241,1564,1241,1504,1241,1241,1442,1241,1241,1564,1528,1263,1241,1508,1241,1241,1468,1498,2006,1540,2015,1539,2014,1748,2013,1539,1831,2014,2012,1500,1567,2022,2021,1241,1580,1241,1241,2033,2037,1791,2045,2031,1241,1621,1241,1641,2044,1241,1241,1241,2093,1241,1241,2055,1241,1241,2067,1241,1283,1241,1241,1241,2101,2071,1241,1241,1241,2073,1848,2040,1241,1241,1241,2077,1241,1241,2106,1241,1241,2084,1241,2111,1241,1241,1381,1380,1241,1241,1241,2100,1241,2129,2118,2122,2126,2197,2133,3010,2825,2145,2698,2156,2226,2160,2161,2165,2174,2293,2194,2630,2201,2203,2152,3019,2226,2263,2209,2213,2218,2269,2292,2269,2269,2184,2226,2238,2148,2151,3017,2245,2214,2269,2269,2185,2226,2292,2269,2291,2269,2269,2269,2292,2205,3019,2226,2226,2160,2160,2160,2261,2160,2160,2160,2262,2276,2160,2160,2277,2216,2283,2216,2269,2269,2268,2269,2267,2269,2269,2269,2271,2568,2292,2269,2293,2269,2182,2190,2269,2186,2226,2226,2226,2226,2227,2160,2160,2160,2160,2263,2160,2275,2277,2282,2215,2217,2269,2269,2291,2269,2269,2293,2291,2269,2220,2269,2295,2294,2269,2269,2305,2233,2262,2278,2218,2269,2234,2226,2226,2228,2160,2160,2160,2289,2220,2294,2294,2269,2269,2304,2269,2160,2160,2287,2269,2269,2305,2269,2269,2312,2269,2269,2225,2226,2160,2287,2289,2219,2304,2295,2314,2234,2226,2314,2269,2226,2226,2160,2288,2219,2222,2304,2296,2269,2224,2160,2160,2269,2302,2294,2314,2224,2226,2288,2220,2294,2269,2290,2269,2269,2293,2269,2269,2269,2269,2270,2221,2313,2225,2227,2160,2300,2269,2225,2261,2309,2234,2229,2223,2318,2318,2318,2328,2336,2340,2344,2350,2637,2712,2358,2362,2372,2135,2378,2398,2135,2135,2135,2135,2136,2417,2241,2135,2378,2135,2135,2980,2984,2135,3006,2135,2135,2135,2945,2931,2425,2400,2135,2135,2135,2954,2135,2481,2433,2135,2135,2988,2824,2135,2135,2482,2434,2135,2135,2440,2445,2452,2135,2135,2998,3002,2961,2441,2446,2453,2463,2974,2135,2135,2135,2140,2642,2709,2459,2470,2465,2135,2135,3005,2135,2135,2987,2823,2458,2469,2464,2975,2135,2135,2135,2353,2488,2447,2324,2974,2135,2409,2459,2448,2135,2961,2487,2446,2476,2323,2973,2135,2135,2135,2354,2476,2974,2135,2135,2135,2957,2135,2135,2960,2135,2135,2135,2363,2409,2459,2474,2465,2487,2571,2973,2135,2135,2168,2973,2135,2135,2135,2959,2135,2135,2135,2506,2135,2957,2488,2170,2135,2135,2135,2960,2135,2818,2493,2135,2135,3033,2135,2135,2135,2934,2819,2494,2135,2135,2135,2976,2780,2499,2135,2135,2135,3e3,2968,2135,2935,2135,2135,2135,2364,2507,2135,2135,2934,2135,2135,2780,2492,2507,2135,2135,2506,2780,2135,2135,2782,2780,2135,2782,2135,2783,2374,2514,2135,2135,2135,3007,2530,2974,2135,2135,2135,3008,2135,2135,2134,2135,2526,2531,2975,2135,2135,3042,2581,2575,2956,2135,2135,2135,2394,2135,2508,2535,2840,2844,2495,2135,2135,2136,2684,2537,2842,2846,2135,2136,2561,2581,2551,2536,2841,2845,2975,3043,2582,2843,2555,2135,3040,3044,2538,2844,2975,2135,2135,2253,2644,2672,2542,2554,2135,2135,2346,2873,2551,2555,2135,2135,2135,2381,2559,2565,2538,2553,2135,2560,2914,2576,2590,2135,2135,2135,2408,2136,2596,2624,2135,2135,2135,2409,2135,2618,2597,3008,2135,2135,2380,2956,2601,2135,2135,2135,2410,2620,2624,2135,2136,2383,2135,2135,2783,2623,2135,2135,2393,2888,2136,2621,3008,2135,2618,2618,2622,2135,2135,2405,2414,2619,2384,2624,2135,2136,2950,2135,2138,2135,2139,2135,2604,2623,2135,2140,2878,2665,2957,2622,2135,2135,2428,2762,2606,2612,2135,2135,2501,2586,2604,3038,2135,2604,3036,2387,2958,2386,2135,2141,2135,2421,2387,2385,2135,2385,2384,2384,2135,2386,2628,2384,2135,2135,2501,2596,2591,2135,2135,2135,2400,2135,2634,2135,2135,2559,2580,2575,2648,2135,2135,2135,2429,2649,2135,2135,2135,2435,2654,2658,2135,2135,2135,2436,2649,2178,2659,2135,2135,2595,2601,2669,2677,2135,2135,2616,2957,2879,2665,2691,2135,2363,2367,2900,2878,2664,2690,2975,2877,2643,2670,2974,2671,2975,2135,2135,2619,2608,2669,2673,2135,2135,2653,2177,2672,2135,2135,2135,2486,2168,2251,2255,2695,2974,2709,2135,2135,2135,2487,2169,2399,2716,2975,2135,2363,2770,2776,2640,2717,2135,2135,2729,2135,2135,2641,2718,2135,2135,2135,2505,2135,2640,2257,2974,2135,2727,2975,2135,2365,2332,2895,2957,2135,2959,2135,2365,2749,2754,2959,2958,2958,2135,2380,2793,2799,2135,2735,2738,2135,2381,2135,2135,2940,2974,2135,2744,2135,2135,2739,2519,2976,2745,2135,2135,2135,2509,2755,2135,2135,2135,2510,2772,2778,2135,2135,2740,2520,2135,2771,2777,2135,2135,2759,2750,2792,2798,2135,2135,2781,2392,2779,2135,2135,2135,2521,2135,2679,2248,2135,2135,2681,2480,2135,2135,2786,3e3,2135,2679,2683,2135,2135,2416,2135,2135,2135,2525,2135,2730,2135,2135,2135,2560,2581,2135,2805,2135,2135,2804,2962,2832,2974,2135,2382,2135,2135,2958,2135,2135,2960,2135,2829,2833,2975,2961,2965,2969,2973,2968,2972,2135,2135,2135,2641,2135,2515,2966,2970,2851,2478,2135,2135,2808,2135,2809,2135,2135,2135,2722,2852,2479,2135,2135,2815,2135,2135,2766,2853,2480,2135,2857,2479,2135,2388,2723,2135,2364,2331,2894,2858,2480,2135,2135,2850,2478,2135,2135,2135,2806,2864,2135,2399,2256,2974,2865,2135,2135,2862,2135,2135,2135,2685,2807,2865,2135,2135,2807,2863,2135,2135,2135,2686,2884,2807,2135,2809,2807,2135,2135,2807,2806,2705,2810,2808,2700,2869,2702,2702,2702,2704,2883,2135,2135,2135,2730,2884,2135,2135,2135,2731,2321,2546,2135,2135,2876,2255,2889,2322,2547,2135,2401,2135,2135,2135,2949,2367,2893,2544,2973,2906,2973,2135,2135,2877,2663,2368,2901,2907,2974,2366,2899,2905,2972,2920,2974,2135,2135,2911,2900,2920,2363,2913,2918,2465,2941,2975,2135,2135,2924,2928,2974,2945,2931,2135,2135,2135,2765,2136,2955,2135,2135,2939,2931,2380,2135,2135,2380,2135,2135,2135,2780,2507,2137,2135,2137,2135,2139,2135,2806,2810,2135,2135,2135,2992,2135,2135,2962,2966,2970,2974,2135,2135,2787,3014,2135,2521,2993,2135,2135,2135,2803,2135,2135,2135,2618,2607,2997,3001,2135,2135,2963,2967,2971,2975,2135,2135,2791,2797,2135,3009,2999,3003,2787,3001,2135,2135,2964,2968,2785,2999,3003,2135,2135,2135,2804,2785,2999,3004,2135,2135,2135,2807,2135,2135,3023,2135,2135,2135,2811,2135,2135,3027,2135,2135,2135,2837,2968,3028,2135,2135,2135,2875,2135,2784,3029,2135,2408,2457,2446,0,14,0,-2120220672,1610612736,-2074083328,-2002780160,-2111830528,1073872896,1342177280,1075807216,4096,16384,2048,8192,0,8192,0,0,0,0,1,0,0,0,2,0,-2145386496,8388608,1073741824,0,2147483648,2147483648,2097152,2097152,2097152,536870912,0,0,134217728,33554432,1536,268435456,268435456,268435456,268435456,128,256,32,0,65536,131072,524288,16777216,268435456,2147483648,1572864,1835008,640,32768,65536,262144,1048576,2097152,196608,196800,196608,196608,0,131072,131072,131072,196608,196624,196608,196624,196608,196608,128,4096,16384,16384,2048,0,4,0,0,2147483648,2097152,0,1024,32,32,0,65536,1572864,1048576,32768,32768,32768,32768,196608,196608,196608,64,64,196608,196608,131072,131072,131072,131072,268435456,268435456,64,196736,196608,196608,196608,131072,196608,196608,16384,4,4,4,2,32,32,65536,1048576,12582912,1073741824,0,0,2,8,16,96,2048,32768,0,0,131072,268435456,268435456,268435456,256,256,196608,196672,196608,196608,196608,196608,4,0,256,256,256,256,32,32,32768,32,32,32,32,32768,268435456,268435456,268435456,196608,196608,196608,196624,196608,196608,196608,16,16,16,268435456,196608,64,64,64,196608,196608,196608,196672,268435456,64,64,196608,196608,16,196608,196608,196608,268435456,64,196608,131072,262144,4194304,25165824,33554432,134217728,268435456,268435456,196608,262152,8,256,512,3072,16384,200,-1073741816,8392713,40,8392718,520,807404072,40,520,100663304,0,0,-540651761,-540651761,257589048,0,262144,0,0,3,8,256,0,4,6,4100,8388612,0,0,0,3,4,8,256,512,1024,0,2097152,0,0,-537854471,-537854471,0,100663296,0,0,1,2,0,0,0,16384,0,0,0,96,14336,0,0,0,7,8,234881024,0,0,0,8,0,0,0,0,262144,0,0,16,64,384,512,0,1,1,0,12582912,0,0,0,0,33554432,67108864,-606084144,-606084144,-606084138,0,0,28,32,768,1966080,-608174080,0,0,0,14,35056,16,64,896,24576,98304,98304,131072,262144,524288,1048576,4194304,25165824,1048576,62914560,134217728,-805306368,0,384,512,16384,65536,131072,262144,29360128,33554432,134217728,268435456,1073741824,2147483648,262144,524288,1048576,29360128,33554432,524288,1048576,16777216,33554432,134217728,268435456,1073741824,0,0,0,123856,1966080,0,64,384,16384,65536,131072,16384,65536,524288,268435456,2147483648,0,0,524288,2147483648,0,0,1,16,0,256,524288,0,0,0,25,96,128,-537854471,0,0,0,32,7404800,-545259520,0,0,0,60,0,249,64768,1048576,6291456,6291456,25165824,100663296,402653184,1073741824,96,128,1280,2048,4096,57344,6291456,57344,6291456,8388608,16777216,33554432,201326592,1342177280,2147483648,0,57344,6291456,8388608,100663296,134217728,2147483648,0,0,0,1,8,16,64,128,64,128,256,1024,131072,131072,131072,262144,524288,16777216,57344,6291456,8388608,67108864,134217728,64,256,1024,2048,4096,57344,64,256,0,24576,32768,6291456,67108864,134217728,0,1,64,256,24576,32768,4194304,32768,4194304,67108864,0,0,64,256,0,0,24576,32768,0,16384,4194304,67108864,64,16384,0,0,1,64,256,16384,4194304,67108864,0,0,0,16384,0,16384,16384,0,-470447874,-470447874,-470447874,0,0,128,0,0,8,96,2048,32768,262144,8388608,35056,1376256,-471859200,0,0,14,16,224,2048,32768,2097152,4194304,8388608,-486539264,0,96,128,2048,32768,262144,2097152,262144,2097152,8388608,33554432,536870912,1073741824,2147483648,0,1610612736,2147483648,0,0,1,524288,1048576,12582912,0,0,0,151311,264503296,2097152,8388608,33554432,1610612736,2147483648,262144,8388608,33554432,536870912,67108864,4194304,0,4194304,0,4194304,4194304,0,0,524288,8388608,536870912,1073741824,2147483648,1,4097,8388609,96,2048,32768,1073741824,2147483648,0,96,2048,2147483648,0,0,96,2048,0,0,1,12582912,0,0,0,0,1641895695,1641895695,0,0,0,249,7404800,15,87808,1835008,1639972864,0,768,5120,16384,65536,1835008,1835008,12582912,16777216,1610612736,0,3,4,8,768,4096,65536,0,0,256,512,786432,8,256,512,4096,16384,1835008,16384,1835008,12582912,1610612736,0,0,0,256,0,0,0,4,8,16,32,1,2,8,256,16384,524288,16384,524288,1048576,12582912,1610612736,0,0,0,8388608,0,0,0,524288,4194304,0,0,0,8388608,-548662288,-548662288,-548662288,0,0,256,16384,65536,520093696,-1073741824,0,0,0,16777216,0,16,32,960,4096,4980736,520093696,1073741824,0,32,896,4096,57344,1048576,6291456,8388608,16777216,100663296,134217728,268435456,2147483648,0,512,786432,4194304,33554432,134217728,268435456,0,786432,4194304,134217728,268435456,0,524288,4194304,268435456,0,0,0,0,0,4194304,4194304,-540651761,0,0,0,2,4,8,16,96,128,264503296,-805306368,0,0,0,8,256,512,19456,131072,3072,16384,131072,262144,8388608,16777216,512,1024,2048,16384,131072,262144,131072,262144,8388608,33554432,201326592,268435456,0,3,4,256,1024,2048,57344,16384,131072,8388608,33554432,134217728,268435456,0,3,256,1024,16384,131072,33554432,134217728,1073741824,2147483648,0,0,256,524288,2147483648,0,3,256,33554432,134217728,1073741824,0,1,2,33554432,1,2,134217728,1073741824,0,1,2,134217728,0,0,0,64,0,0,0,16,32,896,4096,786432,4194304,16777216,33554432,201326592,268435456,1073741824,2147483648,0,0,0,15,0,4980736,4980736,4980736,70460,70460,3478332,0,0,1008,4984832,520093696,60,4864,65536,0,0,0,12,16,32,256,512,4096,65536,0,0,0,67108864,0,0,0,12,0,256,512,65536,0,0,1024,512,131072,131072,4,16,32,65536,0,4,16,32,0,0,0,4,16,0,0,16384,67108864,0,0,1,24,96,128,256,1024],r.TOKEN=["(0)","JSONChar","JSONCharRef","JSONPredefinedCharRef","ModuleDecl","Annotation","OptionDecl","Operator","Variable","Tag","EndTag","PragmaContents","DirCommentContents","DirPIContents","CDataSectionContents","AttrTest","Wildcard","EQName","IntegerLiteral","DecimalLiteral","DoubleLiteral","PredefinedEntityRef","'\"\"'","EscapeApos","AposChar","ElementContentChar","QuotAttrContentChar","AposAttrContentChar","NCName","QName","S","CharRef","CommentContents","DocTag","DocCommentContents","EOF","'!'","'\"'","'#'","'#)'","'$$'","''''","'('","'(#'","'(:'","'(:~'","')'","'*'","'*'","','","'-->'","'.'","'/'","'/>'","':'","':)'","';'","'<!--'","'<![CDATA['","'<?'","'='","'>'","'?'","'?>'","'NaN'","'['","']'","']]>'","'after'","'all'","'allowing'","'ancestor'","'ancestor-or-self'","'and'","'any'","'append'","'array'","'as'","'ascending'","'at'","'attribute'","'base-uri'","'before'","'boundary-space'","'break'","'by'","'case'","'cast'","'castable'","'catch'","'check'","'child'","'collation'","'collection'","'comment'","'constraint'","'construction'","'contains'","'content'","'context'","'continue'","'copy'","'copy-namespaces'","'count'","'decimal-format'","'decimal-separator'","'declare'","'default'","'delete'","'descendant'","'descendant-or-self'","'descending'","'diacritics'","'different'","'digit'","'distance'","'div'","'document'","'document-node'","'element'","'else'","'empty'","'empty-sequence'","'encoding'","'end'","'entire'","'eq'","'every'","'exactly'","'except'","'exit'","'external'","'first'","'following'","'following-sibling'","'for'","'foreach'","'foreign'","'from'","'ft-option'","'ftand'","'ftnot'","'ftor'","'function'","'ge'","'greatest'","'group'","'grouping-separator'","'gt'","'idiv'","'if'","'import'","'in'","'index'","'infinity'","'inherit'","'insensitive'","'insert'","'instance'","'integrity'","'intersect'","'into'","'is'","'item'","'json'","'json-item'","'key'","'language'","'last'","'lax'","'le'","'least'","'let'","'levels'","'loop'","'lowercase'","'lt'","'minus-sign'","'mod'","'modify'","'module'","'most'","'namespace'","'namespace-node'","'ne'","'next'","'no'","'no-inherit'","'no-preserve'","'node'","'nodes'","'not'","'object'","'occurs'","'of'","'on'","'only'","'option'","'or'","'order'","'ordered'","'ordering'","'paragraph'","'paragraphs'","'parent'","'pattern-separator'","'per-mille'","'percent'","'phrase'","'position'","'preceding'","'preceding-sibling'","'preserve'","'previous'","'processing-instruction'","'relationship'","'rename'","'replace'","'return'","'returning'","'revalidation'","'same'","'satisfies'","'schema'","'schema-attribute'","'schema-element'","'score'","'self'","'sensitive'","'sentence'","'sentences'","'skip'","'sliding'","'some'","'stable'","'start'","'stemming'","'stop'","'strict'","'strip'","'structured-item'","'switch'","'text'","'then'","'thesaurus'","'times'","'to'","'treat'","'try'","'tumbling'","'type'","'typeswitch'","'union'","'unique'","'unordered'","'updating'","'uppercase'","'using'","'validate'","'value'","'variable'","'version'","'weight'","'when'","'where'","'while'","'wildcards'","'window'","'with'","'without'","'word'","'words'","'xquery'","'zero-digit'","'{'","'{{'","'|'","'}'","'}}'"]},{}],"/node_modules/xqlint/lib/lexers/jsoniq_lexer.js":[function(e,t,n){"use strict";var r=e("./JSONiqTokenizer").JSONiqTokenizer,i=e("./lexer").Lexer,s="NaN|after|allowing|ancestor|ancestor-or-self|and|append|array|as|ascending|at|attribute|base-uri|before|boundary-space|break|by|case|cast|castable|catch|child|collation|comment|constraint|construction|contains|context|continue|copy|copy-namespaces|count|decimal-format|decimal-separator|declare|default|delete|descendant|descendant-or-self|descending|digit|div|document|document-node|element|else|empty|empty-sequence|encoding|end|eq|every|except|exit|external|false|first|following|following-sibling|for|from|ft-option|function|ge|greatest|group|grouping-separator|gt|idiv|if|import|in|index|infinity|insert|instance|integrity|intersect|into|is|item|json|json-item|jsoniq|last|lax|le|least|let|loop|lt|minus-sign|mod|modify|module|namespace|namespace-node|ne|next|node|nodes|not|null|object|of|only|option|or|order|ordered|ordering|paragraphs|parent|pattern-separator|per-mille|percent|preceding|preceding-sibling|previous|processing-instruction|rename|replace|return|returning|revalidation|satisfies|schema|schema-attribute|schema-element|score|select|self|sentences|sliding|some|stable|start|strict|switch|text|then|times|to|treat|true|try|tumbling|type|typeswitch|union|unordered|updating|validate|value|variable|version|when|where|while|window|with|words|xquery|zero-digit".split("|"),o=s.map(function(e){return{name:"'"+e+"'",token:"keyword"}}),u=s.map(function(e){return{name:"'"+e+"'",token:"text",next:function(e){e.pop()}}}),a="constant.language",f="constant",l="comment",c="xml-pe",h="constant.buildin",p=function(e){return"'"+e+"'"},d={start:[{name:p("(#"),token:h,next:function(e){e.push("Pragma")}},{name:p("(:"),token:"comment",next:function(e){e.push("Comment")}},{name:p("(:~"),token:"comment.doc",next:function(e){e.push("CommentDoc")}},{name:p("<!--"),token:l,next:function(e){e.push("XMLComment")}},{name:p("<?"),token:c,next:function(e){e.push("PI")}},{name:p("''"),token:"string",next:function(e){e.push("AposString")}},{name:p('"'),token:"string",next:function(e){e.push("QuotString")}},{name:"Annotation",token:"support.function"},{name:"ModuleDecl",token:"keyword",next:function(e){e.push("Prefix")}},{name:"OptionDecl",token:"keyword",next:function(e){e.push("_EQName")}},{name:"AttrTest",token:"support.type"},{name:"Variable",token:"variable"},{name:p("<![CDATA["),token:a,next:function(e){e.push("CData")}},{name:"IntegerLiteral",token:f},{name:"DecimalLiteral",token:f},{name:"DoubleLiteral",token:f},{name:"Operator",token:"keyword.operator"},{name:"EQName",token:function(e){return s.indexOf(e)!==-1?"keyword":"support.function"}},{name:p("("),token:"lparen"},{name:p(")"),token:"rparen"},{name:"Tag",token:"meta.tag",next:function(e){e.push("StartTag")}},{name:p("}"),token:"text",next:function(e){e.length>1&&e.pop()}},{name:p("{"),token:"text",next:function(e){e.push("start")}}].concat(o),_EQName:[{name:"EQName",token:"text",next:function(e){e.pop()}}].concat(u),Prefix:[{name:"NCName",token:"text",next:function(e){e.pop()}}].concat(u),StartTag:[{name:p(">"),token:"meta.tag",next:function(e){e.push("TagContent")}},{name:"QName",token:"entity.other.attribute-name"},{name:p("="),token:"text"},{name:p("''"),token:"string",next:function(e){e.push("AposAttr")}},{name:p('"'),token:"string",next:function(e){e.push("QuotAttr")}},{name:p("/>"),token:"meta.tag.r",next:function(e){e.pop()}}],TagContent:[{name:"ElementContentChar",token:"text"},{name:p("<![CDATA["),token:a,next:function(e){e.push("CData")}},{name:p("<!--"),token:l,next:function(e){e.push("XMLComment")}},{name:"Tag",token:"meta.tag",next:function(e){e.push("StartTag")}},{name:"PredefinedEntityRef",token:"constant.language.escape"},{name:"CharRef",token:"constant.language.escape"},{name:p("{{"),token:"text"},{name:p("}}"),token:"text"},{name:p("{"),token:"text",next:function(e){e.push("start")}},{name:"EndTag",token:"meta.tag",next:function(e){e.pop(),e.pop()}}],AposAttr:[{name:p("''"),token:"string",next:function(e){e.pop()}},{name:"EscapeApos",token:"constant.language.escape"},{name:"AposAttrContentChar",token:"string"},{name:"PredefinedEntityRef",token:"constant.language.escape"},{name:"CharRef",token:"constant.language.escape"},{name:p("{{"),token:"string"},{name:p("}}"),token:"string"},{name:p("{"),token:"text",next:function(e){e.push("start")}}],QuotAttr:[{name:p('"'),token:"string",next:function(e){e.pop()}},{name:"EscapeQuot",token:"constant.language.escape"},{name:"QuotAttrContentChar",token:"string"},{name:"PredefinedEntityRef",token:"constant.language.escape"},{name:"CharRef",token:"constant.language.escape"},{name:p("{{"),token:"string"},{name:p("}}"),token:"string"},{name:p("{"),token:"text",next:function(e){e.push("start")}}],Pragma:[{name:"PragmaContents",token:h},{name:p("#"),token:h},{name:p("#)"),token:h,next:function(e){e.pop()}}],Comment:[{name:"CommentContents",token:"comment"},{name:p("(:"),token:"comment",next:function(e){e.push("Comment")}},{name:p(":)"),token:"comment",next:function(e){e.pop()}}],CommentDoc:[{name:"DocCommentContents",token:"comment.doc"},{name:"DocTag",token:"comment.doc.tag"},{name:p("(:"),token:"comment.doc",next:function(e){e.push("CommentDoc")}},{name:p(":)"),token:"comment.doc",next:function(e){e.pop()}}],XMLComment:[{name:"DirCommentContents",token:l},{name:p("-->"),token:l,next:function(e){e.pop()}}],CData:[{name:"CDataSectionContents",token:a},{name:p("]]>"),token:a,next:function(e){e.pop()}}],PI:[{name:"DirPIContents",token:c},{name:p("?"),token:c},{name:p("?>"),token:c,next:function(e){e.pop()}}],AposString:[{name:p("''"),token:"string",next:function(e){e.pop()}},{name:"PredefinedEntityRef",token:"constant.language.escape"},{name:"CharRef",token:"constant.language.escape"},{name:"EscapeApos",token:"constant.language.escape"},{name:"AposChar",token:"string"}],QuotString:[{name:p('"'),token:"string",next:function(e){e.pop()}},{name:"JSONPredefinedCharRef",token:"constant.language.escape"},{name:"JSONCharRef",token:"constant.language.escape"},{name:"JSONChar",token:"string"}]};n.JSONiqLexer=function(){return new i(r,d)}},{"./JSONiqTokenizer":"/node_modules/xqlint/lib/lexers/JSONiqTokenizer.js","./lexer":"/node_modules/xqlint/lib/lexers/lexer.js"}],"/node_modules/xqlint/lib/lexers/lexer.js":[function(e,t,n){"use strict";var r=function(e){var t=e;this.tokens=[],this.reset=function(){t=t,this.tokens=[]},this.startNonterminal=function(){},this.endNonterminal=function(){},this.terminal=function(e,n,r){this.tokens.push({name:e,value:t.substring(n,r)})},this.whitespace=function(e,n){this.tokens.push({name:"WS",value:t.substring(e,n)})}};n.Lexer=function(e,t){this.tokens=[],this.getLineTokens=function(n,i){i=i==="start"||!i?'["start"]':i;var s=JSON.parse(i),o=new r(n),u=new e(n,o),a=[];for(;;){var f=s[s.length-1];try{o.tokens=[],u["parse_"+f]();var l=null;o.tokens.length>1&&o.tokens[0].name==="WS"&&(a.push({type:"text",value:o.tokens[0].value}),o.tokens.splice(0,1));var c=o.tokens[0],h=t[f];for(var p=0;p<h.length;p++){var d=t[f][p];if(typeof d.name=="function"&&d.name(c)||d.name===c.name){l=d;break}}if(c.name==="EOF")break;if(c.value==="")throw"Encountered empty string lexical rule.";a.push({type:l===null?"text":typeof l.token=="function"?l.token(c.value):l.token,value:c.value}),l&&l.next&&l.next(s)}catch(v){if(v instanceof u.ParseException){var m=0;for(var g=0;g<a.length;g++)m+=a[g].value.length;return a.push({type:"text",value:n.substring(m)}),{tokens:a,state:JSON.stringify(["start"])}}throw v}}return{tokens:a,state:JSON.stringify(s)}}}},{}]},{},["/node_modules/xqlint/lib/lexers/jsoniq_lexer.js"])}),ace.define("ace/mode/behaviour/xml",["require","exports","module","ace/lib/oop","ace/mode/behaviour","ace/token_iterator","ace/lib/lang"],function(e,t,n){"use strict";function u(e,t){return e.type.lastIndexOf(t+".xml")>-1}var r=e("../../lib/oop"),i=e("../behaviour").Behaviour,s=e("../../token_iterator").TokenIterator,o=e("../../lib/lang"),a=/\/{2}/,f=function(){this.add("string_dquotes","insertion",function(e,t,n,r,i){if(i=='"'||i=="'"){var o=i,a=r.doc.getTextRange(n.getSelectionRange());if(a!==""&&a!=="'"&&a!='"'&&n.getWrapBehavioursEnabled())return{text:o+a+o,selection:!1};var f=n.getCursorPosition(),l=r.doc.getLine(f.row),c=l.substring(f.column,f.column+1),h=new s(r,f.row,f.column),p=h.getCurrentToken();if(c==o&&(u(p,"attribute-value")||u(p,"string")))return{text:"",selection:[1,1]};p||(p=h.stepBackward());if(!p)return;while(u(p,"tag-whitespace")||u(p,"whitespace"))p=h.stepBackward();var d=!c||c.match(/\s/);if(u(p,"attribute-equals")&&(d||c==">")||u(p,"decl-attribute-equals")&&(d||c=="?"))return{text:o+o,selection:[1,1]}}}),this.add("string_dquotes","deletion",function(e,t,n,r,i){var s=r.doc.getTextRange(i);if(!i.isMultiLine()&&(s=='"'||s=="'")){var o=r.doc.getLine(i.start.row),u=o.substring(i.start.column+1,i.start.column+2);if(u==s)return i.end.column++,i}}),this.add("autoclosing","insertion",function(e,t,n,r,i){if(i==">"){var o=n.getSelectionRange().start,f=new s(r,o.row,o.column),l=f.getCurrentToken()||f.stepBackward();if(!l||!(u(l,"tag-name")||u(l,"tag-whitespace")||u(l,"attribute-name")||u(l,"attribute-equals")||u(l,"attribute-value")))return;if(u(l,"reference.attribute-value"))return;if(u(l,"attribute-value")){var c=l.value.charAt(0);if(c=='"'||c=="'"){var h=l.value.charAt(l.value.length-1),p=f.getCurrentTokenColumn()+l.value.length;if(p>o.column||p==o.column&&c!=h)return}}while(!u(l,"tag-name")){l=f.stepBackward();if(a.test(l.value))return;if(l.value=="<"){l=f.stepForward();break}}if(a.test(l.value))return;var d=f.getCurrentTokenRow(),v=f.getCurrentTokenColumn();if(u(f.stepBackward(),"end-tag-open"))return;var m=l.value;d==o.row&&(m=m.substring(0,o.column-v));if(this.voidElements.hasOwnProperty(m.toLowerCase()))return;return{text:"></"+m+">",selection:[1,1]}}}),this.add("autoindent","insertion",function(e,t,n,r,i){if(i=="\n"){var o=n.getCursorPosition(),u=r.getLine(o.row),a=new s(r,o.row,o.column),f=a.getCurrentToken();if(f&&f.type.indexOf("tag-close")!==-1){if(f.value=="/>")return;while(f&&f.type.indexOf("tag-name")===-1)f=a.stepBackward();if(!f)return;var l=f.value,c=a.getCurrentTokenRow();f=a.stepBackward();if(!f||f.type.indexOf("end-tag")!==-1)return;if(this.voidElements&&!this.voidElements[l]){u=r.getLine(c);var h=r.getTokenAt(o.row,o.column+1),p=this.$getIndent(u),d=p+r.getTabString();return h&&h.value==="</"?{text:"\n"+d+"\n"+p,selection:[1,d.length,1,d.length]}:{text:"\n"+d}}}}})};r.inherits(f,i),t.XmlBehaviour=f}),ace.define("ace/mode/behaviour/xquery",["require","exports","module","ace/lib/oop","ace/mode/behaviour","ace/mode/behaviour/cstyle","ace/mode/behaviour/xml","ace/token_iterator"],function(e,t,n){"use strict";function a(e,t){var n=!0,r=e.type.split("."),i=t.split(".");return i.forEach(function(e){if(r.indexOf(e)==-1)return n=!1,!1}),n}var r=e("../../lib/oop"),i=e("../behaviour").Behaviour,s=e("./cstyle").CstyleBehaviour,o=e("../behaviour/xml").XmlBehaviour,u=e("../../token_iterator").TokenIterator,f=function(){this.inherit(s,["braces","parens","string_dquotes"]),this.inherit(o),this.add("autoclosing","insertion",function(e,t,n,r,i){if(i==">"){var s=n.getCursorPosition(),o=new u(r,s.row,s.column),f=o.getCurrentToken(),l=!1,e=JSON.parse(e).pop();if(f&&f.value===">"||e!=="StartTag")return;if(!f||!a(f,"meta.tag")&&(!a(f,"text")||!f.value.match("/"))){do f=o.stepBackward();while(f&&(a(f,"string")||a(f,"keyword.operator")||a(f,"entity.attribute-name")||a(f,"text")))}else l=!0;var c=o.stepBackward();if(!f||!a(f,"meta.tag")||c!==null&&c.value.match("/"))return;var h=f.value.substring(1);if(l)var h=h.substring(0,s.column-f.start);return{text:"></"+h+">",selection:[1,1]}}})};r.inherits(f,i),t.XQueryBehaviour=f}),ace.define("ace/mode/folding/cstyle",["require","exports","module","ace/lib/oop","ace/range","ace/mode/folding/fold_mode"],function(e,t,n){"use strict";var r=e("../../lib/oop"),i=e("../../range").Range,s=e("./fold_mode").FoldMode,o=t.FoldMode=function(e){e&&(this.foldingStartMarker=new RegExp(this.foldingStartMarker.source.replace(/\|[^|]*?$/,"|"+e.start)),this.foldingStopMarker=new RegExp(this.foldingStopMarker.source.replace(/\|[^|]*?$/,"|"+e.end)))};r.inherits(o,s),function(){this.foldingStartMarker=/(\{|\[)[^\}\]]*$|^\s*(\/\*)/,this.foldingStopMarker=/^[^\[\{]*(\}|\])|^[\s\*]*(\*\/)/,this.singleLineBlockCommentRe=/^\s*(\/\*).*\*\/\s*$/,this.tripleStarBlockCommentRe=/^\s*(\/\*\*\*).*\*\/\s*$/,this.startRegionRe=/^\s*(\/\*|\/\/)#?region\b/,this._getFoldWidgetBase=this.getFoldWidget,this.getFoldWidget=function(e,t,n){var r=e.getLine(n);if(this.singleLineBlockCommentRe.test(r)&&!this.startRegionRe.test(r)&&!this.tripleStarBlockCommentRe.test(r))return"";var i=this._getFoldWidgetBase(e,t,n);return!i&&this.startRegionRe.test(r)?"start":i},this.getFoldWidgetRange=function(e,t,n,r){var i=e.getLine(n);if(this.startRegionRe.test(i))return this.getCommentRegionBlock(e,i,n);var s=i.match(this.foldingStartMarker);if(s){var o=s.index;if(s[1])return this.openingBracketBlock(e,s[1],n,o);var u=e.getCommentFoldRange(n,o+s[0].length,1);return u&&!u.isMultiLine()&&(r?u=this.getSectionRange(e,n):t!="all"&&(u=null)),u}if(t==="markbegin")return;var s=i.match(this.foldingStopMarker);if(s){var o=s.index+s[0].length;return s[1]?this.closingBracketBlock(e,s[1],n,o):e.getCommentFoldRange(n,o,-1)}},this.getSectionRange=function(e,t){var n=e.getLine(t),r=n.search(/\S/),s=t,o=n.length;t+=1;var u=t,a=e.getLength();while(++t<a){n=e.getLine(t);var f=n.search(/\S/);if(f===-1)continue;if(r>f)break;var l=this.getFoldWidgetRange(e,"all",t);if(l){if(l.start.row<=s)break;if(l.isMultiLine())t=l.end.row;else if(r==f)break}u=t}return new i(s,o,u,e.getLine(u).length)},this.getCommentRegionBlock=function(e,t,n){var r=t.search(/\s*$/),s=e.getLength(),o=n,u=/^\s*(?:\/\*|\/\/|--)#?(end)?region\b/,a=1;while(++n<s){t=e.getLine(n);var f=u.exec(t);if(!f)continue;f[1]?a--:a++;if(!a)break}var l=n;if(l>o)return new i(o,r,l,t.length)}}.call(o.prototype)}),ace.define("ace/mode/jsoniq",["require","exports","module","ace/worker/worker_client","ace/lib/oop","ace/mode/text","ace/mode/text_highlight_rules","ace/mode/xquery/jsoniq_lexer","ace/range","ace/mode/behaviour/xquery","ace/mode/folding/cstyle","ace/anchor"],function(e,t,n){"use strict";var r=e("../worker/worker_client").WorkerClient,i=e("../lib/oop"),s=e("./text").Mode,o=e("./text_highlight_rules").TextHighlightRules,u=e("./xquery/jsoniq_lexer").JSONiqLexer,a=e("../range").Range,f=e("./behaviour/xquery").XQueryBehaviour,l=e("./folding/cstyle").FoldMode,c=e("../anchor").Anchor,h=function(){this.$tokenizer=new u,this.$behaviour=new f,this.foldingRules=new l,this.$highlightRules=new o};i.inherits(h,s),function(){this.completer={getCompletions:function(e,t,n,r,i){if(!t.$worker)return i();t.$worker.emit("complete",{data:{pos:n,prefix:r}}),t.$worker.on("complete",function(e){i(null,e.data)})}},this.getNextLineIndent=function(e,t,n){var r=this.$getIndent(t),i=t.match(/\s*(?:then|else|return|[{\(]|<\w+>)\s*$/);return i&&(r+=n),r},this.checkOutdent=function(e,t,n){return/^\s+$/.test(t)?/^\s*[\}\)]/.test(n):!1},this.autoOutdent=function(e,t,n){var r=t.getLine(n),i=r.match(/^(\s*[\}\)])/);if(!i)return 0;var s=i[1].length,o=t.findMatchingBracket({row:n,column:s});if(!o||o.row==n)return 0;var u=this.$getIndent(t.getLine(o.row));t.replace(new a(n,0,n,s-1),u)},this.toggleCommentLines=function(e,t,n,r){var i,s,o=!0,u=/^\s*\(:(.*):\)/;for(i=n;i<=r;i++)if(!u.test(t.getLine(i))){o=!1;break}var f=new a(0,0,0,0);for(i=n;i<=r;i++)s=t.getLine(i),f.start.row=i,f.end.row=i,f.end.column=s.length,t.replace(f,o?s.match(u)[1]:"(:"+s+":)")},this.createWorker=function(e){var t=new r(["ace"],"ace/mode/xquery_worker","XQueryWorker"),n=this;return t.attachToDocument(e.getDocument()),t.on("ok",function(t){e.clearAnnotations()}),t.on("markers",function(t){e.clearAnnotations(),n.addMarkers(t.data,e)}),t},this.removeMarkers=function(e){var t=e.getMarkers(!1);for(var n in t)t[n].clazz.indexOf("language_highlight_")===0&&e.removeMarker(n);for(var r=0;r<e.markerAnchors.length;r++)e.markerAnchors[r].detach();e.markerAnchors=[]},this.addMarkers=function(e,t){var n=this;t.markerAnchors||(t.markerAnchors=[]),this.removeMarkers(t),t.languageAnnos=[],e.forEach(function(e){function u(i){r&&t.removeMarker(r),o.row=n.row;if(e.pos.sc!==undefined&&e.pos.ec!==undefined){var s=new a(e.pos.sl,e.pos.sc,e.pos.el,e.pos.ec);r=t.addMarker(s,"language_highlight_"+(e.type?e.type:"default"))}i&&t.setAnnotations(t.languageAnnos)}var n=new c(t.getDocument(),e.pos.sl,e.pos.sc||0);t.markerAnchors.push(n);var r,i=e.pos.ec-e.pos.sc,s=e.pos.el-e.pos.sl,o={guttertext:e.message,type:e.level||"warning",text:e.message};u(),n.on("change",function(){u(!0)}),e.message&&t.languageAnnos.push(o)}),t.setAnnotations(t.languageAnnos)},this.$id="ace/mode/jsoniq"}.call(h.prototype),t.Mode=h})
233,318
233,318
0.77997
c8997ed9c01e57034d57a4a3ddc906b23e95d0c4
1,618
js
JavaScript
prueba-gana-back/Routers/productRouter.js
DanielC1492/prueba-gana-energia
c34aa46e255ed1248d1baf5da1da829c52998b09
[ "MIT" ]
null
null
null
prueba-gana-back/Routers/productRouter.js
DanielC1492/prueba-gana-energia
c34aa46e255ed1248d1baf5da1da829c52998b09
[ "MIT" ]
null
null
null
prueba-gana-back/Routers/productRouter.js
DanielC1492/prueba-gana-energia
c34aa46e255ed1248d1baf5da1da829c52998b09
[ "MIT" ]
null
null
null
const routerProduct = require('express').Router(); const productController = require('../Controllers/productController'); const productSchema = require('../Models/productModel'); //API use routerProduct.post("/add", async(req, res) => { try { const id = await productController.addProduct(req.body) res.json(id); } catch (error) { return res.status(500).json({ message: error.message }); } }); routerProduct.get("/all", async(req, res) => { try { res.json(await productController.findAllProducts()) } catch (error) { return res.status(500).json({ message: error.message }); } }); routerProduct.get("/:id", async(req, res) => { try { const id = req.params.id; res.json(await productController.findById(id)) } catch (err) { return res.status(500).json({ message: error.message }); } }); routerProduct.put('/:id', async(req, res) => { try { const id = req.params.id; res.json(await productController.updateProduct(id, new productSchema(req.body.id))); } catch (error) { return res.status(500).json({ message: error.message }); } }); routerProduct.delete('/:id', async(req, res) => { try { const id = req.params.id; const status = 'deleted' await productController.deleteProduct(id); res.json({ status, id }); } catch (error) { return res.status(500).json({ message: error.message }); } }); module.exports = routerProduct;
24.892308
92
0.568603
c899ab26450f95a3b7e3868853bab2506c10e899
5,589
js
JavaScript
assets/js/261.aff7603c.js
face-gale/face-gale.github.io
3ed846c0c5b0be722e8ddefbb9cdec0c7d17e4e6
[ "MIT" ]
null
null
null
assets/js/261.aff7603c.js
face-gale/face-gale.github.io
3ed846c0c5b0be722e8ddefbb9cdec0c7d17e4e6
[ "MIT" ]
1
2020-07-30T10:00:40.000Z
2020-07-30T10:00:40.000Z
assets/js/261.aff7603c.js
face-gale/face-gale.github.io
3ed846c0c5b0be722e8ddefbb9cdec0c7d17e4e6
[ "MIT" ]
null
null
null
(window.webpackJsonp=window.webpackJsonp||[]).push([[261],{607:function(v,t,_){"use strict";_.r(t);var e=_(42),s=Object(e.a)({},(function(){var v=this,t=v.$createElement,_=v._self._c||t;return _("ContentSlotsDistributor",{attrs:{"slot-key":v.$parent.slotKey}},[_("h1",{attrs:{id:"linux-文件权限管理"}},[_("a",{staticClass:"header-anchor",attrs:{href:"#linux-文件权限管理"}},[v._v("#")]),v._v(" Linux 文件权限管理")]),v._v(" "),_("h2",{attrs:{id:"查看文件和目录的权限"}},[_("a",{staticClass:"header-anchor",attrs:{href:"#查看文件和目录的权限"}},[v._v("#")]),v._v(" 查看文件和目录的权限")]),v._v(" "),_("p",[_("code",[v._v("ls –al")]),v._v("使用 "),_("code",[v._v("ls")]),v._v(" 不带参数只显示文件名称,通过"),_("code",[v._v("ls –al")]),v._v(" 可以显示文件或者目录的权限信息。")]),v._v(" "),_("p",[_("code",[v._v("ls -l 文件名")]),v._v(" 显示信息包括:文件类型 ("),_("code",[v._v("d")]),v._v(" 目录,"),_("code",[v._v("-")]),v._v(" 普通文件,"),_("code",[v._v("l")]),v._v(" 链接文件),文件权限,文件的用户,文件的所属组,文件的大小,文件的创建时间,文件的名称")]),v._v(" "),_("p",[_("code",[v._v("-rw-r--r-- 1 lusifer lusifer 675 Oct 26 17:20 .profile")])]),v._v(" "),_("div",{staticClass:"custom-block tip"},[_("p",{staticClass:"custom-block-title"},[v._v("参数说明")]),v._v(" "),_("ul",[_("li",[_("code",[v._v("-")]),v._v(":普通文件")]),v._v(" "),_("li",[_("code",[v._v("rw-")]),v._v(":说明用户lusifer有读写权限,没有运行权限")]),v._v(" "),_("li",[_("code",[v._v("r--")]),v._v(":表示用户组 lusifer只有读权限,没有写和运行的权限")]),v._v(" "),_("li",[_("code",[v._v("r--")]),v._v(":其他用户只有读权限,没有写权限和运行的权限")])])]),v._v(" "),_("table",[_("thead",[_("tr",[_("th",[v._v("-rw-r--r--")]),v._v(" "),_("th",[v._v("1")]),v._v(" "),_("th",[v._v("lusifer")]),v._v(" "),_("th",[v._v("lusifer")]),v._v(" "),_("th",[v._v("675")]),v._v(" "),_("th",[v._v("Oct 26 17:20")]),v._v(" "),_("th",[v._v(".profile")])])]),v._v(" "),_("tbody",[_("tr",[_("td",[v._v("文档类型及权限")]),v._v(" "),_("td",[v._v("连接数")]),v._v(" "),_("td",[v._v("文档所属用户")]),v._v(" "),_("td",[v._v("文档所属组")]),v._v(" "),_("td",[v._v("文档大小")]),v._v(" "),_("td",[v._v("文档最后被修改日期")]),v._v(" "),_("td",[v._v("文档名称")])])])]),v._v(" "),_("table",[_("thead",[_("tr",[_("th",[v._v("-")]),v._v(" "),_("th",[v._v("rw-")]),v._v(" "),_("th",[v._v("r--")]),v._v(" "),_("th",[v._v("r--")])])]),v._v(" "),_("tbody",[_("tr",[_("td",[v._v("文档类型")]),v._v(" "),_("td",[v._v("文档所有者权限(user)")]),v._v(" "),_("td",[v._v("文档所属用户组权限(group)")]),v._v(" "),_("td",[v._v("其他用户权限(other)")])])])]),v._v(" "),_("p",[v._v("连接数指有多少个文件指向同一个索引节点。文档所属用户和所属组就是文档属于哪个用户和用户组。文件所属用户和组是可以更改的。文档大小默认是 bytes。")]),v._v(" "),_("div",{staticClass:"custom-block tip"},[_("p",{staticClass:"custom-block-title"},[v._v("文档类型")]),v._v(" "),_("ul",[_("li",[_("code",[v._v("d")]),v._v(" :表示目录")]),v._v(" "),_("li",[_("code",[v._v("l")]),v._v(" :表示软连接")]),v._v(" "),_("li",[_("code",[v._v("–")]),v._v(" :表示文件")]),v._v(" "),_("li",[_("code",[v._v("c")]),v._v(" :表示串行端口字符设备文件")]),v._v(" "),_("li",[_("code",[v._v("b")]),v._v(" :表示可供存储的块设备文件")]),v._v(" "),_("li",[v._v("余下的字符 3 个字符为一组。r 只读,w 可写,x 可执行,- 表示无此权限")])])]),v._v(" "),_("h2",{attrs:{id:"更改操作权限"}},[_("a",{staticClass:"header-anchor",attrs:{href:"#更改操作权限"}},[v._v("#")]),v._v(" 更改操作权限")]),v._v(" "),_("ul",[_("li",[_("code",[v._v("chown [-R] 用户名称 文件或者目录")])]),v._v(" "),_("li",[_("code",[v._v("chown [-R] 用户名称 用户组名称 文件或目录")])]),v._v(" "),_("li",[_("code",[v._v("chmod [who] [+ | - | =] [mode] 文件名")])])]),v._v(" "),_("p",[_("code",[v._v("chown")]),v._v("是 "),_("code",[v._v("change owner")]),v._v(" 的意思,主要作用就是改变文件或者目录所有者,所有者包含用户和用户组。"),_("code",[v._v("-R")]),v._v(":进行递归式的权限更改,将目录下的所有文件、子目录更新为指定用户组权限。\n"),_("code",[v._v("chmod")]),v._v("表示改变访问权限。mode表示可执行的权限,可以是 r、w、x。\nwho表示操作对象可以是以下字母的一个或者组合:")]),v._v(" "),_("ul",[_("li",[v._v("u:用户 user")]),v._v(" "),_("li",[v._v("g:用户组 group")]),v._v(" "),_("li",[v._v("o:表示其他用户")]),v._v(" "),_("li",[v._v("a:表示所有用户是系统默认的\n操作符号")]),v._v(" "),_("li",[v._v("+:表示添加某个权限")]),v._v(" "),_("li",[v._v("-:表示取消某个权限")]),v._v(" "),_("li",[v._v("=:赋予给定的权限,取消文档以前的所有权限")])]),v._v(" "),_("p",[v._v("实例:")]),v._v(" "),_("div",{staticClass:"language- extra-class"},[_("pre",{pre:!0,attrs:{class:"language-text"}},[_("code",[v._v("lusifer@UbuntuBase:~$ ls -al test.txt \n-rw-rw-r-- 1 lusifer lusifer 6 Nov 2 21:47 test.txt\nlusifer@UbuntuBase:~$ chmod u=rwx,g+r,o+r test.txt \nlusifer@UbuntuBase:~$ ls -al test.txt \n-rwxrw-r-- 1 lusifer lusifer 6 Nov 2 21:47 test.txt\nlusifer@UbuntuBase:~$\n")])])]),_("div",{staticClass:"custom-block tip"},[_("p",{staticClass:"custom-block-title"},[v._v("数字设定法")]),v._v(" "),_("ul",[_("li",[v._v("0 表示没有任何权限")]),v._v(" "),_("li",[v._v("1 表示有可执行权限 = x")]),v._v(" "),_("li",[v._v("2 表示有可写权限 = w")]),v._v(" "),_("li",[v._v("4 表示有可读权限 = r")])])]),v._v(" "),_("p",[v._v("也可以用数字来表示权限如 chmod 755 file_name")]),v._v(" "),_("table",[_("thead",[_("tr",[_("th",[v._v("r w x")]),v._v(" "),_("th",[v._v("r – x")]),v._v(" "),_("th",[v._v("r - x")])])]),v._v(" "),_("tbody",[_("tr",[_("td",[v._v("4 2 1")]),v._v(" "),_("td",[v._v("4 - 1")]),v._v(" "),_("td",[v._v("4 - 1")])]),v._v(" "),_("tr",[_("td",[v._v("user")]),v._v(" "),_("td",[v._v("group")]),v._v(" "),_("td",[v._v("others")])])])]),v._v(" "),_("p",[v._v("若要 rwx 属性则 4+2+1=7")]),v._v(" "),_("p",[v._v("若要 rw- 属性则 4+2=6")]),v._v(" "),_("p",[v._v("若要 r-x 属性则 4+1=5")]),v._v(" "),_("div",{staticClass:"language- extra-class"},[_("pre",{pre:!0,attrs:{class:"language-text"}},[_("code",[v._v("lusifer@UbuntuBase:~$ chmod 777 test.txt \nlusifer@UbuntuBase:~$ ls -al test.txt \n-rwxrwxrwx 1 lusifer lusifer 6 Nov 2 21:47 test.txt\n\nlusifer@UbuntuBase:~$ chmod 770 test.txt \nlusifer@UbuntuBase:~$ ls -al test.txt \n-rwxrwx--- 1 lusifer lusifer 6 Nov 2 21:47 test.txt\n")])])])])}),[],!1,null,null,null);t.default=s.exports}}]);
5,589
5,589
0.523171
c89a19eab3c1539d5489872cb564ec10d8ede71a
90
js
JavaScript
node_modules/@types/theme-ui/node_modules/theme-ui/jsx-runtime/dist/theme-ui-jsx-runtime.esm.js
fgirse/commodore3
593894ef469c6130086f98c5404c2b957df93264
[ "MIT" ]
3
2021-06-14T05:19:06.000Z
2021-10-04T11:04:57.000Z
node_modules/@types/theme-ui/node_modules/theme-ui/jsx-runtime/dist/theme-ui-jsx-runtime.esm.js
fgirse/commodore3
593894ef469c6130086f98c5404c2b957df93264
[ "MIT" ]
2
2022-02-25T01:31:23.000Z
2022-02-27T11:57:56.000Z
node_modules/@types/theme-ui/node_modules/theme-ui/jsx-runtime/dist/theme-ui-jsx-runtime.esm.js
fgirse/commodore3
593894ef469c6130086f98c5404c2b957df93264
[ "MIT" ]
3
2021-06-15T23:56:08.000Z
2021-10-13T04:50:33.000Z
export { Fragment } from 'react'; export { jsx, jsxs } from '@theme-ui/core/jsx-runtime';
30
55
0.677778
c89a3349397afd710301b84f87709db4ff1b1d74
5,188
js
JavaScript
src/js/ChangeLog.js
HikariDev/OIT-CX
29b4d8c9a52a3989dd5bc402a06f95192e8ab23e
[ "MIT" ]
null
null
null
src/js/ChangeLog.js
HikariDev/OIT-CX
29b4d8c9a52a3989dd5bc402a06f95192e8ab23e
[ "MIT" ]
null
null
null
src/js/ChangeLog.js
HikariDev/OIT-CX
29b4d8c9a52a3989dd5bc402a06f95192e8ab23e
[ "MIT" ]
1
2021-04-28T16:51:57.000Z
2021-04-28T16:51:57.000Z
import React from 'react'; import '../css/ChangeLog.css'; import emailChangeImage from '../update-log-res/update-screenshot-01.png'; import postShiftButtonImage from '../update-log-res/update-screenshot-02.png'; import dayOfTheWeekShifts from '../update-log-res/update-screenshot-03.png'; export default class ChangeLog extends React.Component { render(){ return( <div class = {'ChangeLogCnt'}> <h1>Change Log for OIT-CX</h1> <UpdateHeader date = {'02/15/2020'} updateNumber = {'1'}/> <ChangesContainer> <SubHeader text = {'Emails'}/> <ChangeElement title = {'Emails for Shifts being covered'} content = { ` Emails will now be sent to the shift requester and the person who picked up a shift. ` } image = {emailChangeImage}/> <ChangeElement title = {'Emails and permanent shifts'} content = { ` There is now a item in the details section of the shift email notifications that show if a shift is permanent or not. ` }/> <SubHeader text = {'Shifts'}/> <ChangeElement title = {'Shift cards now display the day of the week'} content = { ` For normal shifts (open and picked up) the day of the week will be displayed before the numerical date. For permanent shifts the day of the week is the only information displayed in the title. ` } image = {dayOfTheWeekShifts}/> <ChangeElement title = {'Fixed a crash on the post shift page'} content = { ` Hovering over the footer will no longer crash the page. ` }/> <ChangeElement title = {'Fixed Posting Shift Warnings'} content = {` Long shift time and over night warnings were being displayed when using preset shifts like (mobile and call-in) `}/> <ChangeElement title = {'Changed the highlight color of shifts'} content = { ` The highlight color when hovering over a shift in the shifts page is now a darker appearance rather than a lighter appearance. ` }/> <ChangeElement title = {'Changed the post shift button'} content = { ` The post shift button now actually looks like a button. ` } image = {postShiftButtonImage}/> <SubHeader text = {'Other Changes and Bug Fixes'}/> <ChangeElement title = {'Fixed the text color for input text containers'} content = { ` changed the text color for the dark theme style from black to white. ` }/> <ChangeElement title = {'Changed the mobile header background'} content = { ` Mobile page headers now reflect the dark theme. ` }/> <ChangeElement title = {'Back-End'} content = { ` Various improvements and small bug fixes. Implemented 30+ unit tests for services and models ` }/> <ChangeElement title = {'Helpdesk Record Merge'} content = { ` Fixed a parsing error that caused helpdesk records to not be merged into a legacy table. Implemented unit and integration tests that test this single action and adjacent actions. ` }/> </ChangesContainer> </div> ); } } class ChangesContainer extends React.Component { constructor(props){ super(props); } render(){ return( <div class = {'list-cnt'}> {this.props.children} </div> ); } } function UpdateHeader(props){ return ( <div> <div class = {'header-details'}> <h2 style = {{marginRight:'15px'}}>Update #{props.updateNumber}:</h2> <h2>{props.date}</h2> </div> </div> ); } function SubHeader(props){ const style = { color:'#ffcc33' } return( <h2 style = {style}>{props.text}</h2> ); } function ChangeElement(props){ return( <div className = {'element-details'}> <h3>&bull; {props.title}</h3> <p className = {'element-content'}>{props.content}</p> {props.image && <img className = {'image'} src = {props.image}></img> } </div> ) }
36.27972
150
0.480918
c89ab5fce5867dbae0a1351d0e66c0de55620249
587
js
JavaScript
saga/P/async/src/components/Picker.js
imuntil/React
2ff6d941df1313c014a938e5526250927bf24a99
[ "MIT" ]
null
null
null
saga/P/async/src/components/Picker.js
imuntil/React
2ff6d941df1313c014a938e5526250927bf24a99
[ "MIT" ]
86
2020-08-20T03:18:28.000Z
2022-03-08T22:49:59.000Z
saga/P/async/src/components/Picker.js
imuntil/React
2ff6d941df1313c014a938e5526250927bf24a99
[ "MIT" ]
null
null
null
import React from 'react' import PropTypes from 'prop-types' function Picker({value, onChange, options}) { return ( <span> <h1>{value}</h1> <select onChange={e => onChange(e.target.value)} value={value}> { options.map(option => <option value={option} key={option}>{option}</option> ) } </select> </span> ) } Picker.propTypes = { options: PropTypes.arrayOf( PropTypes.string.isRequired ).isRequired, value: PropTypes.string.isRequired, onChange: PropTypes.func.isRequired } export default Picker
21.740741
69
0.618399
c89c9f3bd1e29fc05bc8c372ac254b413f2ffbc4
1,535
js
JavaScript
src/resources/3_0_1/profiles/devicemetric/query.js
michelekorell/graphql-fhir
be3b700d1c485e76b99ff9f1803047e742827b5f
[ "MIT" ]
2
2020-05-15T06:23:02.000Z
2020-05-15T06:23:06.000Z
src/resources/3_0_1/profiles/devicemetric/query.js
michelekorell/graphql-fhir
be3b700d1c485e76b99ff9f1803047e742827b5f
[ "MIT" ]
null
null
null
src/resources/3_0_1/profiles/devicemetric/query.js
michelekorell/graphql-fhir
be3b700d1c485e76b99ff9f1803047e742827b5f
[ "MIT" ]
null
null
null
// Schemas const DeviceMetricSchema = require('../../schemas/devicemetric.schema'); const BundleSchema = require('../../schemas/bundle.schema'); // Arguments const DeviceMetricArgs = require('../../parameters/devicemetric.parameters'); const CommonArgs = require('../../parameters/common.parameters'); // Resolvers const { devicemetricResolver, devicemetricListResolver, devicemetricInstanceResolver, } = require('./resolver'); // Scope Utilities const { scopeInvariant } = require('../../../../utils/scope.utils'); let scopeOptions = { name: 'DeviceMetric', action: 'read', version: '3_0_1', }; /** * @name exports.DeviceMetricQuery * @summary DeviceMetric Query. */ module.exports.DeviceMetricQuery = { args: Object.assign({}, CommonArgs, DeviceMetricArgs), description: 'Query for a single DeviceMetric', resolve: scopeInvariant(scopeOptions, devicemetricResolver), type: DeviceMetricSchema, }; /** * @name exports.DeviceMetricListQuery * @summary DeviceMetricList Query. */ module.exports.DeviceMetricListQuery = { args: Object.assign({}, CommonArgs, DeviceMetricArgs), description: 'Query for multiple DeviceMetrics', resolve: scopeInvariant(scopeOptions, devicemetricListResolver), type: BundleSchema, }; /** * @name exports.DeviceMetricInstanceQuery * @summary DeviceMetricInstance Query. */ module.exports.DeviceMetricInstanceQuery = { description: 'Get information about a single DeviceMetric', resolve: scopeInvariant(scopeOptions, devicemetricInstanceResolver), type: DeviceMetricSchema, };
27.410714
77
0.752443
c89d1386cfac1400bf3477e6fdad2c7a237d604f
2,978
js
JavaScript
app/scripts/directive/angulargrid.min.js
tushariscoolster/ngdiscuss
56426d14834ee1e7ea19e4b7462b4f36738cb0e9
[ "MIT" ]
null
null
null
app/scripts/directive/angulargrid.min.js
tushariscoolster/ngdiscuss
56426d14834ee1e7ea19e4b7462b4f36738cb0e9
[ "MIT" ]
null
null
null
app/scripts/directive/angulargrid.min.js
tushariscoolster/ngdiscuss
56426d14834ee1e7ea19e4b7462b4f36738cb0e9
[ "MIT" ]
null
null
null
/* angularGrid.js v 0.1.2 Author: Sudhanshu Yadav Copyright (c) 2015 Sudhanshu Yadav - ignitersworld.com , released under the MIT license. Demo on: http://ignitersworld.com/lab/angulargrid/demo1.html Documentation and download on https://github.com/s-yadav/angulargrid */ ;!function(t,a){"use strict";function n(t){return t.complete&&("undefined"==typeof t.naturalWidth||0!==t.naturalWidth)}function i(t){return Array.prototype.slice.call(t)}var e={gridWidth:300,gutterSize:10,refreshOnImgLoad:!0},r=function(){var n=t.element(a);return function(t){return n[0]=t,n}}();t.element(document.head).append("<style>.ag-no-transition{-webkit-transition: none !important;transition: none !important; visibility:hidden; opacity:0;}</style>"),t.module("angularGrid",[]).directive("angularGrid",["$timeout","$window","$q","angularGridInstance",function(a,d,o,l){return{restrict:"A",link:function(s,g,u){function h(){var t=w.offsetWidth;v=Math.floor(t/(I.gridWidth+I.gutterSize));var a=t%(I.gridWidth+I.gutterSize)+I.gutterSize;C=I.gridWidth+Math.floor(a/v),m.css({width:C+"px",height:"auto"}),S.length=0;for(var n=0;v>n;n++)S.push(0);return C}function c(){var a,n,e=h();i(m.find("img")).forEach(function(a){var n=t.element(a);if(n.hasClass("img-loaded"))return void n.css("height","");var i,e=n.attr("actual-width")||n.attr("data-actual-width"),r=n.attr("actual-height")||n.attr("data-actual-height");e&&r&&(i=a.width,u=r*i/e,n.css("height",u+"px"))});var d,o,l,s=[];for(a=0,n=m.length;n>a;a++)d=m[a],o=r(d),l=o.clone(),l.addClass("ag-no-transition"),l.css("width",e+"px"),o.after(l),s.push(l[0].offsetHeight),l.remove();for(a=0,n=m.length;n>a;a++){d=r(m[a]);var u=s[a],c=Math.min.apply(Math,S),f=S.indexOf(c);S[f]=c+u+I.gutterSize;var p=f*(e+I.gutterSize);d.css({top:c+"px",left:p+"px"})}g.css("height",Math.max.apply(Math,S)+"px")}function f(){var e=!1;i(m).forEach(function(r){var d=t.element(r),l=d.find("img"),s=[];l.length&&(d.addClass("img-loading"),i(l).forEach(function(i){var r=t.element(i);n(i)?r.addClass("img-loaded"):s.push(o(function(t,n){r.addClass("img-loading"),i.onload=function(){!e&&I.refreshOnImgLoad&&(e=!0,a(function(){c(),e=!1},100)),r.removeClass("img-loading").addClass("img-loaded"),t()},i.onerror=n}))}),s.length?o.all(s).then(function(){d.removeClass("img-loading").addClass("img-loaded")},function(){d.removeClass("img-loading").addClass("img-loaded")}):d.removeClass("img-loading").addClass("img-loaded"))})}var m,p,v,C,w=g[0],z=t.element(d),W=u.angularGridId,y=u.angularGrid,S=[],I={gridWidth:u.gridWidth?parseInt(u.gridWidth):e.gridWidth,gutterSize:u.gutterSize?parseInt(u.gutterSize):e.gutterSize,refreshOnImgLoad:"false"==u.refreshOnImgLoad?!1:!0};s.$watch(y,function(){a(function(){m=g.children(),c(),f(),a(function(){g.addClass("angular-grid"),c()})})},!0),z.on("resize",function(){p&&a.cancel(p),p=a(function(){c()},100)}),W&&(l[W]={refresh:c})}}}]).factory("angularGridInstance",function(){var t={};return t})}(angular,window);
330.888889
2,684
0.69006
c89d29c1b7dd836ba578b2f0860c7548803e6584
5,818
js
JavaScript
epvStorePersistentIdbKeyVal.js
KAESapps/data
52ed08580413f6671884fda181d790a3e5d23a3b
[ "MIT" ]
null
null
null
epvStorePersistentIdbKeyVal.js
KAESapps/data
52ed08580413f6671884fda181d790a3e5d23a3b
[ "MIT" ]
1
2021-06-11T09:46:24.000Z
2021-06-11T09:46:24.000Z
epvStorePersistentIdbKeyVal.js
KAESapps/reactivedb
6886224a38b62dd8fc2efc3c6a7a8465990b41fc
[ "MIT" ]
null
null
null
const log = require("./log").sub("storeIdbKeyVal") // p-pipe 1.2.0 car n'utilise pas de async ni de spread const pPipe = function (input) { const args = Array.isArray(input) ? input : arguments if (args.length === 0) { return Promise.reject(new Error("Expected at least one argument")) } return [].slice.call(args, 1).reduce((a, b) => { return function () { return Promise.resolve(a.apply(null, arguments)).then(b) } }, args[0]) } const ctxAssign = (variable, fn) => (ctx) => { if (!fn) return { [variable]: ctx } if (!ctx) ctx = {} return fn(ctx).then((res) => { if (variable) { ctx[variable] = res } return ctx }) } const compact = require("lodash/compact") const mapValues = require("lodash/mapValues") const groupBy = require("lodash/groupBy") const padStart = require("lodash/padStart") const { createStore, get, set, del, clear, keys } = require("idb-keyval") const epvStore = require("./epvStore") const { patch: patchData } = require("./kkvHelpers") const create = require("lodash/create") const { observable } = require("kobs") const dbCall = (db, method, arg1, arg2) => { // const callName = method.name // console.log("starting", callName) // console.time(callName) return method.apply(null, compact([arg1, arg2, db])).then((res) => { // console.timeEnd(callName) // console.log("done", callName, res) return res }) } const spy = (fn) => (v) => { fn(v) return v } const patchKey = (storeName, patchCount) => storeName + "/" + padStart(patchCount, 5, "0") const maxPatches = 200 const createDb = (arg) => { if (typeof arg === "string") throw new Error("invalid arg") const { dbName, storeName } = arg return createStore(dbName, storeName) } const ensureInitStore = ({ keys, db }) => { if (keys.indexOf("activeStore") >= 0) return Promise.resolve(keys) const activeStoreName = new Date().toISOString() return dbCall(db, set, patchKey(activeStoreName, 0), {}).then(() => dbCall(db, set, "activeStore", activeStoreName).then(() => [ "activeStore", patchKey(activeStoreName, 0), ]) ) } const loadStoresMetaData = ({ db, keys }) => dbCall(db, get, "activeStore").then((activeStoreName) => { const keysByStore = groupBy(keys, (k) => k.split("/")[0]) delete keysByStore.activeStore const allStores = mapValues(keysByStore, (keys, name) => { const patchesToLoad = keys.sort() return { name, patchesCount: patchesToLoad.length, patchesToLoad, } }) return { all: allStores, active: allStores[activeStoreName], } }) const loadActiveStoreData = ({ db, stores }) => { const data = new Map() const activeStore = stores.active return Promise.all( activeStore.patchesToLoad.map((k) => dbCall(db, get, k)) ).then((patches) => { patches.forEach((patch) => { patchData(data, patch) }) return data }) } const writePatch = (db, store, patch) => { const key = patchKey(store.name, store.patchesCount) store.patchesCount++ // return Promise.reject(new Error("fakePersistenceError")) // for test only return dbCall(db, set, key, patch) } const removeOldStores = (db, stores) => dbCall(db, keys).then((keys) => { const keysByStore = groupBy(keys, (k) => k.split("/")[0]) delete keysByStore.activeStore const activeStoreName = stores.active.name const initializingStoreName = stores.initializing && stores.initializing.name const oldStores = Object.keys(keysByStore).filter( (s) => s !== activeStoreName && s !== initializingStoreName ) return Promise.all( oldStores.map((store) => { const keys = keysByStore[store] return Promise.all(keys.map((k) => dbCall(db, del, k))) }) ) }) const createNewStore = (db, data, stores) => { const storeName = new Date().toISOString() const newStore = { name: storeName, patchesCount: 1, } stores.initializing = newStore stores.all[storeName] = newStore return dbCall(db, set, patchKey(storeName, 0), data) .then(() => dbCall(db, set, "activeStore", storeName)) .then(() => { stores.active = newStore stores.initializing = null return removeOldStores(db, stores) }) } //db is idbStore // store is a virtual store with state and patches // expect to be called wtih dbName module.exports = pPipe([ createDb, ctxAssign("db"), ctxAssign("keys", ({ db }) => dbCall(db, keys)), ctxAssign("keys", ensureInitStore), ctxAssign("stores", loadStoresMetaData), ctxAssign("data", loadActiveStoreData), spy(({ data, stores }) => log("entities loaded from store", { count: data.length, storeName: stores.active.name, }) ), ({ db, data, stores }) => { const persisting = observable(0, "persisting") const persistenceError = observable(false, "persistenceError") const memoryStore = epvStore(data) const patchAndSave = (patch) => { // call memory store patch memoryStore.patch(patch) // and then persist it persisting(persisting() + 1) writePatch(db, stores.active, patch) .then(() => persisting(persisting() - 1)) .catch(persistenceError) // pour les patchs suivant l'initialisation d'un nouveau store, tant que l'opération est encore en cours if (stores.initializing) { log.debug("new store still initializing when writing patch") writePatch(db, stores.initializing, patch).catch(persistenceError) } if (!stores.initializing && stores.active.patchesCount > maxPatches) { createNewStore(db, memoryStore.backup(), stores) } } return create(memoryStore, { patch: patchAndSave, persisting, clearAllData: () => dbCall(db, clear), persistenceError, }) }, ])
31.619565
110
0.636817
c89d49d7de1a014fb58b034a7f26aa42dd2f2b9b
1,634
js
JavaScript
client/lib/commands/diff.js
mrutkows/incubator-openwhisk-debugger
f9e53fa2873f12bf5fd9a6e4f2fb41fb215f13da
[ "Apache-2.0" ]
16
2016-10-19T16:04:40.000Z
2017-04-06T17:55:48.000Z
client/lib/commands/diff.js
mrutkows/incubator-openwhisk-debugger
f9e53fa2873f12bf5fd9a6e4f2fb41fb215f13da
[ "Apache-2.0" ]
15
2016-10-26T09:32:42.000Z
2017-04-17T02:56:58.000Z
client/lib/commands/diff.js
mrutkows/incubator-openwhisk-debugger
f9e53fa2873f12bf5fd9a6e4f2fb41fb215f13da
[ "Apache-2.0" ]
5
2016-10-26T00:17:01.000Z
2016-12-08T13:47:46.000Z
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ var inquirer = require('inquirer'), ok = require('../repl-messages').ok, ok_ = require('../repl-messages').ok_, errorWhile = require('../repl-messages').errorWhile, getOutstandingDiff = require('../diff').getOutstandingDiff, setupOpenWhisk = require('../util').setupOpenWhisk; /** * Create an action */ exports.diff = function diff(wskprops, next, name) { try { var diff = getOutstandingDiff(name, wskprops.NAMESPACE); if (!diff) { console.log('This action has no pending changes.'); } else { //diff.comparo.forEach(oneDiff => { //console.log(((oneDiff.added ? '+' : '-') + oneDiff.value)[oneDiff.added ? 'green' : 'red']) //}); console.log(diff.comparo); } ok_(next); } catch (err) { errorWhile('fetching diff', next)(err); } };
35.521739
101
0.673807
c89de6d20bda357ee72a1e07e73bd06f53df6cd9
715
js
JavaScript
assets/javascripts/kitten/components/graphics/icons/youtube-icon/index.js
KissKissBankBank/kitten
9ddcc5fb8955e2d564bddf2b70a09bcb8b02fa3b
[ "MIT" ]
44
2016-12-14T15:04:17.000Z
2022-01-15T01:06:13.000Z
assets/javascripts/kitten/components/graphics/icons/youtube-icon/index.js
KissKissBankBank/kitten
9ddcc5fb8955e2d564bddf2b70a09bcb8b02fa3b
[ "MIT" ]
1,450
2016-12-08T13:38:38.000Z
2022-03-31T16:53:56.000Z
assets/javascripts/kitten/components/graphics/icons/youtube-icon/index.js
KissKissBankBank/kitten
9ddcc5fb8955e2d564bddf2b70a09bcb8b02fa3b
[ "MIT" ]
3
2017-08-11T12:08:20.000Z
2018-09-18T08:46:25.000Z
import React from 'react' import PropTypes from 'prop-types' export const YoutubeIcon = ({ color, title, ...props }) => ( <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 176 124" fill={color} {...props} > {title && <title>{title}</title>} <path d="M172.3 19.4c-2-7.6-8-13.6-15.6-15.7C143 0 88 0 88 0S33 0 19.2 3.7c-7.6 2-13.5 8-15.6 15.7C0 33.2 0 62 0 62s0 28.8 3.7 42.6c2 7.6 8 13.6 15.6 15.7C33 124 88 124 88 124s55 0 68.8-3.7c7.6-2 13.5-8 15.6-15.7C176 90.8 176 62 176 62s0-28.8-3.7-42.6zM70 88.2V35.8L116 62 70 88.2z" /> </svg> ) YoutubeIcon.propTypes = { color: PropTypes.string, title: PropTypes.string, } YoutubeIcon.defaultProps = { color: '#222', title: '', }
28.6
289
0.622378
c89e38b6ba6bc31737e920f45212030df7835aa0
4,408
js
JavaScript
src/components/Product/ProductSpecification.js
sergeykiskinfl/pineapplepi
33a2b492e86922ddee6767c08169b99f9e5d05af
[ "Apache-2.0" ]
null
null
null
src/components/Product/ProductSpecification.js
sergeykiskinfl/pineapplepi
33a2b492e86922ddee6767c08169b99f9e5d05af
[ "Apache-2.0" ]
null
null
null
src/components/Product/ProductSpecification.js
sergeykiskinfl/pineapplepi
33a2b492e86922ddee6767c08169b99f9e5d05af
[ "Apache-2.0" ]
null
null
null
// React stuff import React, { Component, Fragment } from "react"; import PropTypes from "prop-types"; import ProductSpecificationSkeleton from "./ProductSpecificationSkeleton"; import GroupOfFabs from "./GroupOfFabs"; // Redux stuff import { connect } from "react-redux"; import { getProduct } from "../../redux/actions/cartActions"; // MUI stuff import Box from "@material-ui/core/Box"; import Grid from "@material-ui/core/Grid"; import Card from "@material-ui/core/Card"; import CardContent from "@material-ui/core/CardContent"; import CardMedia from "@material-ui/core/CardMedia"; import CardHeader from "@material-ui/core/CardHeader"; import Typography from "@material-ui/core/Typography"; import withStyles from "@material-ui/core/styles/withStyles"; const styles = theme => ({ ...theme.spreadThis, card: { ...theme.spreadThis.card, marginTop: 65, marginBottom: 0, minWidth: 430, padding: 10 }, container: { ...theme.spreadThis.container, margin: "30px auto" }, "@media screen and (max-width: 700px), handheld": { card: { ...theme.spreadThis.card, marginTop: 70, marginBottom: 0, minWidth: 200, maxWidth: 300, padding: 5 }, container: { ...theme.spreadThis.container, minHeight: 450, minWidth: 200, maxWidth: 350, margin: "15px auto" }, cardImageSpecification: { objectFit: "contain", margin: "0 auto", minWidth: 230, maxWidth: 250, minHeight: 180, maxHeight: 200 } } }); // A full product description class ProductSpecification extends Component { state = { id: null }; componentDidMount() { const id = this.props.match.params.id; this.props.getProduct(id); this.setState({ id: id }); } render() { const { classes, highlightedProduct } = this.props; let markupSpecification, markup; if (highlightedProduct) { const { name, price, imageUrl, specification } = highlightedProduct; markupSpecification = Object.keys(specification) .sort() .map((itemKey, index) => { let item = specification[itemKey]; if (Array.isArray(item)) { let itemValues = item.map((value, index) => ( <Fragment key={index}> {value} <br /> </Fragment> )); return ( <Grid container direction="row" key={index}> <Grid item xs={4}> <Typography variant="body1">{itemKey}</Typography> </Grid> <Grid item xs={8}> <Typography variant="body1">{itemValues}</Typography> </Grid> </Grid> ); } else { return ( <Grid container direction="row" key={index}> <Grid item xs={4}> <Typography variant="body1">{itemKey}</Typography> </Grid> <Grid item xs={8}> <Typography variant="body1">{item}</Typography> </Grid> </Grid> ); } }); markup = ( <Card className={classes.card}> <CardHeader title={name} titleTypographyProps={{ variant: "h6" }} /> <CardMedia image={imageUrl} className={classes.cardImageSpecification} /> <CardContent className={classes.cardContent}> <Grid container direction="column"> {markupSpecification} </Grid> <Typography variant="h5" className={classes.price}> Price: {price}$ </Typography> </CardContent> <GroupOfFabs id={this.state.id} /> </Card> ); } else { markup = <ProductSpecificationSkeleton />; } return <Box className={classes.container}>{markup}</Box>; } } const mapStateToProps = state => ({ highlightedProduct: state.highlightedProduct }); ProductSpecification.propTypes = { /** * The selected item */ highlightedProduct: PropTypes.object, /** * Get the item from the firestore base */ getProduct: PropTypes.func.isRequired, /** * Styles of the component */ classes: PropTypes.object.isRequired }; export default connect(mapStateToProps, { getProduct })( withStyles(styles)(ProductSpecification) );
25.627907
78
0.575544
c89e7d0b0cf15f059428b82a9aa6f431f8e696f0
6,363
js
JavaScript
XPages/TroubleTicketApp/Code/ScriptLibraries/sp_mqtt_bb8.js
OpenNTF/Hackathon2017-P8
3ff1607760aa4258c4e109df4dcc73410ef7d107
[ "Apache-2.0" ]
null
null
null
XPages/TroubleTicketApp/Code/ScriptLibraries/sp_mqtt_bb8.js
OpenNTF/Hackathon2017-P8
3ff1607760aa4258c4e109df4dcc73410ef7d107
[ "Apache-2.0" ]
null
null
null
XPages/TroubleTicketApp/Code/ScriptLibraries/sp_mqtt_bb8.js
OpenNTF/Hackathon2017-P8
3ff1607760aa4258c4e109df4dcc73410ef7d107
[ "Apache-2.0" ]
null
null
null
var lat = null, lng, alt, accLatlng, accAlt, heading, speed; // Location Info var alpha, beta, gamma; // gyro sensor var ac = {}, acg = {}, rot = {}; // motion sensor var battery, battery_level, battery_discharging; // battery var client; // MQTT client var phoneData = {}; phoneData.d = {}; var motionLock = false; var deviceid = 'xpages-iot-bb8'; var pubTopic = 'iot-2/type/sphero/id/' + deviceid + '/cmd/run/fmt/json'; var mqtt_host = 'XXXXXX.messaging.internetofthings.ibmcloud.com'; var mqtt_s_port = '8883'; var org = 'XXXXXX'; var apiKey = 'a-XXXXXX-XXXXXXXXXX'; var apiToken = 'XXXXXXXX_XXXXXXXXX'; $( function() { // deviceId console.log('deviceId='+deviceid); // MQTT Connect MQTT_Connect(); // Get Location info if (navigator.geolocation) { navigator.geolocation.getCurrentPosition(GetLocation, GetLocationError); // Get current location } else { console.log("Your device does not support GeoLacation API."); // alert } // Gyro Sensor if (window.DeviceOrientationEvent) { window.addEventListener("deviceorientation", deviceOrientation); } // Motion Sensor if (window.DeviceMotionEvent) { window.addEventListener("devicemotion", deviceMotion); } // Battery battery = navigator.battery || navigator.mozBattery || navigator.webkitBattery; if (battery) { battery.addEventListener("levelchange", updateBatteryStatus); } else { battery_level = "N/A"; battery_discharging = "N/A"; } }); // Location Info function GetLocation(position) { lat = position.coords.latitude; lng = position.coords.longitude; accLatlng = position.coords.accuracy; alt = position.coords.altitude; accAlt = position.coords.altitudeAccuracy; heading = position.coords.heading; // 0=North,90=East,180=South,270=West speed = position.coords.speed; RenderHtml(); MQTT_Publish(); } function GetLocationError(error) { console.log("Geolocation Error"); } // Gyro Sensor function deviceOrientation(event) { alpha = event.alpha; beta = event.beta; // tiltFB gamma = event.gamma; // tiltLR var txtDetect = ""; var d = new Date(); var f = 'HH:mm:ss.fff'; var strDt = comDateFormat(d, f); // $('#detectmotion').html(txtDetect+"<br />"+strDt); RenderHtml(); // MQTT_Publish(); } // Motion Sensor function deviceMotion(event) { if(motionLock) return; event.preventDefault(); ac = event.acceleration; acg = event.accelerationIncludingGravity; rot = event.rotationRate; var d = new Date(); var f = 'HH:mm:ss.fff'; var strDt = comDateFormat(d, f); if(acg.y < -15){ $('#detectmotion').html("RUN TO FORWARD!!!!!! : "+strDt); Publish("#forward"); motionLock = true; } else if(acg.y > 15){ $('#detectmotion').html("RUN TO BACK!!!!!! : "+strDt); Publish("#back"); motionLock = true; } else if(acg.x < -10){ $('#detectmotion').html("RUN TO RIGHT!!!!!! : "+strDt); Publish("#right"); motionLock = true; } else if(acg.x > 10){ $('#detectmotion').html("RUN TO LEFT!!!!!! : "+strDt); Publish("#left"); motionLock = true; } if(motionLock){ setTimeout(function(){ motionLock = false; }, 1500); } RenderHtml(); // MQTT_Publish(); } // Battery function updateBatteryStatus(event) { battery_level = battery.level; battery_discharging = battery.discharging; RenderHtml(); MQTT_Publish(); } function RenderHtml() { // Location Info if (lat !== null) { $('#lat').html(lat); } if (lng !== null) { $('#lng').html(lng); } if (accLatlng !== null) { $('#accLatlng').html(accLatlng); } if (alt !== null) { $('#alt').html(alt); } if (accAlt !== null) { $('#accAlt').html(accAlt); } if (heading !== null) { $('#heading').html(heading); } if (speed !== null) { $('#speed').html(speed); } //Gyro Sensor if (alpha !== null) { $('#alpha').html(alpha); } if (beta !== null) { $('#beta').html(beta); } if (gamma !== null) { $('#gamma').html(gamma); } // Motion Sensor if (ac !== null) { $('#ac_x').html(ac.x); $('#ac_y').html(ac.y); $('#ac_z').html(ac.z); } if (acg !== null) { $('#acg_x').html(acg.x); $('#acg_y').html(acg.y); $('#acg_z').html(acg.z); } if (rot !== null) { $('#rot_alpha').html(rot.alpha); $('#rot_beta').html(rot.beta); $('#rot_gamma').html(rot.gamma); } // Battery if (battery_level !== null) { $('#battery_level').html(battery_level); } if (battery_discharging !== null) { $('#battery_discharging').html(battery_discharging); } } function MQTT_Connect() { // ClientID var clientId = "a:"+org+":"+deviceid; console.log("MQTT_Connect starts"); connect(); function connect() { var wsurl = "wss://"+mqtt_host+":"+mqtt_s_port+"/"; // Generate MQTT client from WebSocketURL and ClientID client = new Paho.MQTT.Client(wsurl, clientId); // Try connect client.connect( { userName : apiKey, password : apiToken, onSuccess : onConnect, onFailure : failConnect }); client.onConnectionLost = onConnectionLost; } // Called when connection failed function failConnect(e) { console.log("connect failed"); console.log(e); } // Called when connection succeeded function onConnect() { console.log("onConnect"); } function onConnectionLost(response) { console.log("onConnectionLost"); if (response.errorCode !== 0) { console.log("onConnectionLost:" + response.errorMessage); } // clearInterval(msgInterval); client.connect( { onSuccess : onConnect, onFailure : onConnectFailure }); } } function MQTT_Publish() { if (deviceid != null) { var d = {}; d.location = {}; d.ori = {}; d.battery = {}; d.location.lat = lat; d.location.lng = lng; d.location.accLatlng = accLatlng; d.location.alt = alt; d.location.accAlt = accAlt; d.ori.alpha = alpha; d.ori.beta = beta; d.ori.gamma = gamma; d.ac = ac; d.acg = acg; d.rot = rot; d.battery.level = battery_level; d.battery.discharging = battery_discharging; if (d) { phoneData.d = d; phoneData.publish(); console.log(d); } } } function Publish(action) { console.log(action); if (deviceid != null) { var d = {}; d.action = action; if (d) { phoneData.d = d; phoneData.publish(); console.log(d); } } } phoneData.toJson = function() { return JSON.stringify(this); } phoneData.publish = function() { var message = new Paho.MQTT.Message(phoneData.toJson()); message.destinationName = pubTopic; client.send(message); }
21.791096
98
0.641993
c89ef75ab4a5945fdd1c0d1fdc931e36232e42a7
236
js
JavaScript
docs/a00370.js
microchip-pic-avr-examples/dpsk3-power-buck-peak-current-mode-control
94b13b0aeb4846f3ab2648cd2ebc77ae184d201e
[ "ADSL" ]
2
2021-07-09T06:58:39.000Z
2021-11-05T20:56:08.000Z
docs/a00370.js
microchip-pic-avr-examples/dpsk3-power-buck-peak-current-mode-control
94b13b0aeb4846f3ab2648cd2ebc77ae184d201e
[ "ADSL" ]
null
null
null
docs/a00370.js
microchip-pic-avr-examples/dpsk3-power-buck-peak-current-mode-control
94b13b0aeb4846f3ab2648cd2ebc77ae184d201e
[ "ADSL" ]
null
null
null
var a00370 = [ [ "Peripheral Register Abstraction Layer (PRAL) Library", "a00371.html", "a00371" ], [ "LC-Display Interface Driver", "a00491.html", "a00491" ], [ "Power Converter Control Driver", "a00543.html", "a00543" ] ];
39.333333
88
0.648305
c89f004593bb29fa1fee8b71367581786b513a0a
919
js
JavaScript
webpack.config.js
alineswinkels/freshboard
da5df834f06e488cba27e7fcacf5c2935674f394
[ "MIT" ]
null
null
null
webpack.config.js
alineswinkels/freshboard
da5df834f06e488cba27e7fcacf5c2935674f394
[ "MIT" ]
null
null
null
webpack.config.js
alineswinkels/freshboard
da5df834f06e488cba27e7fcacf5c2935674f394
[ "MIT" ]
null
null
null
var ExtractTextPlugin = require("extract-text-webpack-plugin"), path = require('path'); var sassOptions = { outputStyle: 'nested', includePaths: [ path.resolve(__dirname, 'node_modules/bootstrap-sass/assets/stylesheets') ] }; module.exports = { entry : [ __dirname + '/theme/freshboard/src/js/app.js', __dirname + '/theme/freshboard/src/scss/app.scss' ], output: { path: __dirname + "/theme/freshboard/build/", filename: 'js/app.js' }, resolve: { modulesDirectories: ['node_modules', 'bower_components'], }, module: { loaders: [{ test: /\.scss$/, loader: ExtractTextPlugin.extract( 'style', 'raw!autoprefixer?{browsers:["last 2 version", "ie >= 9"]}!sass?' + JSON.stringify(sassOptions) ) }] }, plugins: [ new ExtractTextPlugin('css/app.css') ] };
25.527778
110
0.572361
c89f34e699e3fd7b097db8c2150164fb3e278632
5,492
js
JavaScript
src/constants/initial_state.js
yudinmaksym/ReactTestProject
b919f277769f56a78a34259e39e83cbfc67f331e
[ "MIT" ]
null
null
null
src/constants/initial_state.js
yudinmaksym/ReactTestProject
b919f277769f56a78a34259e39e83cbfc67f331e
[ "MIT" ]
null
null
null
src/constants/initial_state.js
yudinmaksym/ReactTestProject
b919f277769f56a78a34259e39e83cbfc67f331e
[ "MIT" ]
null
null
null
export const topSectionDefault = { id: 1, name: 'top', disabled: false, sectionOrder: null, content: { title: 'Lorem ipsum dolo', description: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', sold: '100000000', available: '100', from: 1513807200000, to: 1516658400000, bg: '../assets/images/top.png', problem: [ { description: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { description: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { description: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, ], key_benefits: [ { title: 'Lorem ipsum dolo', content: [ { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, ], }, { title: 'Lorem ipsum dolo', content: [ { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, ], }, { title: 'Lorem ipsum dolo', content: [ { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, ], }, { title: 'Lorem ipsum dolo', content: [ { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, { img: '../assets/images/target.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', }, ], }, ], white_paper: [ { img: '../assets/images/germany.png', }, { img: '../assets/images/germany.png', }, { img: '../assets/images/germany.png', }, ], token_eco: [ { disc: '../assets/images/bounty_el.png', text: 'Bitcoin Signature Campaign', }, { disc: '../assets/images/bounty_el.png', text: 'Bitcoin Signature Campaign', }, { disc: '../assets/images/bounty_el.png', text: 'Bitcoin Signature Campaign', }, { disc: '../assets/images/bounty_el.png', text: 'Bitcoin Signature Campaign', }, { disc: '../assets/images/bounty_el.png', text: 'Bitcoin Signature Campaign', }, ], media_top: [ { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, ], media_bottom: [ { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, { img: '../assets/images/m4.png', text: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor', }, ], socials: [ { link: 'https://facebook.com', type: 'fb', img: '../assets/images/facebook.png', }, { link: 'https://www.instagram.com', type: 'insta', img: '../assets/images/insta.png', }, { link: 'https://twitter.com', type: 'tw', img: '../assets/images/twitter-.png', }, { link: 'https://telegram.org/', type: 'tel', img: '../assets/images/telegram.png', }, ], countDown: { title: 'Lorem ipsum dolor', description: 'Lorem ipsum dolor sit amet, consectetur adipisicing elit.', rates: 'US$0.05', acceptTitle: 'We accept', acceptLogo: '../assets/images/eth.png', acceptCrypt: 'ETH', }, navbar: [ { title: 'About', }, { title: 'ICO section', }, { title: 'Whitepaper', }, { title: 'Roadmap', }, { title: 'Team', }, { title: 'FAQ', }, ], }, }; export const INITIAL_STATE = { app: { type: '', locale: 'en', loaded: false, }, dialog: { params: {}, name: '', }, events: {}, user: { email: '', }, };
25.784038
103
0.501457
c89f5c4fc9d04d703c353c9012f7221863a655d2
1,565
js
JavaScript
spec/graffito/renderer_spec.js
gjtorikian/graffito
715c7444e8d602289a9836d160d70bf7d7f02ead
[ "MIT" ]
1
2015-10-08T06:57:27.000Z
2015-10-08T06:57:27.000Z
spec/graffito/renderer_spec.js
gjtorikian/graffito
715c7444e8d602289a9836d160d70bf7d7f02ead
[ "MIT" ]
null
null
null
spec/graffito/renderer_spec.js
gjtorikian/graffito
715c7444e8d602289a9836d160d70bf7d7f02ead
[ "MIT" ]
null
null
null
describe("Simple renderer", function() { beforeEach(function(done) { this.runBuild("render", function() { done(); }); }); it("should render simple Markdown", function() { expect(this.outfile("simple", "index.html")).toEqual(this.realfile("render", "simple.html")); }); it("should render intros", function() { expect(this.outfile("intro", "index.html")).toEqual(this.realfile("render", "intro.html")); }); it("should render header links", function() { expect(this.outfile("headers", "index.html")).toEqual(this.realfile("render", "headers.html")); }); it("should render command line ", function() { expect(this.outfile("command_line", "index.html")).toEqual(this.realfile("render", "command_line.html")); }); it("should render emoji links", function() { expect(this.outfile("emoji", "index.html")).toEqual(this.realfile("render", "emoji.html")); }); // it should protect against `{% tags %}` }); describe("Frontmatter renderer", function() { beforeEach(function(done) { this.runBuild("frontmatter", function() { done(); }); }); it("should render conrefs in frontmatter", function() { expect(this.outfile("title", "index.html")).toEqual(this.realfile("frontmatter", "title.html")); }); it("should render audiences in frontmatter", function() { expect(this.outfile("audience", "index.html")).toEqual(this.realfile("frontmatter", "audience.html")); expect(this.outfile("different", "index.html")).toEqual(this.realfile("frontmatter", "different.html")); }); });
33.297872
109
0.64984
c89f7eff05ab86d61c382f350d1efaa8d8d8e761
158
js
JavaScript
string/starts-with.js
tmslnz/W.js
25a11baf8edb27c306f2baf6438bed2faf935bc6
[ "MIT" ]
2
2017-06-26T10:29:38.000Z
2018-11-18T22:13:46.000Z
string/starts-with.js
tmslnz/W.js
25a11baf8edb27c306f2baf6438bed2faf935bc6
[ "MIT" ]
13
2015-02-12T11:34:47.000Z
2017-12-07T12:37:01.000Z
string/starts-with.js
tmslnz/W.js
25a11baf8edb27c306f2baf6438bed2faf935bc6
[ "MIT" ]
null
null
null
/** String string starts with http://stackoverflow.com/a/646643/179015 */ var startsWith = function(str, test) { return str.slice(0, test.length) == test; };
52.666667
83
0.708861
c89f7f44ab3bf0db7be640f46484ac193ec3b857
1,432
js
JavaScript
themes/metrumy/public/sw.js
bart747/mysite
e9f0a93bb1b7444c5f41cc13907540417e281a75
[ "MIT" ]
null
null
null
themes/metrumy/public/sw.js
bart747/mysite
e9f0a93bb1b7444c5f41cc13907540417e281a75
[ "MIT" ]
4
2020-06-18T21:33:37.000Z
2020-12-04T02:23:20.000Z
themes/metrumy/public/sw.js
bart747/mysite
e9f0a93bb1b7444c5f41cc13907540417e281a75
[ "MIT" ]
null
null
null
const cacheName = "simple-cache"; const cacheFiles = [ "/offline/", "/resilient-ui/", "/research-decision/", "/henry-ford-for-makers/", "/manifest.json", "/dist/bundle.css", "/dist/bundle.js" ]; const offlinePage = "./offline/"; self.addEventListener("install", (event) => { // console.log("[ServiceWorker] Install"); event.waitUntil( caches.open(cacheName).then((cache) => { // console.log("[ServiceWorker] Caching preselected assets"); return cache.addAll(cacheFiles); }) ); }); self.addEventListener("activate", (event) => { // console.log("[ServiceWorker] Activate"); event.waitUntil( caches.keys().then((keyList) => { return Promise.all(keyList.map((key) => { if (key !== cacheName) { // console.log("[ServiceWorker] Removing old cache", key) return caches.delete(key); } })); }) ); return self.clients.claim(); }); self.addEventListener("fetch", (event) => { // console.log("[ServiceWorker] Fetch", event.request.url); event.respondWith( // try network first, than cache, than offline page fetch(event.request).catch(() => { return caches.match(event.request).then((response) => { return response || caches.match(offlinePage); }); }) ); });
28.078431
73
0.547486