{"version":3,"sources":["node_modules/@amcharts/amcharts5/.internal/core/util/Math.js","node_modules/@amcharts/amcharts5/.internal/core/util/Ease.js","node_modules/@amcharts/amcharts5/.internal/core/Registry.js","node_modules/@amcharts/amcharts5/.internal/core/util/States.js","node_modules/@amcharts/amcharts5/.internal/core/util/Entity.js","node_modules/@amcharts/amcharts5/.internal/core/render/patterns/Pattern.js","node_modules/@amcharts/amcharts5/.internal/core/render/patterns/PicturePattern.js","node_modules/@amcharts/amcharts5/.internal/core/render/Sprite.js","node_modules/@amcharts/amcharts5/.internal/core/render/backend/Renderer.js","node_modules/@amcharts/amcharts5/.internal/core/render/Graphics.js","node_modules/@amcharts/amcharts5/.internal/core/render/Rectangle.js","node_modules/@amcharts/amcharts5/.internal/core/util/List.js","node_modules/@amcharts/amcharts5/.internal/core/util/Children.js","node_modules/@amcharts/amcharts5/.internal/core/render/Layout.js","node_modules/@amcharts/amcharts5/.internal/core/render/HorizontalLayout.js","node_modules/@amcharts/amcharts5/.internal/core/render/VerticalLayout.js","node_modules/@amcharts/amcharts5/.internal/core/render/GridLayout.js","node_modules/@amcharts/amcharts5/.internal/core/util/TextFormatter.js","node_modules/@amcharts/amcharts5/.internal/core/util/PopulateString.js","node_modules/@amcharts/amcharts5/.internal/core/render/Container.js","node_modules/@amcharts/amcharts5/.internal/core/render/Text.js","node_modules/@amcharts/amcharts5/.internal/core/render/Label.js","node_modules/@amcharts/amcharts5/.internal/core/render/PointedRectangle.js","node_modules/@amcharts/amcharts5/.internal/core/render/Tooltip.js","node_modules/@amcharts/amcharts5/.internal/core/util/ResizeSensor.js","node_modules/@amcharts/amcharts5/.internal/core/util/InterfaceColors.js","node_modules/@amcharts/amcharts5/.internal/core/util/NumberFormatter.js","node_modules/@amcharts/amcharts5/.internal/core/util/Timezone.js","node_modules/@amcharts/amcharts5/.internal/core/util/DateFormatter.js","node_modules/@amcharts/amcharts5/.internal/core/util/DurationFormatter.js","node_modules/@amcharts/amcharts5/locales/en.js","node_modules/@amcharts/amcharts5/.internal/core/util/Language.js","node_modules/@amcharts/amcharts5/.internal/themes/DefaultTheme.js","node_modules/@amcharts/amcharts5/.internal/core/util/Matrix.js","node_modules/svg-arc-to-cubic-bezier/modules/index.js","node_modules/@amcharts/amcharts5/.internal/core/render/backend/CanvasRenderer.js","node_modules/@amcharts/amcharts5/.internal/core/Root.js","node_modules/@amcharts/amcharts5/.internal/core/render/Bullet.js","node_modules/@amcharts/amcharts5/.internal/core/render/Circle.js","node_modules/@amcharts/amcharts5/.internal/core/util/Data.js","node_modules/@amcharts/amcharts5/.internal/core/render/Component.js","node_modules/@amcharts/amcharts5/.internal/core/util/Time.js","node_modules/@amcharts/amcharts5/.internal/core/render/Series.js","node_modules/@amcharts/amcharts5/.internal/core/render/RoundedRectangle.js","node_modules/@amcharts/amcharts5/.internal/core/render/Legend.js","node_modules/@amcharts/amcharts5/.internal/core/render/Button.js","node_modules/@amcharts/amcharts5/.internal/core/render/Scrollbar.js","node_modules/@amcharts/amcharts5/.internal/core/util/ColorSet.js","node_modules/@amcharts/amcharts5/.internal/core/render/gradients/Gradient.js","node_modules/@amcharts/amcharts5/.internal/core/render/gradients/LinearGradient.js","node_modules/@amcharts/amcharts5/.internal/core/render/HeatLegend.js","node_modules/@amcharts/amcharts5/.internal/core/util/Draw.js","node_modules/@amcharts/amcharts5/.internal/core/render/Line.js","node_modules/@amcharts/amcharts5/.internal/core/render/Picture.js","node_modules/@amcharts/amcharts5/.internal/core/render/RadialText.js","node_modules/@amcharts/amcharts5/.internal/core/render/RadialLabel.js","node_modules/@amcharts/amcharts5/.internal/core/render/Slice.js","node_modules/@amcharts/amcharts5/.internal/core/render/Chart.js","node_modules/@amcharts/amcharts5/.internal/core/render/SerialChart.js","node_modules/@amcharts/amcharts5/.internal/core/render/Tick.js","node_modules/@amcharts/amcharts5/.internal/core/util/DataProcessor.js"],"sourcesContent":["import { isNumber } from \"./Type\";\n/**\r\n * ============================================================================\r\n * CONSTANTS\r\n * ============================================================================\r\n * @hidden\r\n */\nexport const PI = Math.PI;\nexport const HALFPI = PI / 2;\nexport const RADIANS = PI / 180;\nexport const DEGREES = 180 / PI;\n/**\r\n * Rounds the numeric value to whole number or specific precision of set.\r\n *\r\n * @param value Value\r\n * @param precision Precision (number of decimal points)\r\n * @param floor In case value ends with 0.5 and precision is 0, we might need to floor the value instead of ceiling it.\r\n * @return Rounded value\r\n */\nexport function round(value, precision, floor) {\n if (!isNumber(precision) || precision <= 0) {\n let rounded = Math.round(value);\n if (floor) {\n if (rounded - value == 0.5) {\n rounded--;\n }\n }\n return rounded;\n } else {\n let d = Math.pow(10, precision);\n return Math.round(value * d) / d;\n }\n}\n/**\r\n * Ceils the numeric value to whole number or specific precision of set.\r\n *\r\n * @param value Value\r\n * @param precision Precision (number of decimal points)\r\n * @return Rounded value\r\n */\nexport function ceil(value, precision) {\n if (!isNumber(precision) || precision <= 0) {\n return Math.ceil(value);\n } else {\n let d = Math.pow(10, precision);\n return Math.ceil(value * d) / d;\n }\n}\n/**\r\n * [getCubicControlPointA description]\r\n *\r\n * @ignore Exclude from docs\r\n * @todo Description\r\n * @param p0 [description]\r\n * @param p1 [description]\r\n * @param p2 [description]\r\n * @param p3 [description]\r\n * @param tensionX [description]\r\n * @param tensionY [description]\r\n * @return [description]\r\n */\nexport function getCubicControlPointA(p0, p1, p2, tensionX, tensionY) {\n return {\n x: (-p0.x + p1.x / tensionX + p2.x) * tensionX,\n y: (-p0.y + p1.y / tensionY + p2.y) * tensionY\n };\n}\n/**\r\n * [getCubicControlPointB description]\r\n *\r\n * @ignore Exclude from docs\r\n * @todo Description\r\n * @param p0 [description]\r\n * @param p1 [description]\r\n * @param p2 [description]\r\n * @param p3 [description]\r\n * @param tensionX [description]\r\n * @param tensionY [description]\r\n * @return [description]\r\n */\nexport function getCubicControlPointB(p1, p2, p3, tensionX, tensionY) {\n return {\n x: (p1.x + p2.x / tensionX - p3.x) * tensionX,\n y: (p1.y + p2.y / tensionY - p3.y) * tensionY\n };\n}\nexport function fitToRange(value, min, max) {\n return Math.min(Math.max(value, min), max);\n}\n/**\r\n * Returns sine of an angle specified in degrees.\r\n *\r\n * @param value Value\r\n * @return Sine\r\n */\nexport function sin(angle) {\n return Math.sin(RADIANS * angle);\n}\n/**\r\n * Returns tan of an angle specified in degrees.\r\n *\r\n * @param value Value\r\n * @return Sine\r\n */\nexport function tan(angle) {\n return Math.tan(RADIANS * angle);\n}\n/**\r\n * Returns cosine of an angle specified in degrees.\r\n *\r\n * @param value Value\r\n * @return Cosine\r\n */\nexport function cos(angle) {\n return Math.cos(RADIANS * angle);\n}\n// 0 to 360\nexport function normalizeAngle(value) {\n value = value % 360;\n if (value < 0) {\n value += 360;\n }\n return value;\n}\n// TODO this doesn't work properly for skewing, and it's probably broken for rotation too\nexport function getArcBounds(cx, cy, startAngle, endAngle, radius) {\n let minX = Number.MAX_VALUE;\n let minY = Number.MAX_VALUE;\n let maxX = -Number.MAX_VALUE;\n let maxY = -Number.MAX_VALUE;\n let bpoints = [];\n bpoints.push(getArcPoint(radius, startAngle));\n bpoints.push(getArcPoint(radius, endAngle));\n let fromAngle = Math.min(Math.floor(startAngle / 90) * 90, Math.floor(endAngle / 90) * 90);\n let toAngle = Math.max(Math.ceil(startAngle / 90) * 90, Math.ceil(endAngle / 90) * 90);\n for (let angle = fromAngle; angle <= toAngle; angle += 90) {\n if (angle >= startAngle && angle <= endAngle) {\n bpoints.push(getArcPoint(radius, angle));\n }\n }\n for (let i = 0; i < bpoints.length; i++) {\n let pt = bpoints[i];\n if (pt.x < minX) {\n minX = pt.x;\n }\n if (pt.y < minY) {\n minY = pt.y;\n }\n if (pt.x > maxX) {\n maxX = pt.x;\n }\n if (pt.y > maxY) {\n maxY = pt.y;\n }\n }\n return {\n left: cx + minX,\n top: cy + minY,\n right: cx + maxX,\n bottom: cy + maxY\n };\n}\n/**\r\n * Returns point on arc\r\n *\r\n * @param center point\r\n * @param radius\r\n * @param arc\r\n * @return {boolean}\r\n */\nexport function getArcPoint(radius, arc) {\n return {\n x: radius * cos(arc),\n y: radius * sin(arc)\n };\n}\nexport function mergeBounds(bounds) {\n const len = bounds.length;\n if (len > 0) {\n let bound = bounds[0];\n let left = bound.left;\n let top = bound.top;\n let right = bound.right;\n let bottom = bound.bottom;\n if (len > 1) {\n for (let i = 1; i < len; i++) {\n bound = bounds[i];\n left = Math.min(bound.left, left);\n right = Math.max(bound.right, right);\n top = Math.min(bound.top, top);\n bottom = Math.max(bound.bottom, bottom);\n }\n }\n return {\n left,\n right,\n top,\n bottom\n };\n }\n return {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n };\n}\nexport function fitAngleToRange(value, startAngle, endAngle) {\n if (startAngle > endAngle) {\n let temp = startAngle;\n startAngle = endAngle;\n endAngle = temp;\n }\n value = normalizeAngle(value);\n let count = (startAngle - normalizeAngle(startAngle)) / 360;\n if (value < startAngle) {\n value += 360 * (count + 1);\n }\n let maxEnd = startAngle + (endAngle - startAngle) / 2 + 180;\n let maxStart = startAngle + (endAngle - startAngle) / 2 - 180;\n if (value > endAngle) {\n if (value - 360 > startAngle) {\n value -= 360;\n } else {\n if (value < maxEnd) {\n value = endAngle;\n } else {\n value = startAngle;\n }\n }\n }\n if (value < startAngle) {\n if (value > maxStart) {\n value = startAngle;\n } else {\n value = endAngle;\n }\n }\n return value;\n}\nexport function inBounds(point, bounds) {\n if (point.x >= bounds.left && point.y >= bounds.top && point.x <= bounds.right && point.y <= bounds.bottom) {\n return true;\n }\n return false;\n}\nexport function getAngle(point1, point2) {\n if (!point2) {\n point2 = {\n x: point1.x * 2,\n y: point1.y * 2\n };\n }\n let diffX = point2.x - point1.x;\n let diffY = point2.y - point1.y;\n let angle = Math.atan2(diffY, diffX) * DEGREES;\n if (angle < 0) {\n angle += 360;\n }\n return normalizeAngle(angle);\n}\n/**\r\n * [getPointOnQuadraticCurve description]\r\n *\r\n * @ignore Exclude from docs\r\n * @todo Description\r\n * @param pointA [description]\r\n * @param pointB [description]\r\n * @param controlPoint [description]\r\n * @param position [description]\r\n * @return [description]\r\n */\nexport function getPointOnQuadraticCurve(pointA, pointB, controlPoint, position) {\n let x = (1 - position) * (1 - position) * pointA.x + 2 * (1 - position) * position * controlPoint.x + position * position * pointB.x;\n let y = (1 - position) * (1 - position) * pointA.y + 2 * (1 - position) * position * controlPoint.y + position * position * pointB.y;\n return {\n x: x,\n y: y\n };\n}\nexport function getPointOnLine(pointA, pointB, position) {\n return {\n x: pointA.x + (pointB.x - pointA.x) * position,\n y: pointA.y + (pointB.y - pointA.y) * position\n };\n}\n/**\r\n * Returns the closest value from the array of values to the reference value.\r\n *\r\n * @param values Array of values\r\n * @param value Reference value\r\n * @return Closes value from the array\r\n */\nexport function closest(values, referenceValue) {\n return values.reduce(function (prev, curr) {\n return Math.abs(curr - referenceValue) < Math.abs(prev - referenceValue) ? curr : prev;\n });\n}\n/**\r\n * Returns true if bounds overlap\r\n * @param bounds1 IBounds\r\n * @param bounds2 IBounds\r\n * @returns boolean\r\n */\nexport function boundsOverlap(bounds1, bounds2) {\n const horizontalOverlap = bounds1.left < bounds2.right && bounds1.right > bounds2.left;\n const verticalOverlap = bounds1.top < bounds2.bottom && bounds1.bottom > bounds2.top;\n return horizontalOverlap && verticalOverlap;\n}\n/**\r\n * Generates points of a spiral\r\n * @param cx\r\n * @param cy\r\n * @param radius\r\n * @param radiusY\r\n * @param innerRadius\r\n * @param step\r\n * @param radiusStep\r\n * @param startAngle\r\n * @param endAngle\r\n * @returns IPoint[]\r\n */\nexport function spiralPoints(cx, cy, radius, radiusY, innerRadius, step, radiusStep, startAngle, endAngle) {\n let r = innerRadius + 0.01;\n let angle = startAngle * RADIANS;\n let points = [];\n while (r < radius + radiusStep) {\n let stepSize = step;\n if (stepSize / 2 > r) {\n stepSize = 2 * r;\n }\n angle += 2 * Math.asin(stepSize / 2 / r);\n if (angle * DEGREES > endAngle + (radius - innerRadius) / radiusStep * 360) {\n break;\n }\n let degrees = angle * DEGREES;\n let point = {\n x: cx + r * Math.cos(angle),\n y: cy + r * radiusY / radius * Math.sin(angle)\n };\n points.push(point);\n r = innerRadius + degrees / 360 * radiusStep;\n }\n points.shift();\n return points;\n}\n/**\r\n * Returns true if circles overlap\r\n * @param circle1\r\n * @param circle2\r\n * @returns boolean\r\n */\nexport function circlesOverlap(circle1, circle2) {\n return Math.hypot(circle1.x - circle2.x, circle1.y - circle2.y) <= circle1.radius + circle2.radius;\n}\n","/**\r\n * A collection of easing functions\r\n *\r\n * Parts of this collection are taken from D3.js library (https://d3js.org/)\r\n */\n/**\r\n * ============================================================================\r\n * IMPORTS\r\n * ============================================================================\r\n * @hidden\r\n */\nimport * as $math from \"./Math\";\n/**\r\n * The functions below are from D3.js library (https://d3js.org/)\r\n *\r\n * ----------------------------------------------------------------------------\r\n * Copyright 2017 Mike Bostock\r\n *\r\n * Redistribution and use in source and binary forms, with or without\r\n * modification, are permitted provided that the following conditions are met:\r\n *\r\n * 1. Redistributions of source code must retain the above copyright notice,\r\n *\tthis list of conditions and the following disclaimer.\r\n *\r\n * 2. Redistributions in binary form must reproduce the above copyright notice,\r\n *\tthis list of conditions and the following disclaimer in the documentation\r\n *\tand/or other materials provided with the distribution.\r\n *\r\n * 3. Neither the name of the copyright holder nor the names of its\r\n *\tcontributors may be used to endorse or promote products derived from this\r\n *\tsoftware without specific prior written permission.\r\n *\r\n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\r\n * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\r\n * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\r\n * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE\r\n * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\r\n * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\r\n * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\r\n * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\r\n * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\r\n * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE\r\n * POSSIBILITY OF SUCH DAMAGE.\r\n * ----------------------------------------------------------------------------\r\n * @hidden\r\n */\n/**\r\n */\nexport function linear(t) {\n return t;\n}\nexport function quad(t) {\n return t * t;\n}\nexport function cubic(t) {\n return t * t * t;\n}\nexport function pow(t, e) {\n return Math.pow(t, e);\n}\nexport function exp(t) {\n return Math.pow(2, 10 * t - 10);\n}\nexport function sine(t) {\n return 1 - Math.cos(t * $math.HALFPI);\n}\nexport function circle(t) {\n return 1 - Math.sqrt(1 - t * t);\n}\n/**\r\n * ============================================================================\r\n * TRANSFORMERS\r\n * ============================================================================\r\n * @hidden\r\n */\n/**\r\n */\nexport function yoyo(ease) {\n return function (t) {\n if (t < 0.5) {\n return ease(t * 2.0);\n } else {\n return ease((1.0 - t) * 2.0);\n }\n };\n}\nexport function out(ease) {\n return function (t) {\n return 1.0 - ease(1.0 - t);\n };\n}\nexport function inOut(ease) {\n return function (t) {\n if (t <= 0.5) {\n return ease(t * 2.0) / 2.0;\n } else {\n return 1.0 - ease((1.0 - t) * 2.0) / 2.0;\n }\n };\n}\n/**\r\n * ============================================================================\r\n * BOUNCE\r\n * ============================================================================\r\n * @hidden\r\n */\nlet b1 = 4 / 11,\n b2 = 6 / 11,\n b3 = 8 / 11,\n b4 = 3 / 4,\n b5 = 9 / 11,\n b6 = 10 / 11,\n b7 = 15 / 16,\n b8 = 21 / 22,\n b9 = 63 / 64,\n b0 = 1 / b1 / b1;\nexport function bounce(t) {\n return 1 - bounceOut(1 - t);\n}\n/**\r\n * @ignore\r\n */\nfunction bounceOut(t) {\n t = t;\n if (t < b1) {\n return b0 * t * t;\n } else if (t < b3) {\n return b0 * (t -= b2) * t + b4;\n } else if (t < b6) {\n return b0 * (t -= b5) * t + b7;\n } else {\n return b0 * (t -= b8) * t + b9;\n }\n}\n/**\r\n * ============================================================================\r\n * ELASTIC\r\n * ============================================================================\r\n * @hidden\r\n */\n/**\r\n * @ignore\r\n */\nlet tau = 2 * Math.PI;\n/**\r\n * @ignore\r\n */\nlet amplitude = 1;\n/**\r\n * @ignore\r\n */\nlet period = 0.3 / tau;\n/**\r\n * @ignore\r\n */\nlet s = Math.asin(1 / amplitude) * period;\nexport function elastic(t) {\n let v = t;\n return amplitude * Math.pow(2, 10 * --v) * Math.sin((s - v) / period);\n}\n","/**\r\n * @ignore\r\n */\nexport class Registry {\n constructor() {\n /**\r\n * Currently running version of amCharts.\r\n */\n Object.defineProperty(this, \"version\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"5.10.12\"\n });\n /**\r\n * List of applied licenses.\r\n * @ignore\r\n */\n Object.defineProperty(this, \"licenses\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n /**\r\n * Entities that have their `id` setting set.\r\n */\n Object.defineProperty(this, \"entitiesById\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n /**\r\n * All created [[Root]] elements.\r\n */\n Object.defineProperty(this, \"rootElements\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n }\n}\n/**\r\n * @ignore\r\n */\nexport const registry = new Registry();\n/**\r\n * Adds a license, e.g.:\r\n *\r\n * ```TypeScript\r\n * am5.addLicense(\"xxxxxxxx\");\r\n * ```\r\n * ```JavaScript\r\n * am5.addLicense(\"xxxxxxxx\");\r\n * ```\r\n *\r\n * Multiple licenses can be added to cover for multiple products.\r\n *\r\n * @param license License key\r\n */\nexport function addLicense(license) {\n registry.licenses.push(license);\n}\n/**\r\n * Disposes all [[Root]] elements.\r\n */\nexport function disposeAllRootElements() {\n let root;\n while (root = registry.rootElements.pop()) {\n root.dispose();\n }\n}\n/**\r\n * Finds and returns a `Root` element assigned to a container with `id`.\r\n *\r\n * @param id Container ID\r\n * @return Root\r\n * @since 5.9.2\r\n */\nexport function getRootById(id) {\n let found;\n registry.rootElements.forEach(item => {\n if (item.dom.id == id) {\n found = item;\n }\n });\n return found;\n}\n","import * as $object from \"./Object\";\nimport * as $ease from \"./Ease\";\n/**\r\n * An object representing a collection of setting values to apply as required.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/states/} for more info\r\n */\nexport class State {\n constructor(entity, settings) {\n Object.defineProperty(this, \"_entity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_settings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_userSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n this._entity = entity;\n this._settings = settings;\n $object.each(settings, key => {\n this._userSettings[key] = true;\n });\n }\n get(key, fallback) {\n const value = this._settings[key];\n if (value !== undefined) {\n return value;\n } else {\n return fallback;\n }\n }\n /**\r\n * @ignore\r\n */\n setRaw(key, value) {\n this._settings[key] = value;\n }\n /**\r\n * Sets a setting `value` for the specified `key` to be set when the state\r\n * is applied.\r\n *\r\n * @param key Setting key\r\n * @param value Setting value\r\n * @return Setting value\r\n */\n set(key, value) {\n this._userSettings[key] = true;\n this.setRaw(key, value);\n }\n /**\r\n * Removes a setting value for the specified `key`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n */\n remove(key) {\n delete this._userSettings[key];\n delete this._settings[key];\n }\n /**\r\n * Sets multiple settings at once.\r\n *\r\n * `settings` must be an object with key: value pairs.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param settings Settings\r\n */\n setAll(settings) {\n $object.keys(settings).forEach(key => {\n this.set(key, settings[key]);\n });\n }\n _eachSetting(f) {\n $object.each(this._settings, f);\n }\n /**\r\n * Applies the state to the target element.\r\n *\r\n * All setting values are set immediately.\r\n */\n apply() {\n const seen = {};\n seen[\"stateAnimationEasing\"] = true;\n seen[\"stateAnimationDuration\"] = true;\n const defaultState = this._entity.states.lookup(\"default\");\n this._eachSetting((key, value) => {\n if (!seen[key]) {\n seen[key] = true;\n // save values to default state\n if (this !== defaultState) {\n if (!(key in defaultState._settings)) {\n defaultState._settings[key] = this._entity.get(key);\n }\n }\n this._entity.set(key, value);\n }\n });\n }\n /**\r\n * Applies the state to the target element.\r\n *\r\n * Returns an object representing all [[Animation]] objects created for\r\n * each setting key transition.\r\n *\r\n * @return Animations\r\n */\n applyAnimate(duration) {\n if (duration == null) {\n duration = this._settings.stateAnimationDuration;\n }\n if (duration == null) {\n duration = this.get(\"stateAnimationDuration\", this._entity.get(\"stateAnimationDuration\", 0));\n }\n let easing = this._settings.stateAnimationEasing;\n if (easing == null) {\n easing = this.get(\"stateAnimationEasing\", this._entity.get(\"stateAnimationEasing\", $ease.cubic));\n }\n const defaultState = this._entity.states.lookup(\"default\");\n const seen = {};\n seen[\"stateAnimationEasing\"] = true;\n seen[\"stateAnimationDuration\"] = true;\n const animations = {};\n this._eachSetting((key, value) => {\n if (!seen[key]) {\n seen[key] = true;\n // save values to default state\n if (this != defaultState) {\n if (!(key in defaultState._settings)) {\n defaultState._settings[key] = this._entity.get(key);\n }\n }\n const animation = this._entity.animate({\n key: key,\n to: value,\n duration: duration,\n easing: easing\n });\n if (animation) {\n animations[key] = animation;\n }\n }\n });\n return animations;\n }\n}\n/**\r\n * Collection of [[State]] objects for an element.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/states/} for more info\r\n */\nexport class States {\n constructor(entity) {\n Object.defineProperty(this, \"_states\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_entity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this._entity = entity;\n }\n /**\r\n * Checks if a state by `name` exists. Returns it there is one.\r\n *\r\n * @param name State name\r\n * @return State\r\n */\n lookup(name) {\n return this._states[name];\n }\n /**\r\n * Sets supplied `settings` on a state by the `name`.\r\n *\r\n * If such state does not yet exists, it is created.\r\n *\r\n * @param name State name\r\n * @param settings Settings\r\n * @return New State\r\n */\n create(name, settings) {\n const state = this._states[name];\n if (state) {\n state.setAll(settings);\n return state;\n } else {\n const state = new State(this._entity, settings);\n this._states[name] = state;\n return state;\n }\n }\n /**\r\n * Removes the state called `name`.\r\n *\r\n * @param name State name\r\n */\n remove(name) {\n delete this._states[name];\n }\n /**\r\n * Applies a named state to the target element.\r\n *\r\n * @param newState State name\r\n */\n apply(newState) {\n const state = this._states[newState];\n if (state) {\n state.apply();\n }\n this._entity._applyState(newState);\n }\n /**\r\n * Applies a named state to the element.\r\n *\r\n * Returns an object representing all [[Animation]] objects created for\r\n * each setting key transition.\r\n *\r\n * @param newState State name\r\n * @return Animations\r\n */\n applyAnimate(newState, duration) {\n let animations;\n const state = this._states[newState];\n if (state) {\n animations = state.applyAnimate(duration);\n }\n this._entity._applyStateAnimated(newState, duration);\n return animations;\n }\n}\n","import { Disposer } from \"./Disposer\";\nimport { EventDispatcher } from \"./EventDispatcher\";\nimport { AnimationState, getInterpolate } from \"./Animation\";\nimport { States } from \"./States\";\nimport { registry } from \"../Registry\";\nimport * as $object from \"./Object\";\nimport * as $ease from \"./Ease\";\nimport * as $array from \"./Array\";\nimport * as $order from \"./Order\";\n/**\r\n * Allows to dynamically modify setting value of its target element.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/adapters/} for more info\r\n */\nexport class Adapters {\n constructor(entity) {\n Object.defineProperty(this, \"_entity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_callbacks\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_disabled\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n this._entity = entity;\n }\n /**\r\n * Add a function (`callback`) that will modify value for setting `key`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/adapters/} for more info\r\n */\n add(key, callback) {\n let callbacks = this._callbacks[key];\n if (callbacks === undefined) {\n callbacks = this._callbacks[key] = [];\n }\n callbacks.push(callback);\n this._entity._markDirtyKey(key);\n return new Disposer(() => {\n if ($array.removeFirst(callbacks, callback)) {\n this._entity._markDirtyKey(key);\n }\n });\n }\n /**\r\n * Removes all adapters for the specific key.\r\n *\r\n * @since 5.1.0\r\n */\n remove(key) {\n const callbacks = this._callbacks[key];\n if (callbacks !== undefined) {\n delete this._callbacks[key];\n if (callbacks.length !== 0) {\n this._entity._markDirtyKey(key);\n }\n }\n }\n /**\r\n * Enables (previously disabled) adapters for specific key.\r\n *\r\n * @since 5.1.0\r\n */\n enable(key) {\n if (this._disabled[key]) {\n delete this._disabled[key];\n this._entity._markDirtyKey(key);\n }\n }\n /**\r\n * Disables all adapters for specific key.\r\n *\r\n * @since 5.1.0\r\n */\n disable(key) {\n if (!this._disabled[key]) {\n this._disabled[key] = true;\n this._entity._markDirtyKey(key);\n }\n }\n /**\r\n * @ignore\r\n */\n fold(key, value) {\n if (!this._disabled[key]) {\n const callbacks = this._callbacks[key];\n if (callbacks !== undefined) {\n for (let i = 0, len = callbacks.length; i < len; ++i) {\n value = callbacks[i](value, this._entity, key);\n }\n }\n }\n return value;\n }\n}\n/**\r\n * Animation object.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/animations/} for more info\r\n */\nexport class Animation {\n constructor(animation, from, to, duration, easing, loops, startingTime) {\n Object.defineProperty(this, \"_animation\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_from\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_to\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_duration\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_easing\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_loops\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_interpolate\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_oldTime\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_time\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_stopped\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_playing\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new EventDispatcher()\n });\n this._animation = animation;\n this._from = from;\n this._to = to;\n this._duration = duration;\n this._easing = easing;\n this._loops = loops;\n this._interpolate = getInterpolate(from, to);\n this._oldTime = startingTime;\n }\n get to() {\n return this._to;\n }\n get from() {\n return this._from;\n }\n get playing() {\n return this._playing;\n }\n get stopped() {\n return this._stopped;\n }\n stop() {\n if (!this._stopped) {\n this._stopped = true;\n this._playing = false;\n if (this.events.isEnabled(\"stopped\")) {\n this.events.dispatch(\"stopped\", {\n type: \"stopped\",\n target: this\n });\n }\n }\n }\n pause() {\n this._playing = false;\n this._oldTime = null;\n }\n play() {\n if (!this._stopped && !this._playing) {\n this._playing = true;\n this._animation._startAnimation();\n }\n }\n get percentage() {\n return this._time / this._duration;\n }\n waitForStop() {\n return new Promise((resolve, _reject) => {\n if (this._stopped) {\n resolve();\n } else {\n const listener = () => {\n stopped.dispose();\n resolve();\n };\n const stopped = this.events.on(\"stopped\", listener);\n }\n });\n }\n _checkEnded() {\n if (this._loops > 1) {\n --this._loops;\n return false;\n } else {\n return true;\n }\n }\n _run(currentTime) {\n if (this._oldTime !== null) {\n this._time += currentTime - this._oldTime;\n if (this._time > this._duration) {\n this._time = this._duration;\n }\n }\n this._oldTime = currentTime;\n }\n _reset(currentTime) {\n this._oldTime = currentTime;\n this._time = 0;\n }\n _value(diff) {\n return this._interpolate(this._easing(diff), this._from, this._to);\n }\n}\n/**\r\n * @ignore\r\n */\nlet counter = 0;\n/**\r\n * Base class for [[Entity]] objects that support Settings.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n */\nexport class Settings {\n constructor(settings) {\n /**\r\n * Unique ID.\r\n */\n Object.defineProperty(this, \"uid\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: ++counter\n });\n Object.defineProperty(this, \"_settings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_privateSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_settingEvents\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_privateSettingEvents\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_prevSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_prevPrivateSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_animatingSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_animatingPrivateSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_disposed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n // TODO move this into Entity\n Object.defineProperty(this, \"_userProperties\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n /**\r\n * If this is set to `false` then disposing does nothing, it's a no-op.\r\n */\n Object.defineProperty(this, \"enableDispose\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n this._settings = settings;\n }\n _checkDirty() {\n $object.keys(this._settings).forEach(key => {\n this._userProperties[key] = true;\n this._markDirtyKey(key);\n });\n }\n /**\r\n * @ignore\r\n */\n resetUserSettings() {\n this._userProperties = {};\n }\n _runAnimation(currentTime) {\n let state = AnimationState.Stopped;\n if (!this.isDisposed()) {\n let playing = false;\n let paused = false;\n $object.each(this._animatingSettings, (key, animation) => {\n if (animation.stopped) {\n this._stopAnimation(key);\n } else if (animation.playing) {\n animation._run(currentTime);\n const diff = animation.percentage;\n if (diff >= 1) {\n if (animation._checkEnded()) {\n this.set(key, animation._value(1));\n } else {\n playing = true;\n animation._reset(currentTime);\n this._set(key, animation._value(1));\n }\n } else {\n playing = true;\n this._set(key, animation._value(diff));\n }\n } else {\n paused = true;\n }\n });\n $object.each(this._animatingPrivateSettings, (key, animation) => {\n if (animation.stopped) {\n this._stopAnimationPrivate(key);\n } else if (animation.playing) {\n animation._run(currentTime);\n const diff = animation.percentage;\n if (diff >= 1) {\n if (animation._checkEnded()) {\n this.setPrivate(key, animation._value(1));\n } else {\n playing = true;\n animation._reset(currentTime);\n this._setPrivate(key, animation._value(1));\n }\n } else {\n playing = true;\n this._setPrivate(key, animation._value(diff));\n }\n } else {\n paused = true;\n }\n });\n if (playing) {\n state = AnimationState.Playing;\n } else if (paused) {\n state = AnimationState.Paused;\n }\n }\n return state;\n }\n _markDirtyKey(_key) {\n this.markDirty();\n }\n _markDirtyPrivateKey(_key) {\n this.markDirty();\n }\n /**\r\n * Sets a callback function to invoke when specific key of settings changes\r\n * or is set.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/#Settings_value_change} for more info\r\n * @param key Settings key\r\n * @param callback Callback\r\n * @return Disposer for event\r\n */\n on(key, callback) {\n let events = this._settingEvents[key];\n if (events === undefined) {\n events = this._settingEvents[key] = [];\n }\n events.push(callback);\n return new Disposer(() => {\n $array.removeFirst(events, callback);\n if (events.length === 0) {\n delete this._settingEvents[key];\n }\n });\n }\n /**\r\n * Removes a callback for when value of a setting changes.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/#Settings_value_change} for more info\r\n * @param key Private settings key\r\n * @param callback Callback\r\n * @since 5.9.2\r\n */\n off(key, callback) {\n let events = this._settingEvents[key];\n if (events !== undefined && callback !== undefined) {\n $array.removeFirst(events, callback);\n } else {\n delete this._settingEvents[key];\n }\n }\n /**\r\n * Sets a callback function to invoke when specific key of private settings\r\n * changes or is set.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/#Settings_value_change} for more info\r\n * @param key Private settings key\r\n * @param callback Callback\r\n * @return Disposer for event\r\n */\n onPrivate(key, callback) {\n let events = this._privateSettingEvents[key];\n if (events === undefined) {\n events = this._privateSettingEvents[key] = [];\n }\n events.push(callback);\n return new Disposer(() => {\n $array.removeFirst(events, callback);\n if (events.length === 0) {\n delete this._privateSettingEvents[key];\n }\n });\n }\n /**\r\n * Removes a callback for when value of a private setting changes.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/#Settings_value_change} for more info\r\n * @param key Private settings key\r\n * @param callback Callback\r\n * @since 5.9.2\r\n */\n offPrivate(key, callback) {\n let events = this._privateSettingEvents[key];\n if (events !== undefined && callback !== undefined) {\n $array.removeFirst(events, callback);\n } else {\n delete this._privateSettingEvents[key];\n }\n }\n /**\r\n * @ignore\r\n */\n getRaw(key, fallback) {\n const value = this._settings[key];\n if (value !== undefined) {\n return value;\n } else {\n return fallback;\n }\n }\n /**\r\n * Returns `true` if the setting exists.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Settings key\r\n * @return {boolean} Key exists\r\n */\n has(key) {\n return key in this._settings;\n }\n get(key, fallback) {\n return this.getRaw(key, fallback);\n }\n _sendKeyEvent(key, value) {\n const events = this._settingEvents[key];\n if (events !== undefined) {\n $array.each(events, callback => {\n callback(value, this, key);\n });\n }\n }\n _sendPrivateKeyEvent(key, value) {\n const events = this._privateSettingEvents[key];\n if (events !== undefined) {\n $array.each(events, callback => {\n callback(value, this, key);\n });\n }\n }\n /**\r\n * @ignore\r\n */\n _setRaw(key, old, value) {\n this._prevSettings[key] = old;\n this._sendKeyEvent(key, value);\n }\n /**\r\n * @ignore\r\n */\n setRaw(key, value) {\n const old = this._settings[key];\n this._settings[key] = value;\n if (old !== value) {\n this._setRaw(key, old, value);\n }\n }\n /**\r\n * @ignore\r\n */\n _set(key, value) {\n const old = this._settings[key];\n this._settings[key] = value;\n if (old !== value) {\n this._setRaw(key, old, value);\n this._markDirtyKey(key);\n }\n }\n _stopAnimation(key) {\n const animation = this._animatingSettings[key];\n if (animation) {\n delete this._animatingSettings[key];\n animation.stop();\n }\n }\n /**\r\n * Sets a setting `value` for the specified `key`, and returns the same `value`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n * @param value Setting value\r\n * @return Setting value\r\n */\n set(key, value) {\n this._set(key, value);\n this._stopAnimation(key);\n return value;\n }\n /**\r\n * Removes a setting value for the specified `key`;\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n */\n remove(key) {\n if (key in this._settings) {\n this._prevSettings[key] = this._settings[key];\n delete this._settings[key];\n this._sendKeyEvent(key, undefined);\n this._markDirtyKey(key);\n }\n this._stopAnimation(key);\n }\n /**\r\n * Removes all keys;\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n */\n removeAll() {\n $array.each($object.keys(this._settings), key => {\n this.remove(key);\n });\n }\n /**\r\n * Returns a value of a private setting.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/#Private_settings} for more info\r\n */\n getPrivate(key, fallback) {\n const value = this._privateSettings[key];\n if (value !== undefined) {\n return value;\n } else {\n return fallback;\n }\n }\n /**\r\n * @ignore\r\n */\n _setPrivateRaw(key, old, value) {\n this._prevPrivateSettings[key] = old;\n this._sendPrivateKeyEvent(key, value);\n }\n /**\r\n * @ignore\r\n */\n setPrivateRaw(key, value) {\n const old = this._privateSettings[key];\n this._privateSettings[key] = value;\n if (old !== value) {\n this._setPrivateRaw(key, old, value);\n }\n }\n /**\r\n * @ignore\r\n */\n _setPrivate(key, value) {\n const old = this._privateSettings[key];\n this._privateSettings[key] = value;\n if (old !== value) {\n this._setPrivateRaw(key, old, value);\n this._markDirtyPrivateKey(key);\n }\n }\n _stopAnimationPrivate(key) {\n const animation = this._animatingPrivateSettings[key];\n if (animation) {\n animation.stop();\n delete this._animatingPrivateSettings[key];\n }\n }\n /**\r\n * @ignore\r\n */\n setPrivate(key, value) {\n this._setPrivate(key, value);\n this._stopAnimationPrivate(key);\n return value;\n }\n /**\r\n * @ignore\r\n */\n removePrivate(key) {\n if (key in this._privateSettings) {\n this._prevPrivateSettings[key] = this._privateSettings[key];\n delete this._privateSettings[key];\n this._markDirtyPrivateKey(key);\n }\n this._stopAnimationPrivate(key);\n }\n /**\r\n * Sets multiple settings at once.\r\n *\r\n * `settings` must be an object with key: value pairs.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param settings Settings\r\n */\n setAll(settings) {\n $object.each(settings, (key, value) => {\n this.set(key, value);\n });\n }\n /**\r\n * Animates setting values from current/start values to new ones.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/animations/#Animating_settings} for more info\r\n * @param options Animation options\r\n * @return Animation object\r\n */\n animate(options) {\n const key = options.key;\n const to = options.to;\n const duration = options.duration || 0;\n const loops = options.loops || 1;\n const from = options.from === undefined ? this.get(key) : options.from;\n const easing = options.easing === undefined ? $ease.linear : options.easing;\n if (duration === 0) {\n this.set(key, to);\n } else {\n if (from === undefined || from === to) {\n this.set(key, to);\n } else {\n this.set(key, from);\n const animation = this._animatingSettings[key] = new Animation(this, from, to, duration, easing, loops, this._animationTime());\n this._startAnimation();\n return animation;\n }\n }\n const animation = new Animation(this, from, to, duration, easing, loops, null);\n animation.stop();\n return animation;\n }\n /**\r\n * @ignore\r\n */\n animatePrivate(options) {\n const key = options.key;\n const to = options.to;\n const duration = options.duration || 0;\n const loops = options.loops || 1;\n const from = options.from === undefined ? this.getPrivate(key) : options.from;\n const easing = options.easing === undefined ? $ease.linear : options.easing;\n if (duration === 0) {\n this.setPrivate(key, to);\n } else {\n if (from === undefined || from === to) {\n this.setPrivate(key, to);\n } else {\n this.setPrivate(key, from);\n const animation = this._animatingPrivateSettings[key] = new Animation(this, from, to, duration, easing, loops, this._animationTime());\n this._startAnimation();\n return animation;\n }\n }\n const animation = new Animation(this, from, to, duration, easing, loops, null);\n animation.stop();\n return animation;\n }\n _dispose() {}\n /**\r\n * Returns `true` if this element is disposed.\r\n *\r\n * @return Disposed\r\n */\n isDisposed() {\n return this._disposed;\n }\n /**\r\n * Disposes this object.\r\n */\n dispose() {\n if (this.enableDispose && !this._disposed) {\n this._disposed = true;\n this._dispose();\n }\n }\n}\n/**\r\n * Base class.\r\n *\r\n * @important\r\n */\nexport class Entity extends Settings {\n /**\r\n * IMPORTANT! Do not instantiate this class via `new Class()` syntax.\r\n *\r\n * Use static method `Class.new()` instead.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/#New_element_syntax} for more info\r\n * @ignore\r\n */\n constructor(root, settings, isReal, templates = []) {\n super(settings);\n Object.defineProperty(this, \"_root\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_user_id\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n }); // for testing purposes\n Object.defineProperty(this, \"states\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new States(this)\n });\n Object.defineProperty(this, \"adapters\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Adapters(this)\n });\n Object.defineProperty(this, \"events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._createEvents()\n });\n Object.defineProperty(this, \"_userPrivateProperties\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dirtyPrivate\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_template\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n // Templates for the themes\n Object.defineProperty(this, \"_templates\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n // Internal templates which can be overridden by the user's templates\n Object.defineProperty(this, \"_internalTemplates\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n // Default themes which can be overridden by the user's themes\n Object.defineProperty(this, \"_defaultThemes\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n // Disposers for all of the templates\n Object.defineProperty(this, \"_templateDisposers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_disposers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n // Whether the template setup function should be run\n Object.defineProperty(this, \"_runSetup\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"_disposerProperties\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n if (!isReal) {\n throw new Error(\"You cannot use `new Class()`, instead use `Class.new()`\");\n }\n this._root = root;\n this._internalTemplates = templates;\n if (settings.id) {\n this._registerId(settings.id);\n }\n }\n /**\r\n * Use this method to create an instance of this class.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/#New_element_syntax} for more info\r\n * @param root Root element\r\n * @param settings Settings\r\n * @param template Template\r\n * @return Instantiated object\r\n */\n static new(root, settings, template) {\n const x = new this(root, settings, true);\n x._template = template;\n x._afterNew();\n return x;\n }\n static _new(root, settings, templates = []) {\n const x = new this(root, settings, true, templates);\n x._afterNew();\n return x;\n }\n _afterNew() {\n this._checkDirty();\n let shouldApply = false;\n const template = this._template;\n if (template) {\n shouldApply = true;\n template._setObjectTemplate(this);\n }\n $array.each(this._internalTemplates, template => {\n shouldApply = true;\n template._setObjectTemplate(this);\n });\n if (shouldApply) {\n this._applyTemplates(false);\n }\n this.states.create(\"default\", {});\n this._setDefaults();\n }\n // This is the same as _afterNew, except it also applies the themes.\n // This should only be used for classes which don't have a parent (because they extend from Entity and not Sprite).\n _afterNewApplyThemes() {\n this._checkDirty();\n const template = this._template;\n if (template) {\n template._setObjectTemplate(this);\n }\n $array.each(this._internalTemplates, template => {\n template._setObjectTemplate(this);\n });\n this.states.create(\"default\", {});\n this._setDefaults();\n this._applyThemes();\n }\n _createEvents() {\n return new EventDispatcher();\n }\n /**\r\n * @ignore\r\n */\n get classNames() {\n return this.constructor.classNames;\n }\n /**\r\n * @ignore\r\n */\n get className() {\n return this.constructor.className;\n }\n _setDefaults() {}\n _setDefaultFn(key, f) {\n const value = this.get(key);\n if (value) {\n return value;\n } else {\n const value = f();\n this.set(key, value);\n return value;\n }\n }\n _setDefault(key, value) {\n if (!this.has(key)) {\n super.set(key, value);\n }\n }\n _setRawDefault(key, value) {\n if (!this.has(key)) {\n super.setRaw(key, value);\n }\n }\n _clearDirty() {\n $object.keys(this._dirty).forEach(key => {\n this._dirty[key] = false;\n });\n $object.keys(this._dirtyPrivate).forEach(key => {\n this._dirtyPrivate[key] = false;\n });\n }\n /**\r\n * @ignore\r\n */\n isDirty(key) {\n return !!this._dirty[key];\n }\n /**\r\n * @ignore\r\n */\n isPrivateDirty(key) {\n return !!this._dirtyPrivate[key];\n }\n _markDirtyKey(key) {\n this._dirty[key] = true;\n super._markDirtyKey(key);\n }\n _markDirtyPrivateKey(key) {\n this._dirtyPrivate[key] = true;\n super._markDirtyKey(key);\n }\n /**\r\n * Checks if element is of certain class (or inherits one).\r\n *\r\n * @param type Class name to check\r\n * @return {boolean} Is of class?\r\n */\n isType(type) {\n return this.classNames.indexOf(type) !== -1;\n }\n _pushPropertyDisposer(key, disposer) {\n let disposers = this._disposerProperties[key];\n if (disposers === undefined) {\n disposers = this._disposerProperties[key] = [];\n }\n disposers.push(disposer);\n return disposer;\n }\n _disposeProperty(key) {\n const disposers = this._disposerProperties[key];\n if (disposers !== undefined) {\n $array.each(disposers, disposer => {\n disposer.dispose();\n });\n delete this._disposerProperties[key];\n }\n }\n /**\r\n * @todo needs description\r\n * @param value Template\r\n */\n set template(value) {\n const template = this._template;\n if (template !== value) {\n this._template = value;\n if (template) {\n template._removeObjectTemplate(this);\n }\n if (value) {\n value._setObjectTemplate(this);\n }\n this._applyTemplates();\n }\n }\n get template() {\n return this._template;\n }\n /**\r\n * @ignore\r\n */\n markDirty() {\n this._root._addDirtyEntity(this);\n }\n _startAnimation() {\n this._root._addAnimation(this);\n }\n _animationTime() {\n return this._root.animationTime;\n }\n _applyState(_name) {}\n _applyStateAnimated(_name, _duration) {}\n get(key, fallback) {\n const value = this.adapters.fold(key, this._settings[key]);\n if (value !== undefined) {\n return value;\n } else {\n return fallback;\n }\n }\n /**\r\n * @ignore\r\n */\n isUserSetting(key) {\n return this._userProperties[key] || false;\n }\n /**\r\n * Sets a setting `value` for the specified `key`, and returns the same `value`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n * @param value Setting value\r\n * @return Setting value\r\n */\n set(key, value) {\n this._userProperties[key] = true;\n return super.set(key, value);\n }\n /**\r\n * @ignore\r\n */\n setRaw(key, value) {\n this._userProperties[key] = true;\n super.setRaw(key, value);\n }\n /**\r\n * Sets a setting `value` for the specified `key` only if the value for this key was not set previously using set method, and returns the same `value`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n * @param value Setting value\r\n * @return Setting value\r\n */\n _setSoft(key, value) {\n if (!this._userProperties[key]) {\n return super.set(key, value);\n }\n return value;\n }\n /**\r\n * Removes a setting value for the specified `key`.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/} for more info\r\n * @param key Setting key\r\n */\n remove(key) {\n delete this._userProperties[key];\n this._removeTemplateProperty(key);\n }\n /**\r\n * @ignore\r\n */\n setPrivate(key, value) {\n this._userPrivateProperties[key] = true;\n return super.setPrivate(key, value);\n }\n /**\r\n * @ignore\r\n */\n setPrivateRaw(key, value) {\n this._userPrivateProperties[key] = true;\n super.setPrivateRaw(key, value);\n }\n /**\r\n * @ignore\r\n */\n removePrivate(key) {\n delete this._userPrivateProperties[key];\n this._removeTemplatePrivateProperty(key);\n }\n _setTemplateProperty(template, key, value) {\n if (!this._userProperties[key]) {\n const match = this._findTemplateByKey(key);\n if (template === match) {\n super.set(key, value);\n }\n }\n }\n _setTemplatePrivateProperty(template, key, value) {\n if (!this._userPrivateProperties[key]) {\n const match = this._findTemplateByPrivateKey(key);\n if (template === match) {\n super.setPrivate(key, value);\n }\n }\n }\n _removeTemplateProperty(key) {\n if (!this._userProperties[key]) {\n const match = this._findTemplateByKey(key);\n if (match) {\n // TODO don't stop the animation if the property didn't change\n super.set(key, match._settings[key]);\n } else {\n super.remove(key);\n }\n }\n }\n _removeTemplatePrivateProperty(key) {\n if (!this._userPrivateProperties[key]) {\n const match = this._findTemplateByPrivateKey(key);\n if (match) {\n // TODO don't stop the animation if the property didn't change\n super.setPrivate(key, match._privateSettings[key]);\n } else {\n super.removePrivate(key);\n }\n }\n }\n _walkParents(f) {\n f(this._root._rootContainer);\n f(this);\n }\n // TODO faster version of this method which is specialized to just 1 key\n _applyStateByKey(name) {\n const other = this.states.create(name, {});\n const seen = {};\n this._eachTemplate(template => {\n const state = template.states.lookup(name);\n if (state) {\n state._apply(other, seen);\n }\n });\n $object.each(other._settings, key => {\n if (!seen[key] && !other._userSettings[key]) {\n other.remove(key);\n }\n });\n }\n _applyTemplate(template, state) {\n this._templateDisposers.push(template._apply(this, state));\n $object.each(template._settings, (key, value) => {\n if (!state.settings[key] && !this._userProperties[key]) {\n state.settings[key] = true;\n super.set(key, value);\n }\n });\n $object.each(template._privateSettings, (key, value) => {\n if (!state.privateSettings[key] && !this._userPrivateProperties[key]) {\n state.privateSettings[key] = true;\n super.setPrivate(key, value);\n }\n });\n if (this._runSetup && template.setup) {\n this._runSetup = false;\n template.setup(this);\n }\n }\n /**\r\n * Calls the closure with each template and returns the first template which is true\r\n */\n _findStaticTemplate(f) {\n if (this._template) {\n if (f(this._template)) {\n return this._template;\n }\n }\n }\n _eachTemplate(f) {\n this._findStaticTemplate(template => {\n f(template);\n return false;\n });\n // _internalTemplates is sorted with most specific to the right\n $array.eachReverse(this._internalTemplates, f);\n // _templates is sorted with most specific to the left\n $array.each(this._templates, f);\n }\n _applyTemplates(remove = true) {\n if (remove) {\n this._disposeTemplates();\n }\n const state = {\n settings: {},\n privateSettings: {},\n states: {}\n };\n this._eachTemplate(template => {\n this._applyTemplate(template, state);\n });\n if (remove) {\n $object.each(this._settings, key => {\n if (!this._userProperties[key] && !state.settings[key]) {\n super.remove(key);\n }\n });\n $object.each(this._privateSettings, key => {\n if (!this._userPrivateProperties[key] && !state.privateSettings[key]) {\n super.removePrivate(key);\n }\n });\n }\n }\n _findTemplate(f) {\n const value = this._findStaticTemplate(f);\n if (value === undefined) {\n // _internalTemplates is sorted with most specific to the right\n const value = $array.findReverse(this._internalTemplates, f);\n if (value === undefined) {\n // _templates is sorted with most specific to the left\n return $array.find(this._templates, f);\n } else {\n return value;\n }\n } else {\n return value;\n }\n }\n _findTemplateByKey(key) {\n return this._findTemplate(template => {\n return key in template._settings;\n });\n }\n _findTemplateByPrivateKey(key) {\n return this._findTemplate(template => {\n return key in template._privateSettings;\n });\n }\n _disposeTemplates() {\n $array.each(this._templateDisposers, disposer => {\n disposer.dispose();\n });\n this._templateDisposers.length = 0;\n }\n _removeTemplates() {\n $array.each(this._templates, template => {\n template._removeObjectTemplate(this);\n });\n this._templates.length = 0;\n }\n _applyThemes(force = false) {\n let isConnected = false;\n const defaults = [];\n let themes = [];\n const themeTags = new Set();\n const tags = this.get(\"themeTagsSelf\");\n if (tags) {\n $array.each(tags, tag => {\n themeTags.add(tag);\n });\n }\n this._walkParents(entity => {\n if (entity === this._root._rootContainer) {\n isConnected = true;\n }\n if (entity._defaultThemes.length > 0) {\n defaults.push(entity._defaultThemes);\n }\n const theme = entity.get(\"themes\");\n if (theme) {\n themes.push(theme);\n }\n const tags = entity.get(\"themeTags\");\n if (tags) {\n $array.each(tags, tag => {\n themeTags.add(tag);\n });\n }\n });\n themes = defaults.concat(themes);\n this._removeTemplates();\n if (isConnected || force) {\n $array.eachReverse(this.classNames, name => {\n const allRules = [];\n $array.each(themes, themes => {\n $array.each(themes, theme => {\n const rules = theme._lookupRules(name);\n if (rules) {\n $array.eachReverse(rules, rule => {\n const matches = rule.tags.every(tag => {\n return themeTags.has(tag);\n });\n if (matches) {\n const result = $array.getFirstSortedIndex(allRules, x => {\n const order = $order.compare(rule.tags.length, x.tags.length);\n if (order === 0) {\n return $order.compareArray(rule.tags, x.tags, $order.compare);\n } else {\n return order;\n }\n });\n allRules.splice(result.index, 0, rule);\n }\n });\n }\n });\n });\n $array.each(allRules, rule => {\n this._templates.push(rule.template);\n rule.template._setObjectTemplate(this);\n });\n });\n }\n this._applyTemplates();\n if (isConnected || force) {\n // This causes it to only run the setup function the first time that the themes are applied\n this._runSetup = false;\n }\n return isConnected || force;\n }\n _changed() {}\n _beforeChanged() {\n if (this.isDirty(\"id\")) {\n const id = this.get(\"id\");\n if (id) {\n this._registerId(id);\n }\n const prevId = this._prevSettings.id;\n if (prevId) {\n delete registry.entitiesById[prevId];\n }\n }\n }\n _registerId(id) {\n if (registry.entitiesById[id] && registry.entitiesById[id] !== this) {\n throw new Error(\"An entity with id \\\"\" + id + \"\\\" already exists.\");\n }\n registry.entitiesById[id] = this;\n }\n _afterChanged() {}\n /**\r\n * @ignore\r\n */\n addDisposer(disposer) {\n this._disposers.push(disposer);\n return disposer;\n }\n _dispose() {\n super._dispose();\n const template = this._template;\n if (template) {\n template._removeObjectTemplate(this);\n }\n $array.each(this._internalTemplates, template => {\n template._removeObjectTemplate(this);\n });\n this._removeTemplates();\n this._disposeTemplates();\n this.events.dispose();\n this._disposers.forEach(x => {\n x.dispose();\n });\n $object.each(this._disposerProperties, (_, disposers) => {\n $array.each(disposers, disposer => {\n disposer.dispose();\n });\n });\n const id = this.get(\"id\");\n if (id) {\n delete registry.entitiesById[id];\n }\n }\n /**\r\n * Creates and returns a \"disposable\" timeout.\r\n *\r\n * @param fn Callback\r\n * @param delay Delay in milliseconds\r\n * @return Timeout disposer\r\n */\n setTimeout(fn, delay) {\n const id = setTimeout(() => {\n this.removeDispose(disposer);\n fn();\n }, delay);\n const disposer = new Disposer(() => {\n clearTimeout(id);\n });\n this._disposers.push(disposer);\n return disposer;\n }\n /**\r\n * @ignore\r\n */\n removeDispose(target) {\n if (!this.isDisposed()) {\n let index = $array.indexOf(this._disposers, target);\n if (index > -1) {\n this._disposers.splice(index, 1);\n }\n }\n target.dispose();\n }\n /**\r\n * @ignore\r\n */\n hasTag(tag) {\n return $array.indexOf(this.get(\"themeTags\", []), tag) !== -1;\n }\n /**\r\n * @ignore\r\n */\n addTag(tag) {\n if (!this.hasTag(tag)) {\n const tags = this.get(\"themeTags\", []);\n tags.push(tag);\n this.set(\"themeTags\", tags);\n }\n }\n /**\r\n * @ignore\r\n */\n removeTag(tag) {\n if (this.hasTag(tag)) {\n const tags = this.get(\"themeTags\", []);\n $array.remove(tags, tag);\n this.set(\"themeTags\", tags);\n }\n }\n _t(text, locale, ...rest) {\n return this._root.language.translate(text, locale, ...rest);\n }\n /**\r\n * An instance of [[Root]] object.\r\n *\r\n * @readonly\r\n * @since 5.0.6\r\n * @return Root object\r\n */\n get root() {\n return this._root;\n }\n}\nObject.defineProperty(Entity, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Entity\"\n});\nObject.defineProperty(Entity, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: [\"Entity\"]\n});\n","import { Entity } from \"../../util/Entity\";\n/**\r\n * Base class for patterns.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/colors-gradients-and-patterns/patterns/} for more info\r\n */\nexport class Pattern extends Entity {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_display\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeGraphics()\n });\n Object.defineProperty(this, \"_backgroundDisplay\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeGraphics()\n });\n Object.defineProperty(this, \"_clear\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_pattern\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n _afterNew() {\n // Applying themes because pattern will not have parent\n super._afterNewApplyThemes();\n }\n get pattern() {\n return this._pattern;\n }\n _draw() {}\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"repetition\") || this.isDirty(\"width\") || this.isDirty(\"height\") || this.isDirty(\"rotation\") || this.isDirty(\"strokeWidth\") || this.isDirty(\"strokeDasharray\") || this.isDirty(\"strokeDashoffset\") || this.isDirty(\"colorOpacity\") || this.isDirty(\"fillOpacity\")) {\n this._clear = true;\n }\n this._checkDirtyFill();\n }\n _checkDirtyFill() {\n if (this.isDirty(\"color\") || this.isDirty(\"fill\")) {\n this._clear = true;\n }\n }\n _changed() {\n super._changed();\n if (this._clear) {\n const repetition = this.get(\"repetition\", \"\");\n const width = this.get(\"width\", 100);\n const height = this.get(\"height\", 100);\n const fill = this.get(\"fill\");\n const fillOpacity = this.get(\"fillOpacity\", 1);\n const backgroundDisplay = this._backgroundDisplay;\n const display = this._display;\n display.clear();\n backgroundDisplay.clear();\n if (fill && fillOpacity > 0) {\n backgroundDisplay.beginFill(fill, fillOpacity);\n backgroundDisplay.drawRect(0, 0, width, height);\n backgroundDisplay.endFill();\n }\n display.angle = this.get(\"rotation\", 0);\n //display.pivot = { x: width / 2, y: height / 2 };\n this._draw();\n this._pattern = this._root._renderer.createPattern(display, backgroundDisplay, repetition, width, height);\n }\n this._clear = false;\n }\n}\nObject.defineProperty(Pattern, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Pattern\"\n});\nObject.defineProperty(Pattern, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Entity.classNames.concat([Pattern.className])\n});\n","import { Pattern } from \"./Pattern\";\n/**\r\n * Picture pattern.\r\n *\r\n * @since 5.2.15\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/colors-gradients-and-patterns/patterns/} for more info\r\n */\nexport class PicturePattern extends Pattern {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_image\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n _beforeChanged() {\n super._beforeChanged();\n this._clear = true;\n if (this.isDirty(\"src\")) {\n this._load();\n }\n const canvas = this.get(\"canvas\");\n if (canvas) {\n this.set(\"width\", canvas.width);\n this.set(\"height\", canvas.height);\n }\n }\n _draw() {\n super._draw();\n const colorOpacity = this.get(\"colorOpacity\");\n if (colorOpacity !== undefined) {\n this._display.alpha = Math.max(0, colorOpacity);\n }\n const image = this._image;\n if (image) {\n const patternWidth = this.get(\"width\", 100);\n const patternHeight = this.get(\"height\", 100);\n // Fit\n const fit = this.get(\"fit\", \"image\");\n let width = 0;\n let height = 0;\n if (fit == \"pattern\") {\n width = patternWidth;\n height = patternHeight;\n this.markDirty();\n } else {\n width = image.width;\n height = image.height;\n if (fit == \"image\") {\n this.set(\"width\", width);\n this.set(\"height\", height);\n }\n }\n // Position\n const centered = this.get(\"centered\", true);\n let x = 0;\n let y = 0;\n if (centered) {\n x = patternWidth / 2 - width / 2;\n y = patternHeight / 2 - height / 2;\n }\n this._display.image(image, width, height, x, y);\n }\n const canvas = this.get(\"canvas\");\n if (canvas) {\n this._display.image(canvas, canvas.width, canvas.height, 0, 0);\n }\n }\n _load() {\n const src = this.get(\"src\");\n if (src) {\n const image = new Image();\n //image.crossOrigin = \"Anonymous\";\n image.src = src;\n image.decode().then(() => {\n this._image = image;\n this._draw();\n if (this.events.isEnabled(\"loaded\")) {\n this.events.dispatch(\"loaded\", {\n type: \"loaded\",\n target: this\n });\n }\n }).catch(_error => {\n // TODO: maybe raise error?\n });\n }\n }\n}\nObject.defineProperty(PicturePattern, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"PicturePattern\"\n});\nObject.defineProperty(PicturePattern, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Pattern.classNames.concat([PicturePattern.className])\n});\n","import { __awaiter } from \"tslib\";\nimport { Entity } from \"../util/Entity\";\nimport { Template } from \"../util/Template\";\nimport { Percent } from \"../util/Percent\";\nimport { EventDispatcher } from \"../util/EventDispatcher\";\nimport { MultiDisposer, CounterDisposer } from \"../util/Disposer\";\nimport { waitForAnimations } from \"../util/Animation\";\nimport * as $utils from \"../util/Utils\";\nimport * as $array from \"../util/Array\";\nimport * as $type from \"../util/Type\";\nimport * as $object from \"../util/Object\";\nimport * as $math from \"../util/Math\";\n//import { populateString } from \"../util/PopulateString\";\n/**\r\n * An [[EventDispatcher]] for [[Sprite]].\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/} for more info\r\n */\nclass SpriteEventDispatcher extends EventDispatcher {\n constructor(sprite) {\n super();\n Object.defineProperty(this, \"_sprite\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_rendererDisposers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dispatchParents\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n this._sprite = sprite;\n }\n _makePointerEvent(key, event) {\n return {\n type: key,\n originalEvent: event.event,\n point: event.point,\n simulated: event.simulated,\n native: event.native,\n target: this._sprite\n };\n }\n _onRenderer(key, dispatch) {\n // TODO: is this OK? it'd be good not to require to set this on each individual element\n this._sprite.set(\"interactive\", true);\n this._sprite._display.interactive = true;\n let events = this._rendererDisposers[key];\n if (events === undefined) {\n const disposer = this._sprite._display.on(key, e => {\n dispatch.call(this, e);\n });\n events = this._rendererDisposers[key] = new CounterDisposer(() => {\n delete this._rendererDisposers[key];\n disposer.dispose();\n });\n }\n return events.increment();\n }\n _on(once, type, callback, context, shouldClone, dispatch) {\n const info = super._on(once, type, callback, context, shouldClone, dispatch);\n const rendererEvent = SpriteEventDispatcher.RENDERER_EVENTS[type];\n if (rendererEvent !== undefined) {\n info.disposer = new MultiDisposer([info.disposer, this._onRenderer(type, rendererEvent)]);\n }\n return info;\n }\n /**\r\n * Will stop any bubbling up of the event to element's parents.\r\n *\r\n * Should be called in an event handler, e.g.:\r\n *\r\n * ```TypeScript\r\n * element.events.on(\"pointerdown\", function(ev) {\r\n * // Do something here and prevent from \"pointerdown\" bubbling up\r\n * // ...\r\n * ev.target.events.stopParentDispatch();\r\n * });\r\n * ```\r\n * ```JavaScript\r\n * element.events.on(\"pointerdown\", function(ev) {\r\n * // Do something here and prevent from \"pointerdown\" bubbling up\r\n * // ...\r\n * ev.target.events.stopParentDispatch();\r\n * });\r\n * ```\r\n */\n stopParentDispatch() {\n this._dispatchParents = false;\n }\n /**\r\n * @ignore\r\n */\n dispatchParents(type, event) {\n const old = this._dispatchParents;\n this._dispatchParents = true;\n try {\n this.dispatch(type, event);\n if (this._dispatchParents && this._sprite.parent) {\n this._sprite.parent.events.dispatchParents(type, event);\n }\n } finally {\n this._dispatchParents = old;\n }\n }\n}\nObject.defineProperty(SpriteEventDispatcher, \"RENDERER_EVENTS\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {\n \"click\": function (event) {\n if (this.isEnabled(\"click\") && !this._sprite.isDragging() && this._sprite._hasDown() && !this._sprite._hasMoved(this._makePointerEvent(\"click\", event))) {\n this.dispatch(\"click\", this._makePointerEvent(\"click\", event));\n }\n },\n \"rightclick\": function (event) {\n if (this.isEnabled(\"rightclick\")) {\n this.dispatch(\"rightclick\", this._makePointerEvent(\"rightclick\", event));\n }\n },\n \"middleclick\": function (event) {\n if (this.isEnabled(\"middleclick\")) {\n this.dispatch(\"middleclick\", this._makePointerEvent(\"middleclick\", event));\n }\n },\n \"dblclick\": function (event) {\n this.dispatchParents(\"dblclick\", this._makePointerEvent(\"dblclick\", event));\n },\n \"pointerover\": function (event) {\n const sprite = this._sprite;\n let dispatch = true;\n if (sprite.getPrivate(\"trustBounds\")) {\n sprite._getBounds();\n const bounds = sprite.globalBounds();\n if (sprite.isType(\"Graphics\")) {\n const strokeWidth = sprite.get(\"strokeWidth\", 1) / 2;\n if (strokeWidth >= 1) {\n bounds.left -= strokeWidth;\n bounds.right += strokeWidth;\n bounds.top -= strokeWidth;\n bounds.bottom += strokeWidth;\n }\n }\n if (!$math.inBounds(event.point, bounds)) {\n dispatch = false;\n sprite._root._renderer.removeHovering(sprite._display);\n }\n }\n if (dispatch && this.isEnabled(\"pointerover\")) {\n this.dispatch(\"pointerover\", this._makePointerEvent(\"pointerover\", event));\n }\n },\n \"pointerout\": function (event) {\n if (this.isEnabled(\"pointerout\")) {\n this.dispatch(\"pointerout\", this._makePointerEvent(\"pointerout\", event));\n }\n },\n \"pointerdown\": function (event) {\n this.dispatchParents(\"pointerdown\", this._makePointerEvent(\"pointerdown\", event));\n },\n \"pointerup\": function (event) {\n if (this.isEnabled(\"pointerup\")) {\n this.dispatch(\"pointerup\", this._makePointerEvent(\"pointerup\", event));\n }\n },\n \"globalpointerup\": function (event) {\n if (this.isEnabled(\"globalpointerup\")) {\n this.dispatch(\"globalpointerup\", this._makePointerEvent(\"globalpointerup\", event));\n }\n },\n \"globalpointermove\": function (event) {\n if (this.isEnabled(\"globalpointermove\")) {\n this.dispatch(\"globalpointermove\", this._makePointerEvent(\"globalpointermove\", event));\n }\n },\n \"wheel\": function (event) {\n this.dispatchParents(\"wheel\", {\n type: \"wheel\",\n target: this._sprite,\n originalEvent: event.event,\n point: event.point\n });\n }\n }\n});\n/**\r\n * A base class for all visual elements.\r\n *\r\n * @important\r\n */\nexport class Sprite extends Entity {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_adjustedLocalBounds\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n }\n });\n Object.defineProperty(this, \"_localBounds\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n }\n });\n Object.defineProperty(this, \"_parent\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_dataItem\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_templateField\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_sizeDirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n // Will be true only when dragging\n Object.defineProperty(this, \"_isDragging\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n // The event when the dragging starts\n Object.defineProperty(this, \"_dragEvent\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n // The position when dragging starts\n Object.defineProperty(this, \"_dragPoint\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_isHidden\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_isShowing\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_isHiding\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_isDown\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_downPoint\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_downPoints\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_toggleDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_dragDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_hoverDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_focusDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipMoveDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipPointerDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_statesHandled\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n _afterNew() {\n this.setPrivateRaw(\"visible\", true);\n super._afterNew();\n }\n /**\r\n * Marks some setting as dirty. Could be used to trigger adapter.\r\n * @param key\r\n */\n markDirtyKey(key) {\n this._markDirtyKey(key);\n }\n _markDirtyKey(key) {\n super._markDirtyKey(key);\n if (key == \"x\" || key == \"y\" || key == \"dx\" || key == \"dy\") {\n this.markDirtyBounds();\n this._addPercentagePositionChildren();\n this.markDirtyPosition();\n }\n }\n _markDirtyPrivateKey(key) {\n super._markDirtyPrivateKey(key);\n if (key == \"x\" || key == \"y\") {\n this.markDirtyPosition();\n }\n }\n _removeTemplateField() {\n if (this._templateField) {\n this._templateField._removeObjectTemplate(this);\n }\n }\n _createEvents() {\n return new SpriteEventDispatcher(this);\n }\n _processTemplateField() {\n let template;\n const field = this.get(\"templateField\");\n if (field) {\n const dataItem = this.dataItem;\n if (dataItem) {\n const context = dataItem.dataContext;\n if (context) {\n template = context[field];\n if (!(template instanceof Template) && template) {\n template = Template.new(template);\n }\n }\n }\n }\n if (this._templateField !== template) {\n this._removeTemplateField();\n this._templateField = template;\n if (template) {\n template._setObjectTemplate(this);\n }\n this._applyTemplates();\n }\n }\n // TODO change this to run before the element is added to the parent, so that way\n // it doesn't need to apply the themes twice\n _setDataItem(dataItem) {\n const oldDataItem = this._dataItem;\n this._dataItem = dataItem;\n this._processTemplateField();\n const eventType = \"dataitemchanged\";\n if (dataItem != oldDataItem) {\n if (this.events.isEnabled(eventType)) {\n this.events.dispatch(eventType, {\n type: eventType,\n target: this,\n oldDataItem: oldDataItem,\n newDataItem: dataItem\n });\n }\n }\n }\n /**\r\n * A [[DataItem]] used for this element.\r\n *\r\n * NOTE: data item is being assigned automatically in most cases where it\r\n * matters. Use this accessor to set data item only if you know what you're\r\n * doing.\r\n *\r\n * @param value Data item\r\n */\n set dataItem(value) {\n this._setDataItem(value);\n }\n /**\r\n * @return DataItem\r\n */\n get dataItem() {\n if (this._dataItem) {\n return this._dataItem;\n } else {\n let parent = this._parent;\n while (parent) {\n if (parent._dataItem) {\n return parent._dataItem;\n } else {\n parent = parent._parent;\n }\n }\n }\n }\n _addPercentageSizeChildren() {\n let parent = this.parent;\n if (parent) {\n if (this.get(\"width\") instanceof Percent || this.get(\"height\") instanceof Percent) {\n $array.pushOne(parent._percentageSizeChildren, this);\n } else {\n $array.removeFirst(parent._percentageSizeChildren, this);\n }\n }\n }\n _addPercentagePositionChildren() {\n let parent = this.parent;\n if (parent) {\n if (this.get(\"x\") instanceof Percent || this.get(\"y\") instanceof Percent) {\n $array.pushOne(parent._percentagePositionChildren, this);\n } else {\n $array.removeFirst(parent._percentagePositionChildren, this);\n }\n }\n }\n /**\r\n * @ignore\r\n */\n markDirtyPosition() {\n this._root._addDirtyPosition(this);\n }\n updatePivotPoint() {\n const bounds = this._localBounds;\n if (bounds) {\n const centerX = this.get(\"centerX\");\n if (centerX != null) {\n this._display.pivot.x = bounds.left + $utils.relativeToValue(centerX, bounds.right - bounds.left);\n }\n const centerY = this.get(\"centerY\");\n if (centerY != null) {\n this._display.pivot.y = bounds.top + $utils.relativeToValue(centerY, bounds.bottom - bounds.top);\n }\n }\n }\n _beforeChanged() {\n super._beforeChanged();\n // handling states in beforeChanged, otherwise states is not applied without animated theme\n this._handleStates();\n if (this.isDirty(\"tooltip\")) {\n const previous = this._prevSettings.tooltip;\n if (previous) {\n previous.dispose();\n }\n }\n if (this.isDirty(\"layer\") || this.isDirty(\"layerMargin\")) {\n this._display.setLayer(this.get(\"layer\"), this.get(\"layerMargin\"));\n this.markDirtyLayer();\n }\n if (this.isDirty(\"tooltipPosition\")) {\n const tooltipMoveDp = this._tooltipMoveDp;\n if (tooltipMoveDp) {\n tooltipMoveDp.dispose();\n this._tooltipMoveDp = undefined;\n }\n const tooltipPointerDp = this._tooltipPointerDp;\n if (tooltipPointerDp) {\n tooltipPointerDp.dispose();\n this._tooltipPointerDp = undefined;\n }\n if (this.get(\"tooltipPosition\") == \"pointer\") {\n if (this.isHover()) {\n this._tooltipMoveDp = this.events.on(\"globalpointermove\", e => {\n this.showTooltip(e.point);\n });\n }\n this._tooltipPointerDp = new MultiDisposer([this.events.on(\"pointerover\", () => {\n this._tooltipMoveDp = this.events.on(\"globalpointermove\", e => {\n this.showTooltip(e.point);\n });\n }), this.events.on(\"pointerout\", () => {\n const tooltipMoveDp = this._tooltipMoveDp;\n if (tooltipMoveDp) {\n tooltipMoveDp.dispose();\n this._tooltipMoveDp = undefined;\n }\n })]);\n }\n }\n }\n _handleStates() {\n if (!this._statesHandled) {\n if (this.isDirty(\"active\")) {\n if (this.get(\"active\")) {\n this.states.applyAnimate(\"active\");\n this.set(\"ariaChecked\", true);\n } else {\n if (!this.isHidden()) {\n this.states.applyAnimate(\"default\");\n }\n this.set(\"ariaChecked\", false);\n }\n this.markDirtyAccessibility();\n }\n if (this.isDirty(\"disabled\")) {\n if (this.get(\"disabled\")) {\n this.states.applyAnimate(\"disabled\");\n this.set(\"ariaChecked\", false);\n } else {\n if (!this.isHidden()) {\n this.states.applyAnimate(\"default\");\n }\n this.set(\"ariaChecked\", true);\n }\n this.markDirtyAccessibility();\n }\n this._statesHandled = true;\n }\n }\n _changed() {\n super._changed();\n const display = this._display;\n const events = this.events;\n if (this.isDirty(\"draggable\")) {\n const draggable = this.get(\"draggable\");\n if (draggable) {\n this.set(\"interactive\", true);\n this._dragDp = new MultiDisposer([events.on(\"pointerdown\", ev => {\n this.dragStart(ev);\n }), events.on(\"globalpointermove\", ev => {\n this.dragMove(ev);\n }), events.on(\"globalpointerup\", ev => {\n this.dragStop(ev);\n })]);\n } else {\n if (this._dragDp) {\n this._dragDp.dispose();\n this._dragDp = undefined;\n }\n }\n display.cancelTouch = draggable ? true : false;\n }\n if (this.isDirty(\"tooltipText\") || this.isDirty(\"tooltipHTML\") || this.isDirty(\"showTooltipOn\")) {\n const tooltipText = this.get(\"tooltipText\");\n const tooltipHTML = this.get(\"tooltipHTML\");\n const showTooltipOn = this.get(\"showTooltipOn\", \"hover\");\n if (this._tooltipDp) {\n this._tooltipDp.dispose();\n this._tooltipDp = undefined;\n }\n if (tooltipText || tooltipHTML) {\n if (showTooltipOn == \"click\") {\n this._tooltipDp = new MultiDisposer([events.on(\"click\", () => {\n this.setTimeout(() => {\n const tooltip = this.getTooltip();\n if (tooltip && !tooltip.isHidden() && tooltip.get(\"tooltipTarget\") === this) {\n this.hideTooltip();\n } else {\n this.showTooltip();\n }\n }, 10);\n }), $utils.addEventListener(document, \"click\", _ev => {\n this.hideTooltip();\n })]);\n this._disposers.push(this._tooltipDp);\n } else if (showTooltipOn == \"always\") {\n // nothing\n } else {\n this._tooltipDp = new MultiDisposer([events.on(\"pointerover\", () => {\n this.showTooltip();\n }), events.on(\"pointerout\", () => {\n this.hideTooltip();\n })]);\n this._disposers.push(this._tooltipDp);\n }\n }\n }\n if (this.isDirty(\"toggleKey\")) {\n let toggleKey = this.get(\"toggleKey\");\n if (toggleKey && toggleKey != \"none\") {\n this._toggleDp = events.on(\"click\", () => {\n if (!this._isDragging) {\n this.set(toggleKey, !this.get(toggleKey));\n }\n });\n } else {\n if (this._toggleDp) {\n this._toggleDp.dispose();\n this._toggleDp = undefined;\n }\n }\n }\n if (this.isDirty(\"opacity\")) {\n display.alpha = Math.max(0, this.get(\"opacity\", 1));\n if (this.get(\"focusable\")) {\n this.markDirtyAccessibility();\n }\n }\n if (this.isDirty(\"rotation\")) {\n this.markDirtyBounds();\n display.angle = this.get(\"rotation\", 0);\n }\n if (this.isDirty(\"scale\")) {\n this.markDirtyBounds();\n display.scale = this.get(\"scale\", 0);\n }\n if (this.isDirty(\"centerX\") || this.isDirty(\"centerY\")) {\n this.markDirtyBounds();\n this.updatePivotPoint();\n }\n if (this.isDirty(\"visible\") || this.isPrivateDirty(\"visible\") || this.isDirty(\"forceHidden\")) {\n if (!this.get(\"visible\") || !this.getPrivate(\"visible\") || this.get(\"forceHidden\")) {\n display.visible = false;\n this.hideTooltip();\n } else {\n display.visible = true;\n }\n this.markDirtyBounds();\n if (this.get(\"focusable\")) {\n this.markDirtyAccessibility();\n }\n }\n if (this.isDirty(\"width\") || this.isDirty(\"height\")) {\n this.markDirtyBounds();\n this._addPercentageSizeChildren();\n const parent = this.parent;\n if (parent) {\n if (this.isDirty(\"width\") && this.get(\"width\") instanceof Percent || this.isDirty(\"height\") && this.get(\"height\") instanceof Percent) {\n parent.markDirty();\n parent._prevWidth = 0;\n }\n }\n this._sizeDirty = true;\n }\n if (this.isDirty(\"maxWidth\") || this.isDirty(\"maxHeight\") || this.isPrivateDirty(\"width\") || this.isPrivateDirty(\"height\") || this.isDirty(\"minWidth\") || this.isDirty(\"minHeight\") || this.isPrivateDirty(\"maxWidth\") || this.isPrivateDirty(\"maxHeight\") || this.isPrivateDirty(\"minWidth\") || this.isPrivateDirty(\"minHeight\") || this.isDirty(\"marginLeft\") || this.isDirty(\"marginTop\") || this.isDirty(\"marginRight\") || this.isDirty(\"marginBottom\")) {\n this.markDirtyBounds();\n this._sizeDirty = true;\n }\n if (this._sizeDirty) {\n this._updateSize();\n }\n if (this.isDirty(\"wheelable\")) {\n const wheelable = this.get(\"wheelable\");\n if (wheelable) {\n this.set(\"interactive\", true);\n }\n display.wheelable = wheelable ? true : false;\n }\n // Accessibility\n if (this.isDirty(\"tabindexOrder\") || this.isDirty(\"focusableGroup\")) {\n if (this.get(\"focusable\")) {\n this._root._registerTabindexOrder(this);\n } else {\n this._root._unregisterTabindexOrder(this);\n }\n }\n if (this.isDirty(\"filter\")) {\n //this.markDirtyBounds();\n display.filter = this.get(\"filter\");\n }\n let filter = this.get(\"filter\", \"\");\n if (this.isDirty(\"blur\")) {\n const blur = this.get(\"blur\", 0);\n if (blur != 0) {\n filter += \" blur(\" + blur + \"px)\";\n }\n }\n if (this.isDirty(\"saturate\")) {\n const saturate = this.get(\"saturate\", 1);\n if (saturate != 1) {\n filter += \" saturate(\" + saturate + \")\";\n }\n }\n if (this.isDirty(\"brightness\")) {\n const brightness = this.get(\"brightness\", 1);\n if (brightness != 1) {\n filter += \" brightness(\" + brightness + \")\";\n }\n }\n if (this.isDirty(\"contrast\")) {\n const contrast = this.get(\"contrast\", 1);\n if (contrast != 1) {\n filter += \" contrast(\" + contrast + \")\";\n }\n }\n if (this.isDirty(\"sepia\")) {\n const sepia = this.get(\"sepia\", 0);\n if (sepia != 0) {\n filter += \" sepia(\" + sepia + \")\";\n }\n }\n if (this.isDirty(\"hue\")) {\n const hue = this.get(\"hue\", 0);\n if (hue != 0) {\n filter += \" hue-rotate(\" + hue + \"deg)\";\n }\n }\n if (this.isDirty(\"invert\")) {\n const invert = this.get(\"invert\", 0);\n if (invert != 0) {\n filter += \" invert(\" + invert + \")\";\n }\n }\n if (filter) {\n display.filter = filter;\n }\n if (this.isDirty(\"cursorOverStyle\")) {\n display.cursorOverStyle = this.get(\"cursorOverStyle\");\n }\n if (this.isDirty(\"hoverOnFocus\")) {\n if (this.get(\"hoverOnFocus\")) {\n this._focusDp = new MultiDisposer([events.on(\"focus\", () => {\n // TODO: proper hover, not just tooltip\n this.showTooltip();\n }), events.on(\"blur\", () => {\n // TODO: proper hover, not just tooltip\n this.hideTooltip();\n })]);\n } else {\n if (this._focusDp) {\n this._focusDp.dispose();\n this._focusDp = undefined;\n }\n }\n }\n if (this.isDirty(\"focusable\")) {\n if (this.get(\"focusable\")) {\n this._root._registerTabindexOrder(this);\n } else {\n this._root._unregisterTabindexOrder(this);\n }\n this.markDirtyAccessibility();\n this._disposers.push(events.on(\"blur\", () => {\n this.setPrivateRaw(\"touchHovering\", false);\n }));\n }\n if (this.isPrivateDirty(\"focusable\")) {\n this.markDirtyAccessibility();\n }\n if (this.isDirty(\"role\") || this.isDirty(\"ariaLive\") || this.isDirty(\"ariaChecked\") || this.isDirty(\"ariaHidden\") || this.isDirty(\"ariaOrientation\") || this.isDirty(\"ariaValueNow\") || this.isDirty(\"ariaValueMin\") || this.isDirty(\"ariaValueMax\") || this.isDirty(\"ariaValueText\") || this.isDirty(\"ariaLabel\") || this.isDirty(\"ariaControls\")) {\n // display.accessibility.ariaLabel = populateString(this, this.get(\"ariaLabel\", \"\"));\n // @todo make sure ariaLabel gets populated in Root\n this.markDirtyAccessibility();\n }\n if (this.isDirty(\"exportable\")) {\n display.exportable = this.get(\"exportable\");\n }\n if (this.isDirty(\"interactive\")) {\n const events = this.events;\n if (this.get(\"interactive\") && !events.isDisposed()) {\n this._hoverDp = new MultiDisposer([events.on(\"click\", ev => {\n if ($utils.isTouchEvent(ev.originalEvent)) {\n if (!this.getPrivate(\"touchHovering\")) {\n this.setTimeout(() => {\n this._handleOver();\n if (this.get(\"tooltipText\") || this.get(\"tooltipHTML\")) {\n this.showTooltip();\n }\n this.setPrivateRaw(\"touchHovering\", true);\n this.events.dispatch(\"pointerover\", {\n type: \"pointerover\",\n target: ev.target,\n originalEvent: ev.originalEvent,\n point: ev.point,\n simulated: ev.simulated\n });\n }, 10);\n }\n }\n }), events.on(\"globalpointerup\", ev => {\n if ($utils.isTouchEvent(ev.originalEvent)) {\n if (this.getPrivate(\"touchHovering\")) {\n this._handleOut();\n if (this.get(\"tooltipText\") || this.get(\"tooltipHTML\")) {\n this.hideTooltip();\n }\n this.setPrivateRaw(\"touchHovering\", false);\n this.events.dispatch(\"pointerout\", {\n type: \"pointerout\",\n target: ev.target,\n originalEvent: ev.originalEvent,\n point: ev.point,\n simulated: ev.simulated\n });\n }\n }\n if (this._isDown) {\n this._handleUp(ev);\n }\n //this._isDown = false;\n }), events.on(\"pointerover\", () => {\n this._handleOver();\n }), events.on(\"pointerout\", () => {\n this._handleOut();\n }), events.on(\"pointerdown\", e => {\n this._handleDown(e);\n })]);\n } else {\n this._display.interactive = false;\n if (this._hoverDp) {\n this._hoverDp.dispose();\n this._hoverDp = undefined;\n }\n }\n }\n if (this.isDirty(\"forceInactive\")) {\n this._display.inactive = this.get(\"forceInactive\", null);\n }\n if (this.get(\"showTooltipOn\") == \"always\" && this._display.visible) {\n this.showTooltip();\n }\n }\n /**\r\n * @ignore\r\n * @todo should this be user-accessible?\r\n */\n dragStart(e) {\n this._dragEvent = e;\n this.events.stopParentDispatch();\n }\n /**\r\n * @ignore\r\n * @todo should this be user-accessible?\r\n */\n dragStop(e) {\n this._dragEvent = undefined;\n this._dragPoint = undefined;\n this.events.stopParentDispatch();\n if (this._isDragging) {\n this._isDragging = false;\n const type = \"dragstop\";\n if (this.events.isEnabled(type)) {\n this.events.dispatch(type, {\n type: type,\n target: this,\n originalEvent: e.originalEvent,\n point: e.point,\n simulated: e.simulated\n });\n }\n }\n }\n _handleOver() {\n if (!this.isHidden()) {\n if (this.get(\"active\") && this.states.lookup(\"hoverActive\")) {\n this.states.applyAnimate(\"hoverActive\");\n } else if (this.get(\"disabled\") && this.states.lookup(\"hoverDisabled\")) {\n this.states.applyAnimate(\"hoverDisabled\");\n } else {\n this.states.applyAnimate(\"hover\");\n }\n if (this.get(\"draggable\") && this._isDown && this.states.lookup(\"down\")) {\n this.states.applyAnimate(\"down\");\n }\n }\n }\n _handleOut() {\n if (!this.isHidden()) {\n if (this.get(\"active\") && this.states.lookup(\"active\")) {\n this.states.applyAnimate(\"active\");\n } else if (this.get(\"disabled\") && this.states.lookup(\"disabled\")) {\n this.states.applyAnimate(\"disabled\");\n } else {\n if (this.states.lookup(\"hover\") || this.states.lookup(\"hoverActive\")) {\n this.states.applyAnimate(\"default\");\n }\n }\n if (this.get(\"draggable\") && this._isDown && this.states.lookup(\"down\")) {\n this.states.applyAnimate(\"down\");\n }\n }\n }\n _handleUp(e) {\n if (!this.isHidden()) {\n if (this.get(\"active\") && this.states.lookup(\"active\")) {\n this.states.applyAnimate(\"active\");\n } else if (this.get(\"disabled\") && this.states.lookup(\"disabled\")) {\n this.states.applyAnimate(\"disabled\");\n } else if (this.states.lookup(\"down\")) {\n if (this.isHover()) {\n this.states.applyAnimate(\"hover\");\n } else {\n this.states.applyAnimate(\"default\");\n }\n }\n // @todo remove this once migrated to _downPoints\n this._downPoint = undefined;\n const pointerId = $utils.getPointerId(e.originalEvent);\n delete this._downPoints[pointerId];\n if ($object.keys(this._downPoints).length == 0) {\n this._isDown = false;\n }\n }\n }\n _hasMoved(e) {\n // @todo remove this once migrated to _downPoints\n // if (this._downPoint) {\n // \tconst x = Math.abs(this._downPoint.x - e.point.x);\n // \tconst y = Math.abs(this._downPoint.y - e.point.y);\n // \treturn (x > 5) || (y > 5);\n // }\n const pointerId = $utils.getPointerId(e.originalEvent);\n const downPoint = this._downPoints[pointerId];\n if (downPoint) {\n const x = Math.abs(downPoint.x - e.point.x);\n const y = Math.abs(downPoint.y - e.point.y);\n return x > 5 || y > 5;\n }\n return false;\n }\n _hasDown() {\n return $object.keys(this._downPoints).length > 0;\n }\n _handleDown(e) {\n const parent = this.parent;\n if (parent && !this.get(\"draggable\")) {\n parent._handleDown(e);\n }\n if (this.get(\"interactive\") && !this.isHidden()) {\n if (this.states.lookup(\"down\")) {\n this.states.applyAnimate(\"down\");\n }\n this._downPoint = {\n x: e.point.x,\n y: e.point.y\n };\n // @todo remove this once migrated to _downPoints\n this._isDown = true;\n const pointerId = $utils.getPointerId(e.originalEvent);\n this._downPoints[pointerId] = {\n x: e.point.x,\n y: e.point.y\n };\n }\n }\n /**\r\n * @ignore\r\n * @todo should this be user-accessible?\r\n */\n dragMove(e) {\n let dragEvent = this._dragEvent;\n if (dragEvent) {\n if (dragEvent.simulated && !e.simulated) {\n return true;\n }\n let angle = 0;\n let parent = this.parent;\n let scale = 1;\n while (parent != null) {\n angle += parent.get(\"rotation\", 0);\n parent = parent.parent;\n if (parent) {\n scale *= parent.get(\"scale\", 1);\n }\n }\n let x = (e.point.x - dragEvent.point.x) / scale;\n let y = (e.point.y - dragEvent.point.y) / scale;\n const events = this.events;\n if (dragEvent.simulated && !this._isDragging) {\n this._isDragging = true;\n this._dragEvent = e;\n this._dragPoint = {\n x: this.x(),\n y: this.y()\n };\n const type = \"dragstart\";\n if (events.isEnabled(type)) {\n events.dispatch(type, {\n type: type,\n target: this,\n originalEvent: e.originalEvent,\n point: e.point,\n simulated: e.simulated\n });\n }\n }\n if (this._isDragging) {\n let dragPoint = this._dragPoint;\n this.set(\"x\", dragPoint.x + x * $math.cos(angle) + y * $math.sin(angle));\n this.set(\"y\", dragPoint.y + y * $math.cos(angle) - x * $math.sin(angle));\n const type = \"dragged\";\n if (events.isEnabled(type)) {\n events.dispatch(type, {\n type: type,\n target: this,\n originalEvent: e.originalEvent,\n point: e.point,\n simulated: e.simulated\n });\n }\n } else {\n if (Math.hypot(x, y) > 5) {\n this._isDragging = true;\n this._dragEvent = e;\n this._dragPoint = {\n x: this.x(),\n y: this.y()\n };\n const type = \"dragstart\";\n if (events.isEnabled(type)) {\n events.dispatch(type, {\n type: type,\n target: this,\n originalEvent: e.originalEvent,\n point: e.point,\n simulated: e.simulated\n });\n }\n }\n }\n }\n }\n _updateSize() {}\n _getBounds() {\n this._localBounds = this._display.getLocalBounds();\n }\n /**\r\n * Returns depth (how deep in the hierachy of the content tree) of this\r\n * element.\r\n *\r\n * @return Depth\r\n */\n depth() {\n let self = this.parent;\n let depth = 0;\n while (true) {\n if (self) {\n ++depth;\n self = self.parent;\n } else {\n return depth;\n }\n }\n }\n /**\r\n * @ignore\r\n */\n markDirtySize() {\n this._sizeDirty = true;\n this.markDirty();\n }\n /**\r\n * @ignore\r\n */\n markDirtyBounds() {\n const display = this._display;\n if (this.get(\"isMeasured\")) {\n this._root._addDirtyBounds(this);\n display.isMeasured = true;\n display.invalidateBounds();\n const parent = this.parent;\n if (parent && this.get(\"position\") != \"absolute\") {\n if (parent.get(\"width\") == null || parent.get(\"height\") == null || parent.get(\"layout\")) {\n parent.markDirtyBounds();\n }\n }\n if (this.get(\"focusable\") && this.isFocus()) {\n this.markDirtyAccessibility();\n }\n }\n }\n /**\r\n * @ignore\r\n */\n markDirtyAccessibility() {\n //if (this._root.focused(this)) {\n this._root._invalidateAccessibility(this);\n //}\n }\n /**\r\n * @ignore\r\n */\n markDirtyLayer() {\n //this._display.markDirtyLayer(this.isDirty(\"opacity\") || this.isDirty(\"visible\")); https://codepen.io/team/amcharts/pen/gOWZPmP <- problems\n this._display.markDirtyLayer(true);\n }\n /**\r\n * @ignore\r\n */\n markDirty() {\n super.markDirty();\n this.markDirtyLayer();\n }\n _updateBounds() {\n const oldBounds = this._adjustedLocalBounds;\n let newBounds;\n // if display.visible == false, it still returns bounds\n if (!this.get(\"visible\") || !this.getPrivate(\"visible\") || this.get(\"forceHidden\")) {\n newBounds = {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n };\n this._localBounds = newBounds;\n this._adjustedLocalBounds = newBounds;\n } else {\n this._getBounds();\n this._fixMinBounds(this._localBounds);\n this.updatePivotPoint();\n this._adjustedLocalBounds = this._display.getAdjustedBounds(this._localBounds);\n newBounds = this._adjustedLocalBounds;\n }\n if (!oldBounds || oldBounds.left !== newBounds.left || oldBounds.top !== newBounds.top || oldBounds.right !== newBounds.right || oldBounds.bottom !== newBounds.bottom) {\n const eventType = \"boundschanged\";\n if (this.events.isEnabled(eventType)) {\n this.events.dispatch(eventType, {\n type: eventType,\n target: this\n });\n }\n if (this.parent) {\n this.parent.markDirty();\n this.parent.markDirtyBounds();\n }\n // Update tooltip position together with the Sprite\n if (this.getPrivate(\"showingTooltip\")) {\n this.showTooltip();\n }\n }\n }\n _fixMinBounds(bounds) {\n let minWidth = this.get(\"minWidth\", this.getPrivate(\"minWidth\"));\n let minHeight = this.get(\"minHeight\", this.getPrivate(\"minHeight\"));\n if ($type.isNumber(minWidth)) {\n if (bounds.right - bounds.left < minWidth) {\n bounds.right = bounds.left + minWidth;\n }\n }\n if ($type.isNumber(minHeight)) {\n if (bounds.bottom - bounds.top < minHeight) {\n bounds.bottom = bounds.top + minHeight;\n }\n }\n let privateWidth = this.getPrivate(\"width\");\n let privateHeight = this.getPrivate(\"height\");\n if ($type.isNumber(privateWidth)) {\n if (privateWidth > 0) {\n bounds.right = bounds.left + privateWidth;\n } else {\n bounds.left = bounds.right + privateWidth;\n }\n }\n if ($type.isNumber(privateHeight)) {\n if (privateHeight > 0) {\n bounds.bottom = bounds.top + privateHeight;\n } else {\n bounds.top = bounds.bottom + privateHeight;\n }\n }\n }\n _removeParent(parent) {\n if (parent) {\n parent.children.removeValue(this);\n $array.removeFirst(parent._percentageSizeChildren, this);\n $array.removeFirst(parent._percentagePositionChildren, this);\n }\n }\n _clearDirty() {\n super._clearDirty();\n this._sizeDirty = false;\n this._statesHandled = false;\n }\n /**\r\n * Simulate hover over element.\r\n */\n hover() {\n if (!this.isDisposed()) {\n this.showTooltip();\n this._handleOver();\n }\n }\n /**\r\n * Simulate unhover over element.\r\n */\n unhover() {\n if (!this.isDisposed()) {\n this.hideTooltip();\n this._handleOut();\n }\n }\n /**\r\n * Shows element's [[Tooltip]].\r\n */\n showTooltip(point) {\n if (!this.isDisposed()) {\n const tooltip = this.getTooltip();\n const tooltipText = this.get(\"tooltipText\");\n const tooltipHTML = this.get(\"tooltipHTML\");\n if ((tooltipText || tooltipHTML) && tooltip) {\n const tooltipPosition = this.get(\"tooltipPosition\");\n const tooltipTarget = this.getPrivate(\"tooltipTarget\", this);\n if (tooltipPosition == \"fixed\" || !point) {\n this._display._setMatrix();\n point = this.toGlobal(tooltipTarget._getTooltipPoint());\n }\n tooltip.set(\"pointTo\", point);\n tooltip.set(\"tooltipTarget\", tooltipTarget);\n if (!tooltip.get(\"x\")) {\n tooltip.set(\"x\", point.x);\n }\n if (!tooltip.get(\"y\")) {\n tooltip.set(\"y\", point.y);\n }\n if (tooltipText) {\n tooltip.label.set(\"text\", tooltipText);\n }\n if (tooltipHTML) {\n tooltip.label.set(\"html\", tooltipHTML);\n }\n const dataItem = this.dataItem;\n if (dataItem) {\n tooltip.label._setDataItem(dataItem);\n }\n if (this.get(\"showTooltipOn\") == \"always\" && (point.x < 0 || point.x > this._root.width() || point.y < 0 || point.y > this._root.height())) {\n this.hideTooltip();\n return;\n }\n tooltip.label.text.markDirtyText();\n const promise = tooltip.show();\n this.setPrivateRaw(\"showingTooltip\", true);\n return promise;\n }\n }\n }\n /**\r\n * Hides element's [[Tooltip]].\r\n */\n hideTooltip() {\n const tooltip = this.getTooltip();\n if (tooltip) {\n if (tooltip.get(\"tooltipTarget\") == this.getPrivate(\"tooltipTarget\", this) || this.get(\"tooltip\") == tooltip) {\n let timeout = tooltip.get(\"keepTargetHover\") && tooltip.get(\"stateAnimationDuration\", 0) == 0 ? 400 : undefined;\n const promise = tooltip.hide(timeout);\n this.setPrivateRaw(\"showingTooltip\", false);\n return promise;\n }\n }\n }\n _getTooltipPoint() {\n const bounds = this._localBounds;\n if (bounds) {\n let x = 0;\n let y = 0;\n if (!this.get(\"isMeasured\")) {\n x = $utils.relativeToValue(this.get(\"tooltipX\", 0), this.width());\n y = $utils.relativeToValue(this.get(\"tooltipY\", 0), this.height());\n } else {\n x = bounds.left + $utils.relativeToValue(this.get(\"tooltipX\", 0), bounds.right - bounds.left);\n y = bounds.top + $utils.relativeToValue(this.get(\"tooltipY\", 0), bounds.bottom - bounds.top);\n }\n return {\n x,\n y\n };\n }\n return {\n x: 0,\n y: 0\n };\n }\n /**\r\n * Returns [[Tooltip]] used for this element.\r\n *\r\n * @return Tooltip\r\n */\n getTooltip() {\n let tooltip = this.get(\"tooltip\");\n if (!tooltip) {\n let parent = this.parent;\n if (parent) {\n return parent.getTooltip();\n }\n } else {\n return tooltip;\n }\n }\n _updatePosition() {\n const parent = this.parent;\n let dx = this.get(\"dx\", 0);\n let dy = this.get(\"dy\", 0);\n let x = this.get(\"x\");\n let _x = this.getPrivate(\"x\");\n let xx = 0;\n let yy = 0;\n const position = this.get(\"position\");\n if (x instanceof Percent) {\n if (parent) {\n x = parent.innerWidth() * x.value + parent.get(\"paddingLeft\", 0);\n } else {\n x = 0;\n }\n }\n if ($type.isNumber(x)) {\n xx = x + dx;\n } else {\n if (_x != null) {\n xx = _x;\n } else if (parent) {\n if (position == \"relative\") {\n xx = parent.get(\"paddingLeft\", 0) + dx;\n }\n }\n }\n let y = this.get(\"y\");\n let _y = this.getPrivate(\"y\");\n if (y instanceof Percent) {\n if (parent) {\n y = parent.innerHeight() * y.value + parent.get(\"paddingTop\", 0);\n } else {\n y = 0;\n }\n }\n if ($type.isNumber(y)) {\n yy = y + dy;\n } else {\n if (_y != null) {\n yy = _y;\n } else if (parent) {\n if (position == \"relative\") {\n yy = parent.get(\"paddingTop\", 0) + dy;\n }\n }\n }\n const display = this._display;\n if (display.x != xx || display.y != yy) {\n display.invalidateBounds();\n display.x = xx;\n display.y = yy;\n const eventType = \"positionchanged\";\n if (this.events.isEnabled(eventType)) {\n this.events.dispatch(eventType, {\n type: eventType,\n target: this\n });\n }\n }\n // Update tooltip position together with the Sprite\n if (this.getPrivate(\"showingTooltip\")) {\n this.showTooltip();\n }\n }\n /**\r\n * Returns element's actual X position in pixels.\r\n *\r\n * @return X (px)\r\n */\n x() {\n let x = this.get(\"x\");\n let _x = this.getPrivate(\"x\");\n const parent = this.parent;\n if (parent) {\n if (x instanceof Percent) {\n return $utils.relativeToValue(x, parent.innerWidth()) + parent.get(\"paddingLeft\", 0);\n } else {\n if (!$type.isNumber(x)) {\n if (_x != null) {\n return _x;\n } else {\n return parent.get(\"paddingLeft\", this._display.x);\n }\n } else {\n return x;\n }\n }\n }\n return this._display.x;\n }\n /**\r\n * Returns element's actual Y position in pixels.\r\n *\r\n * @return Y (px)\r\n */\n y() {\n let _y = this.getPrivate(\"y\");\n if (_y != null) {\n return _y;\n }\n let y = this.get(\"y\");\n const parent = this.parent;\n if (parent) {\n if (y instanceof Percent) {\n return $utils.relativeToValue(y, parent.innerHeight()) + parent.get(\"paddingTop\", 0);\n } else {\n if (!$type.isNumber(y)) {\n if (_y != null) {\n return _y;\n } else {\n return parent.get(\"paddingTop\", this._display.y);\n }\n } else {\n return y;\n }\n }\n }\n return this._display.y;\n }\n _dispose() {\n super._dispose();\n this._display.dispose();\n this._removeTemplateField();\n this._removeParent(this.parent);\n this._root._removeFocusElement(this);\n const tooltip = this.get(\"tooltip\");\n if (tooltip) {\n tooltip.dispose();\n }\n this.markDirty();\n }\n /**\r\n * @ignore\r\n */\n adjustedLocalBounds() {\n this._fixMinBounds(this._adjustedLocalBounds);\n return this._adjustedLocalBounds;\n }\n /**\r\n * Returns local coordinates of the element's bounds.\r\n *\r\n * @ignore\r\n * @return Global bounds\r\n */\n localBounds() {\n return this._localBounds;\n }\n /**\r\n * Returns adjusted local coordinates of the element's bounds.\r\n *\r\n * @ignore\r\n * @return Global bounds\r\n */\n bounds() {\n const bounds = this._adjustedLocalBounds;\n const x = this.x();\n const y = this.y();\n return {\n left: bounds.left + x,\n right: bounds.right + x,\n top: bounds.top + y,\n bottom: bounds.bottom + y\n };\n }\n /**\r\n * Returns global coordinates of the element's bounds.\r\n *\r\n * @ignore\r\n * @return Global bounds\r\n */\n globalBounds() {\n const bounds = this.localBounds();\n const p0 = this.toGlobal({\n x: bounds.left,\n y: bounds.top\n });\n const p1 = this.toGlobal({\n x: bounds.right,\n y: bounds.top\n });\n const p2 = this.toGlobal({\n x: bounds.right,\n y: bounds.bottom\n });\n const p3 = this.toGlobal({\n x: bounds.left,\n y: bounds.bottom\n });\n return {\n left: Math.min(p0.x, p1.x, p2.x, p3.x),\n top: Math.min(p0.y, p1.y, p2.y, p3.y),\n right: Math.max(p0.x, p1.x, p2.x, p3.x),\n bottom: Math.max(p0.y, p1.y, p2.y, p3.y)\n };\n }\n _onShow(_duration) {}\n _onHide(_duration) {}\n /**\r\n * Plays initial reveal animation regardless if element is currently hidden\r\n * or visible.\r\n *\r\n * @param duration Duration of the animation in milliseconds\r\n * @param delay Delay showing of the element by X milliseconds\r\n * @return Promise\r\n */\n appear(duration, delay) {\n return __awaiter(this, void 0, void 0, function* () {\n yield this.hide(0);\n if (delay) {\n return new Promise((success, _error) => {\n this.setTimeout(() => {\n success(this.show(duration));\n }, delay);\n });\n } else {\n return this.show(duration);\n }\n });\n }\n /**\r\n * Shows currently hidden element and returns a `Promise` which completes\r\n * when all showing animations are finished.\r\n *\r\n * ```TypeScript\r\n * series.show().then(function(ev) {\r\n * console.log(\"Series is now fully visible\");\r\n * })\r\n * ```\r\n * ```JavaScript\r\n * series.show().then(function(ev) {\r\n * console.log(\"Series is now fully visible\");\r\n * })\r\n * ```\r\n *\r\n * @return Promise\r\n */\n show(duration) {\n return __awaiter(this, void 0, void 0, function* () {\n if (!this._isShowing) {\n this._isHidden = false;\n this._isShowing = true;\n this._isHiding = false;\n if (this.states.lookup(\"default\").get(\"visible\")) {\n this.set(\"visible\", true);\n }\n this._onShow(duration);\n const animations = this.states.applyAnimate(\"default\", duration);\n yield waitForAnimations(animations);\n this._isShowing = false;\n }\n });\n }\n /**\r\n * Hides the element and returns a `Promise` which completes when all hiding\r\n * animations are finished.\r\n *\r\n * ```TypeScript\r\n * series.hide().then(function(ev) {\r\n * console.log(\"Series finished hiding\");\r\n * })\r\n * ```\r\n * ```JavaScript\r\n * series.hide().then(function(ev) {\r\n * console.log(\"Series finished hiding\");\r\n * })\r\n * ```\r\n *\r\n * @return Promise\r\n */\n hide(duration) {\n return __awaiter(this, void 0, void 0, function* () {\n if (!this._isHiding && !this._isHidden) {\n this._isHiding = true;\n this._isShowing = false;\n let state = this.states.lookup(\"hidden\");\n if (!state) {\n state = this.states.create(\"hidden\", {\n \"opacity\": 0,\n \"visible\": false\n });\n }\n this._isHidden = true;\n this._onHide(duration);\n const animations = this.states.applyAnimate(\"hidden\", duration);\n yield waitForAnimations(animations);\n this._isHiding = false;\n }\n });\n }\n /**\r\n * Returns `true` if this element is currently hidden.\r\n *\r\n * @return Is hidden?\r\n */\n isHidden() {\n return this._isHidden;\n }\n /**\r\n * Returns `true` if this element is currently animating to a default state.\r\n *\r\n * @return Is showing?\r\n */\n isShowing() {\n return this._isShowing;\n }\n /**\r\n * Returns `true` if this element is currently animating to a hidden state.\r\n *\r\n * @return Is hiding?\r\n */\n isHiding() {\n return this._isHiding;\n }\n /**\r\n * Returns `true` if this element is currently hovered by a pointer.\r\n *\r\n * @return Is hovered?\r\n */\n isHover() {\n return this._display.hovering();\n }\n /**\r\n * Returns `true` if this element does currently have focus.\r\n *\r\n * @return Is focused?\r\n */\n isFocus() {\n return this._root.focused(this);\n }\n /**\r\n * Returns `true` if this element is currently being dragged.\r\n *\r\n * @return Is dragged?\r\n */\n isDragging() {\n return this._isDragging;\n }\n /**\r\n * Returns `false` if if either public or private setting `visible` is set\r\n * to `false`, or `forceHidden` is set to `true`.\r\n *\r\n * @return Visible?\r\n */\n isVisible() {\n if (this.get(\"visible\") && this.getPrivate(\"visible\") && !this.get(\"forceHidden\")) {\n return true;\n }\n return false;\n }\n /**\r\n * Same as `isVisible()`, except it checks all ascendants, too.\r\n *\r\n * @since 5.2.7\r\n * @return Visible?\r\n */\n isVisibleDeep() {\n return this._parent ? this._parent.isVisibleDeep() && this.isVisible() : this.isVisible();\n }\n /**\r\n * Returns an actual opacity of the element, taking into account all parents.\r\n *\r\n * @return Opacity\r\n * @since 5.2.11\r\n */\n compositeOpacity() {\n const opacity = this.get(\"opacity\", 1);\n return this._parent ? this._parent.compositeOpacity() * opacity : opacity;\n }\n /**\r\n * Returns an actual scale of the element, taking into account all parents.\r\n *\r\n * @return Opacity\r\n * @since 5.9.2\r\n */\n compositeScale() {\n const scale = this.get(\"scale\", 1);\n return this._parent ? this._parent.compositeScale() * scale : scale;\n }\n /**\r\n * Returns an actual roation of the element, taking into account all parents.\r\n *\r\n * @return Opacity\r\n * @since 5.9.2\r\n */\n compositeRotation() {\n const rotation = this.get(\"rotation\", 0);\n return this._parent ? this._parent.compositeRotation() + rotation : rotation;\n }\n /**\r\n * Returns width of this element in pixels.\r\n *\r\n * @return Width (px)\r\n */\n width() {\n let width = this.get(\"width\");\n let maxWidth = this.get(\"maxWidth\", this.getPrivate(\"maxWidth\"));\n let minWidth = this.get(\"minWidth\", this.getPrivate(\"minWidth\"));\n let privateWidth = this.getPrivate(\"width\");\n let w = 0;\n if ($type.isNumber(privateWidth)) {\n w = privateWidth;\n } else {\n if (width == null) {\n if (this._adjustedLocalBounds) {\n w = this._adjustedLocalBounds.right - this._adjustedLocalBounds.left;\n }\n } else {\n if (width instanceof Percent) {\n const parent = this.parent;\n if (parent) {\n w = parent.innerWidth() * width.value;\n } else {\n w = this._root.width() * width.value;\n }\n } else if ($type.isNumber(width)) {\n w = width;\n }\n }\n }\n if ($type.isNumber(minWidth)) {\n w = Math.max(minWidth, w);\n }\n if ($type.isNumber(maxWidth)) {\n w = Math.min(maxWidth, w);\n }\n return w;\n }\n /**\r\n * Returns maximum allowed width of this element in pixels.\r\n *\r\n * @return Maximum width (px)\r\n */\n maxWidth() {\n let maxWidth = this.get(\"maxWidth\", this.getPrivate(\"maxWidth\"));\n if ($type.isNumber(maxWidth)) {\n return maxWidth;\n } else {\n let width = this.get(\"width\");\n if ($type.isNumber(width)) {\n return width;\n }\n }\n const parent = this.parent;\n if (parent) {\n return parent.innerWidth();\n }\n return this._root.width();\n }\n /**\r\n * Returns maximum allowed height of this element in pixels.\r\n *\r\n * @return Maximum height (px)\r\n */\n maxHeight() {\n let maxHeight = this.get(\"maxHeight\", this.getPrivate(\"maxHeight\"));\n if ($type.isNumber(maxHeight)) {\n return maxHeight;\n } else {\n let height = this.get(\"height\");\n if ($type.isNumber(height)) {\n return height;\n }\n }\n const parent = this.parent;\n if (parent) {\n return parent.innerHeight();\n }\n return this._root.height();\n }\n /**\r\n * Returns height of this element in pixels.\r\n *\r\n * @return Height (px)\r\n */\n height() {\n let height = this.get(\"height\");\n let maxHeight = this.get(\"maxHeight\", this.getPrivate(\"maxHeight\"));\n let minHeight = this.get(\"minHeight\", this.getPrivate(\"minHeight\"));\n let privateHeight = this.getPrivate(\"height\");\n let h = 0;\n if ($type.isNumber(privateHeight)) {\n h = privateHeight;\n } else {\n if (height == null) {\n if (this._adjustedLocalBounds) {\n h = this._adjustedLocalBounds.bottom - this._adjustedLocalBounds.top;\n }\n } else {\n if (height instanceof Percent) {\n const parent = this.parent;\n if (parent) {\n h = parent.innerHeight() * height.value;\n } else {\n h = this._root.height() * height.value;\n }\n } else if ($type.isNumber(height)) {\n h = height;\n }\n }\n }\n if ($type.isNumber(minHeight)) {\n h = Math.max(minHeight, h);\n }\n if ($type.isNumber(maxHeight)) {\n h = Math.min(maxHeight, h);\n }\n return h;\n }\n _findStaticTemplate(f) {\n // templateField overrides template\n if (this._templateField && f(this._templateField)) {\n return this._templateField;\n }\n return super._findStaticTemplate(f);\n }\n _walkParents(f) {\n if (this._parent) {\n this._walkParent(f);\n }\n }\n _walkParent(f) {\n if (this._parent) {\n this._parent._walkParent(f);\n }\n f(this);\n }\n /**\r\n * Parent [[Container]] of this element.\r\n *\r\n * @return Parent container\r\n */\n get parent() {\n return this._parent;\n }\n _setParent(parent, updateChildren = false) {\n const prevParent = this._parent;\n if (parent !== prevParent) {\n this.markDirtyBounds();\n parent.markDirty();\n this._parent = parent;\n if (updateChildren) {\n this._removeParent(prevParent);\n if (parent) {\n this._addPercentageSizeChildren();\n this._addPercentagePositionChildren();\n }\n }\n this.markDirtyPosition();\n this._applyThemes();\n }\n }\n /**\r\n * Returns an instance of [[NumberFormatter]] used in this element.\r\n *\r\n * If this element does not have it set, global one form [[Root]] is used.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/using-formatters/} for more info\r\n * @return NumberFormatter instace\r\n */\n getNumberFormatter() {\n return this.get(\"numberFormatter\", this._root.numberFormatter);\n }\n /**\r\n * Returns an instance of [[DateFormatter]] used in this element.\r\n *\r\n * If this element does not have it set, global one form [[Root]] is used.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/using-formatters/} for more info\r\n * @return DateFormatter instace\r\n */\n getDateFormatter() {\n return this.get(\"dateFormatter\", this._root.dateFormatter);\n }\n /**\r\n * Returns an instance of [[DurationFormatter]] used in this element.\r\n *\r\n * If this element does not have it set, global one form [[Root]] is used.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/using-formatters/} for more info\r\n * @return DurationFormatter instace\r\n */\n getDurationFormatter() {\n return this.get(\"durationFormatter\", this._root.durationFormatter);\n }\n /**\r\n * Converts X/Y coordinate within this element to a global coordinate.\r\n *\r\n * @param point Local coordinate\r\n * @return Global coordinate\r\n */\n toGlobal(point) {\n return this._display.toGlobal(point);\n }\n /**\r\n * Converts global X/Y coordinate to a coordinate within this element.\r\n *\r\n * @param point Global coordinate\r\n * @return Local coordinate\r\n */\n toLocal(point) {\n return this._display.toLocal(point);\n }\n _getDownPoint() {\n const id = this._getDownPointId();\n if (id) {\n return this._downPoints[id];\n }\n }\n _getDownPointId() {\n if (this._downPoints) {\n return $object.keysOrdered(this._downPoints, (a, b) => {\n if (a > b) {\n return 1;\n }\n if (a < b) {\n return -1;\n }\n return 0;\n })[0];\n }\n }\n /**\r\n * Moves sprite to the end of the parent's children array.\r\n *\r\n * Depending on `layout` setting of the parten container, it may effect the\r\n * positioning or overlapping order of the elements.\r\n */\n toFront() {\n const parent = this.parent;\n if (parent) {\n parent.children.moveValue(this, parent.children.length - 1);\n }\n }\n /**\r\n * Moves sprite to the beginning of the parent's children array.\r\n *\r\n * Depending on `layout` setting of the parten container, it may effect the\r\n * positioning or overlapping order of the elements.\r\n */\n toBack() {\n const parent = this.parent;\n if (parent) {\n parent.children.moveValue(this, 0);\n }\n }\n}\nObject.defineProperty(Sprite, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Sprite\"\n});\nObject.defineProperty(Sprite, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Entity.classNames.concat([Sprite.className])\n});\n","/**\r\n * From https://github.com/pixijs/pixi.js/blob/3dd0ff9a935f0bc13a09aefff9eb2872f02c51b9/packages/canvas/canvas-renderer/src/utils/mapCanvasBlendModesToPixi.ts#L13\r\n */\nexport var BlendMode;\n(function (BlendMode) {\n BlendMode[\"ADD\"] = \"lighter\";\n BlendMode[\"COLOR\"] = \"color\";\n BlendMode[\"COLOR_BURN\"] = \"color-burn\";\n BlendMode[\"COLOR_DODGE\"] = \"color-dodge\";\n BlendMode[\"DARKEN\"] = \"darken\";\n BlendMode[\"DIFFERENCE\"] = \"difference\";\n BlendMode[\"DST_OVER\"] = \"destination-over\";\n BlendMode[\"EXCLUSION\"] = \"exclusion\";\n BlendMode[\"HARD_LIGHT\"] = \"hard-light\";\n BlendMode[\"HUE\"] = \"hue\";\n BlendMode[\"LIGHTEN\"] = \"lighten\";\n BlendMode[\"LUMINOSITY\"] = \"luminosity\";\n BlendMode[\"MULTIPLY\"] = \"multiply\";\n BlendMode[\"NORMAL\"] = \"source-over\";\n BlendMode[\"OVERLAY\"] = \"overlay\";\n BlendMode[\"SATURATION\"] = \"saturation\";\n BlendMode[\"SCREEN\"] = \"screen\";\n BlendMode[\"SOFT_LIGHT\"] = \"soft-light\";\n BlendMode[\"SRC_ATOP\"] = \"source-atop\";\n BlendMode[\"XOR\"] = \"xor\";\n})(BlendMode || (BlendMode = {}));\n","import { PicturePattern } from \"../render/patterns/PicturePattern\";\nimport { Sprite } from \"./Sprite\";\nimport { BlendMode } from \"./backend/Renderer\";\nimport * as $type from \"../util/Type\";\nimport * as $array from \"../util/Array\";\nexport const visualSettings = [\"fill\", \"fillOpacity\", \"stroke\", \"strokeWidth\", \"strokeOpacity\", \"fillPattern\", \"strokePattern\", \"fillGradient\", \"strokeGradient\", \"strokeDasharray\", \"strokeDashoffset\", \"shadowBlur\", \"shadowColor\", \"shadowOpacity\", \"shadowOffsetX\", \"shadowOffsetY\", \"blur\", \"sepia\", \"invert\", \"brightness\", \"hue\", \"contrast\", \"saturate\"];\n/**\r\n * Base class used for drawing shapes.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/graphics/} for more info\r\n * @important\r\n */\nexport class Graphics extends Sprite {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_display\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeGraphics()\n });\n Object.defineProperty(this, \"_clear\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"draw\") || this.isDirty(\"svgPath\")) {\n this.markDirtyBounds();\n }\n if (this.isDirty(\"fill\") || this.isDirty(\"stroke\") || this.isDirty(\"visible\") || this.isDirty(\"forceHidden\") || this.isDirty(\"scale\") || this.isDirty(\"fillGradient\") || this.isDirty(\"strokeGradient\") || this.isDirty(\"fillPattern\") || this.isDirty(\"strokePattern\") || this.isDirty(\"fillOpacity\") || this.isDirty(\"strokeOpacity\") || this.isDirty(\"strokeWidth\") || this.isDirty(\"draw\") || this.isDirty(\"blendMode\") || this.isDirty(\"strokeDasharray\") || this.isDirty(\"strokeDashoffset\") || this.isDirty(\"svgPath\") || this.isDirty(\"lineJoin\") || this.isDirty(\"lineCap\") || this.isDirty(\"shadowColor\") || this.isDirty(\"shadowBlur\") || this.isDirty(\"shadowOffsetX\") || this.isDirty(\"shadowOffsetY\")) {\n this._clear = true;\n }\n this._display.crisp = this.get(\"crisp\", false);\n if (this.isDirty(\"fillGradient\")) {\n const gradient = this.get(\"fillGradient\");\n if (gradient) {\n this._display.isMeasured = true;\n const gradientTarget = gradient.get(\"target\");\n if (gradientTarget) {\n this._disposers.push(gradientTarget.events.on(\"boundschanged\", () => {\n this._markDirtyKey(\"fill\");\n }));\n this._disposers.push(gradientTarget.events.on(\"positionchanged\", () => {\n this._markDirtyKey(\"fill\");\n }));\n }\n }\n }\n if (this.isDirty(\"strokeGradient\")) {\n const gradient = this.get(\"strokeGradient\");\n if (gradient) {\n this._display.isMeasured = true;\n const gradientTarget = gradient.get(\"target\");\n if (gradientTarget) {\n this._disposers.push(gradientTarget.events.on(\"boundschanged\", () => {\n this._markDirtyKey(\"stroke\");\n }));\n this._disposers.push(gradientTarget.events.on(\"positionchanged\", () => {\n this._markDirtyKey(\"stroke\");\n }));\n }\n }\n }\n }\n _changed() {\n super._changed();\n if (this._clear) {\n this.markDirtyBounds();\n this.markDirtyLayer();\n this._display.clear();\n let strokeDasharray = this.get(\"strokeDasharray\");\n if ($type.isNumber(strokeDasharray)) {\n if (strokeDasharray < 0.5) {\n strokeDasharray = [0];\n } else {\n strokeDasharray = [strokeDasharray];\n }\n }\n this._display.setLineDash(strokeDasharray);\n const strokeDashoffset = this.get(\"strokeDashoffset\");\n if (strokeDashoffset) {\n this._display.setLineDashOffset(strokeDashoffset);\n }\n const blendMode = this.get(\"blendMode\", BlendMode.NORMAL);\n this._display.blendMode = blendMode;\n const draw = this.get(\"draw\");\n if (draw && typeof draw === \"function\") {\n draw(this._display, this);\n }\n const svgPath = this.get(\"svgPath\");\n if (svgPath != null) {\n this._display.svgPath(svgPath);\n }\n }\n }\n _afterChanged() {\n super._afterChanged();\n if (this._clear) {\n const fill = this.get(\"fill\");\n const fillGradient = this.get(\"fillGradient\");\n const fillPattern = this.get(\"fillPattern\");\n const fillOpacity = this.get(\"fillOpacity\");\n const stroke = this.get(\"stroke\");\n const strokeGradient = this.get(\"strokeGradient\");\n const strokePattern = this.get(\"strokePattern\");\n const shadowColor = this.get(\"shadowColor\");\n const shadowBlur = this.get(\"shadowBlur\");\n const shadowOffsetX = this.get(\"shadowOffsetX\");\n const shadowOffsetY = this.get(\"shadowOffsetY\");\n const shadowOpacity = this.get(\"shadowOpacity\");\n if (shadowColor && (shadowBlur || shadowOffsetX || shadowOffsetY)) {\n this._display.shadow(shadowColor, shadowBlur, shadowOffsetX, shadowOffsetY, shadowOpacity);\n }\n if (fill && !fillGradient) {\n this._display.beginFill(fill, fillOpacity);\n this._display.endFill();\n }\n if (fillGradient) {\n if (fill) {\n const stops = fillGradient.get(\"stops\", []);\n if (stops.length) {\n $array.each(stops, stop => {\n if ((!stop.color || stop.colorInherited) && fill) {\n stop.color = fill;\n stop.colorInherited = true;\n }\n if (stop.opacity == null || stop.opacityInherited) {\n stop.opacity = fillOpacity;\n stop.opacityInherited = true;\n }\n });\n }\n }\n const gradient = fillGradient.getFill(this);\n if (gradient) {\n this._display.beginFill(gradient, fillOpacity);\n this._display.endFill();\n }\n }\n if (fillPattern) {\n const pattern = fillPattern.pattern;\n if (pattern) {\n this._display.beginFill(pattern, fillOpacity);\n this._display.endFill();\n if (fillPattern instanceof PicturePattern) {\n fillPattern.events.once(\"loaded\", () => {\n this._clear = true;\n this.markDirty();\n });\n }\n }\n }\n if (stroke || strokeGradient || strokePattern) {\n const strokeOpacity = this.get(\"strokeOpacity\");\n let strokeWidth = this.get(\"strokeWidth\", 1);\n if (this.get(\"nonScalingStroke\")) {\n strokeWidth = strokeWidth / this.get(\"scale\", 1);\n }\n if (this.get(\"crisp\")) {\n strokeWidth /= this._root._renderer.resolution;\n }\n const lineJoin = this.get(\"lineJoin\");\n const lineCap = this.get(\"lineCap\");\n if (stroke && !strokeGradient) {\n this._display.lineStyle(strokeWidth, stroke, strokeOpacity, lineJoin, lineCap);\n this._display.endStroke();\n }\n if (strokeGradient) {\n const stops = strokeGradient.get(\"stops\", []);\n if (stops.length) {\n $array.each(stops, stop => {\n if ((!stop.color || stop.colorInherited) && stroke) {\n stop.color = stroke;\n stop.colorInherited = true;\n }\n if (stop.opacity == null || stop.opacityInherited) {\n stop.opacity = strokeOpacity;\n stop.opacityInherited = true;\n }\n });\n }\n const gradient = strokeGradient.getFill(this);\n if (gradient) {\n this._display.lineStyle(strokeWidth, gradient, strokeOpacity, lineJoin, lineCap);\n this._display.endStroke();\n }\n }\n if (strokePattern) {\n /*\r\n let changed = false;\r\n \r\n if (stroke && (!strokePattern.get(\"color\") || strokePattern.get(\"colorInherited\"))) {\r\n strokePattern.set(\"color\", stroke);\r\n strokePattern.set(\"colorInherited\", true);\r\n changed = true;\r\n }\r\n if (changed) {\r\n // @todo: is this OK?\r\n strokePattern._changed();\r\n }\r\n */\n let pattern = strokePattern.pattern;\n if (pattern) {\n this._display.lineStyle(strokeWidth, pattern, strokeOpacity, lineJoin, lineCap);\n this._display.endStroke();\n if (strokePattern instanceof PicturePattern) {\n strokePattern.events.once(\"loaded\", () => {\n this._clear = true;\n this.markDirty();\n });\n }\n }\n }\n }\n if (this.getPrivate(\"showingTooltip\")) {\n this.showTooltip();\n }\n }\n this._clear = false;\n }\n}\nObject.defineProperty(Graphics, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Graphics\"\n});\nObject.defineProperty(Graphics, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Sprite.classNames.concat([Graphics.className])\n});\n","import { Graphics } from \"./Graphics\";\n/**\r\n * Draws a rectangle.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/graphics/} for more info\r\n * @important\r\n */\nexport class Rectangle extends Graphics {\n _afterNew() {\n super._afterNew();\n this._display.isMeasured = true;\n this.setPrivateRaw(\"trustBounds\", true);\n }\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"width\") || this.isDirty(\"height\") || this.isPrivateDirty(\"width\") || this.isPrivateDirty(\"height\")) {\n this._clear = true;\n }\n }\n _changed() {\n super._changed();\n if (this._clear && !this.get(\"draw\")) {\n this._draw();\n }\n }\n _draw() {\n this._display.drawRect(0, 0, this.width(), this.height());\n }\n _updateSize() {\n this.markDirty();\n this._clear = true;\n }\n}\nObject.defineProperty(Rectangle, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Rectangle\"\n});\nObject.defineProperty(Rectangle, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Graphics.classNames.concat([Rectangle.className])\n});\n","import { EventDispatcher } from \"./EventDispatcher\";\nimport * as $array from \"./Array\";\n/**\r\n * Checks if specific index fits into length.\r\n *\r\n * @param index Index\r\n * @param len Length\r\n * @ignore\r\n */\nfunction checkBounds(index, len) {\n if (!(index >= 0 && index < len)) {\n throw new Error(\"Index out of bounds: \" + index);\n }\n}\n/**\r\n * A List class is used to hold a number of indexed items of the same type.\r\n */\nexport class List {\n /**\r\n * Constructor\r\n *\r\n * @param initial Inital list of values to add to list\r\n */\n constructor(initial = []) {\n /**\r\n * List values.\r\n */\n Object.defineProperty(this, \"_values\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new EventDispatcher()\n });\n this._values = initial;\n }\n /**\r\n * An array of values in the list.\r\n *\r\n * Do not use this property to add values. Rather use dedicated methods, like\r\n * `push()`, `removeIndex()`, etc.\r\n *\r\n * @readonly\r\n * @return List values\r\n */\n get values() {\n return this._values;\n }\n /**\r\n * Checks if list contains specific item reference.\r\n *\r\n * @param item Item to search for\r\n * @return `true` if found, `false` if not found\r\n */\n contains(value) {\n return this._values.indexOf(value) !== -1;\n }\n /**\r\n * Removes specific item from the list.\r\n *\r\n * @param item An item to remove\r\n */\n removeValue(value) {\n let i = 0;\n let length = this._values.length;\n while (i < length) {\n // TODO handle NaN\n if (this._values[i] === value) {\n this.removeIndex(i);\n --length;\n } else {\n ++i;\n }\n }\n }\n /**\r\n * Searches the list for specific item and returns its index.\r\n *\r\n * @param item An item to search for\r\n * @return Index or -1 if not found\r\n */\n indexOf(value) {\n return $array.indexOf(this._values, value);\n }\n /**\r\n * Number of items in list.\r\n *\r\n * @readonly\r\n * @return Number of items\r\n */\n get length() {\n return this._values.length;\n }\n /**\r\n * Checks if there's a value at specific index.\r\n *\r\n * @param index Index\r\n * @return Value exists?\r\n */\n hasIndex(index) {\n return index >= 0 && index < this._values.length;\n }\n /**\r\n * Returns an item at specified index.\r\n *\r\n * @param index Index\r\n * @return List item\r\n */\n getIndex(index) {\n return this._values[index];\n }\n _onPush(newValue) {\n if (this.events.isEnabled(\"push\")) {\n this.events.dispatch(\"push\", {\n type: \"push\",\n target: this,\n newValue\n });\n }\n }\n _onInsertIndex(index, newValue) {\n if (this.events.isEnabled(\"insertIndex\")) {\n this.events.dispatch(\"insertIndex\", {\n type: \"insertIndex\",\n target: this,\n index,\n newValue\n });\n }\n }\n _onSetIndex(index, oldValue, newValue) {\n if (this.events.isEnabled(\"setIndex\")) {\n this.events.dispatch(\"setIndex\", {\n type: \"setIndex\",\n target: this,\n index,\n oldValue,\n newValue\n });\n }\n }\n _onRemoveIndex(index, oldValue) {\n if (this.events.isEnabled(\"removeIndex\")) {\n this.events.dispatch(\"removeIndex\", {\n type: \"removeIndex\",\n target: this,\n index,\n oldValue\n });\n }\n }\n _onMoveIndex(oldIndex, newIndex, value) {\n if (this.events.isEnabled(\"moveIndex\")) {\n this.events.dispatch(\"moveIndex\", {\n type: \"moveIndex\",\n target: this,\n oldIndex,\n newIndex,\n value\n });\n }\n }\n _onClear(oldValues) {\n if (this.events.isEnabled(\"clear\")) {\n this.events.dispatch(\"clear\", {\n type: \"clear\",\n target: this,\n oldValues\n });\n }\n }\n /**\r\n * Sets value at specific index.\r\n *\r\n * If there's already a value at the index, it is overwritten.\r\n *\r\n * @param index Index\r\n * @param value New value\r\n * @return New value\r\n */\n setIndex(index, value) {\n checkBounds(index, this._values.length);\n const oldValue = this._values[index];\n // Do nothing if the old value and the new value are the same\n if (oldValue !== value) {\n this._values[index] = value;\n this._onSetIndex(index, oldValue, value);\n }\n return oldValue;\n }\n /**\r\n * Adds an item to the list at a specific index, which pushes all the other\r\n * items further down the list.\r\n *\r\n * @param index Index\r\n * @param item An item to add\r\n */\n insertIndex(index, value) {\n checkBounds(index, this._values.length + 1);\n $array.insertIndex(this._values, index, value);\n this._onInsertIndex(index, value);\n return value;\n }\n /**\r\n * Swaps indexes of two items in the list.\r\n *\r\n * @param a Item 1\r\n * @param b Item 2\r\n */\n swap(a, b) {\n const len = this._values.length;\n checkBounds(a, len);\n checkBounds(b, len);\n if (a !== b) {\n const value_a = this._values[a];\n const value_b = this._values[b];\n this._values[a] = value_b;\n this._onSetIndex(a, value_a, value_b);\n this._values[b] = value_a;\n this._onSetIndex(b, value_b, value_a);\n }\n }\n /**\r\n * Removes a value at specific index.\r\n *\r\n * @param index Index of value to remove\r\n * @return Removed value\r\n */\n removeIndex(index) {\n checkBounds(index, this._values.length);\n const oldValue = this._values[index];\n $array.removeIndex(this._values, index);\n this._onRemoveIndex(index, oldValue);\n return oldValue;\n }\n /**\r\n * Moves an item to a specific index within the list.\r\n *\r\n * If the index is not specified it will move the item to the end of the\r\n * list.\r\n *\r\n * @param value Item to move\r\n * @param index Index to place item at\r\n */\n moveValue(value, toIndex) {\n // TODO don't do anything if the desired index is the same as the current index\n let index = this.indexOf(value);\n // TODO remove all old values rather than only the first ?\n if (index !== -1) {\n $array.removeIndex(this._values, index);\n if (toIndex == null) {\n const toIndex = this._values.length;\n this._values.push(value);\n this._onMoveIndex(index, toIndex, value);\n } else {\n $array.insertIndex(this._values, toIndex, value);\n this._onMoveIndex(index, toIndex, value);\n }\n } else if (toIndex == null) {\n this._values.push(value);\n this._onPush(value);\n } else {\n $array.insertIndex(this._values, toIndex, value);\n this._onInsertIndex(toIndex, value);\n }\n return value;\n }\n /**\r\n * Adds an item to the end of the list.\r\n *\r\n * @param item An item to add\r\n */\n push(value) {\n this._values.push(value);\n this._onPush(value);\n return value;\n }\n /**\r\n * Adds an item as a first item in the list.\r\n *\r\n * @param item An item to add\r\n */\n unshift(value) {\n this.insertIndex(0, value);\n return value;\n }\n /**\r\n * Adds multiple items to the list.\r\n *\r\n * @param items An Array of items to add\r\n */\n pushAll(values) {\n $array.each(values, value => {\n this.push(value);\n });\n }\n /**\r\n * Copies and adds items from abother list.\r\n *\r\n * @param source A list top copy items from\r\n */\n copyFrom(source) {\n this.pushAll(source._values);\n }\n /**\r\n * Returns the last item from the list, and removes it.\r\n *\r\n * @return Item\r\n */\n pop() {\n let index = this._values.length - 1;\n return index < 0 ? undefined : this.removeIndex(this._values.length - 1);\n }\n /**\r\n * Returns the first item from the list, and removes it.\r\n *\r\n * @return Item\r\n */\n shift() {\n return this._values.length ? this.removeIndex(0) : undefined;\n }\n /**\r\n * Sets multiple items to the list.\r\n *\r\n * All current items are removed.\r\n *\r\n * @param newArray New items\r\n */\n setAll(newArray) {\n const old = this._values;\n this._values = [];\n this._onClear(old);\n $array.each(newArray, value => {\n this._values.push(value);\n this._onPush(value);\n });\n }\n /**\r\n * Removes all items from the list.\r\n */\n clear() {\n this.setAll([]);\n }\n /**\r\n * Returns an ES6 iterator for the list.\r\n */\n *[Symbol.iterator]() {\n const length = this._values.length;\n for (let i = 0; i < length; ++i) {\n yield this._values[i];\n }\n }\n /**\r\n * Calls `f` for each element in the list.\r\n *\r\n * `f` should have at least one parameter defined which will get a current\r\n * item, with optional second argument - index.\r\n */\n each(f) {\n $array.each(this._values, f);\n }\n /**\r\n * Calls `f` for each element in the list, from right to left.\r\n *\r\n * `f` should have at least one parameter defined which will get a current\r\n * item, with optional second argument - index.\r\n */\n eachReverse(f) {\n $array.eachReverse(this._values, f);\n }\n}\n/**\r\n * A version of a [[List]] where the elements are disposed automatically when\r\n * removed from the list, unless `autoDispose` is set to `false`.\r\n */\nexport class ListAutoDispose extends List {\n constructor() {\n super(...arguments);\n /**\r\n * Automatically disposes elements that are removed from the list.\r\n *\r\n * @default true\r\n */\n Object.defineProperty(this, \"autoDispose\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"_disposed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n _onSetIndex(index, oldValue, newValue) {\n if (this.autoDispose) {\n oldValue.dispose();\n }\n super._onSetIndex(index, oldValue, newValue);\n }\n _onRemoveIndex(index, oldValue) {\n if (this.autoDispose) {\n oldValue.dispose();\n }\n super._onRemoveIndex(index, oldValue);\n }\n _onClear(oldValues) {\n if (this.autoDispose) {\n $array.each(oldValues, x => {\n x.dispose();\n });\n }\n super._onClear(oldValues);\n }\n _dispose() {\n if (this.autoDispose) {\n $array.each(this._values, x => {\n x.dispose();\n });\n }\n }\n isDisposed() {\n return this._disposed;\n }\n dispose() {\n if (!this._disposed) {\n this._disposed = true;\n this._dispose();\n }\n }\n}\n/**\r\n * A version of a [[List]] that is able to create new elements as well as\r\n * apply additional settings to newly created items.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/settings/list-templates/} for more info\r\n */\nexport class ListTemplate extends ListAutoDispose {\n constructor(template, make) {\n super();\n Object.defineProperty(this, \"template\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"make\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this.template = template;\n this.make = make;\n }\n _dispose() {\n super._dispose();\n if (this.autoDispose) {\n this.template.dispose();\n }\n }\n}\n","import { List } from \"./List\";\nimport * as $array from \"./Array\";\n/**\r\n * A version of [[List]] to hold children of the [[Container]].\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/containers/} for more info\r\n */\nexport class Children extends List {\n constructor(container) {\n super();\n Object.defineProperty(this, \"_disposed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_container\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this._container = container;\n this._events = this.events.onAll(change => {\n if (change.type === \"clear\") {\n $array.each(change.oldValues, x => {\n this._onRemoved(x);\n });\n } else if (change.type === \"push\") {\n this._onInserted(change.newValue);\n } else if (change.type === \"setIndex\") {\n this._onRemoved(change.oldValue);\n this._onInserted(change.newValue, change.index);\n } else if (change.type === \"insertIndex\") {\n this._onInserted(change.newValue, change.index);\n } else if (change.type === \"removeIndex\") {\n this._onRemoved(change.oldValue);\n } else if (change.type === \"moveIndex\") {\n this._onRemoved(change.value);\n this._onInserted(change.value, change.newIndex);\n } else {\n throw new Error(\"Unknown IListEvent type\");\n }\n });\n }\n _onInserted(child, index) {\n child._setParent(this._container, true);\n const childrenDisplay = this._container._childrenDisplay;\n if (index === undefined) {\n childrenDisplay.addChild(child._display);\n } else {\n childrenDisplay.addChildAt(child._display, index);\n }\n }\n _onRemoved(child) {\n this._container._childrenDisplay.removeChild(child._display);\n this._container.markDirtyBounds();\n this._container.markDirty();\n }\n /**\r\n * Returns `true` if obejct is disposed.\r\n */\n isDisposed() {\n return this._disposed;\n }\n /**\r\n * Permanently dispose this object.\r\n */\n dispose() {\n if (!this._disposed) {\n this._disposed = true;\n this._events.dispose();\n $array.each(this.values, child => {\n child.dispose();\n });\n }\n }\n}\n","import { Entity } from \"../util/Entity\";\nexport function eachChildren(container, f) {\n if (container.get(\"reverseChildren\", false)) {\n container.children.eachReverse(f);\n } else {\n container.children.each(f);\n }\n}\n/**\r\n * Base class for [[Container]] layouts.\r\n */\nexport class Layout extends Entity {}\nObject.defineProperty(Layout, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Layout\"\n});\nObject.defineProperty(Layout, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Entity.classNames.concat([Layout.className])\n});\n","import { Layout, eachChildren } from \"./Layout\";\nimport * as $type from \"../util/Type\";\nimport { Percent } from \"../util/Percent\";\n/**\r\n * A horizontal children layout for [[Container]].\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/containers/#Layout} for more info\r\n */\nexport class HorizontalLayout extends Layout {\n /**\r\n * @ignore\r\n */\n updateContainer(container) {\n let paddingLeft = container.get(\"paddingLeft\", 0);\n let availableWidth = container.innerWidth();\n let totalPercent = 0;\n eachChildren(container, child => {\n if (child.isVisible()) {\n if (child.get(\"position\") == \"relative\") {\n let childWidth = child.get(\"width\");\n if (childWidth instanceof Percent) {\n totalPercent += childWidth.value;\n let w = availableWidth * childWidth.value;\n let minWidth = child.get(\"minWidth\", child.getPrivate(\"minWidth\", -Infinity));\n if (minWidth > w) {\n availableWidth -= minWidth;\n totalPercent -= childWidth.value;\n }\n let maxWidth = child.get(\"maxWidth\", child.getPrivate(\"maxWidth\", Infinity));\n if (w > maxWidth) {\n availableWidth -= maxWidth;\n totalPercent -= childWidth.value;\n }\n } else {\n if (!$type.isNumber(childWidth)) {\n childWidth = child.width();\n }\n availableWidth -= childWidth + child.get(\"marginLeft\", 0) + child.get(\"marginRight\", 0);\n }\n }\n }\n });\n if (availableWidth <= 0 || availableWidth == Infinity) {\n availableWidth = .1;\n }\n //if (availableWidth > 0) {\n eachChildren(container, child => {\n if (child.isVisible()) {\n if (child.get(\"position\") == \"relative\") {\n let childWidth = child.get(\"width\");\n if (childWidth instanceof Percent) {\n let privateWidth = availableWidth * childWidth.value / totalPercent - child.get(\"marginLeft\", 0) - child.get(\"marginRight\", 0);\n let minWidth = child.get(\"minWidth\", child.getPrivate(\"minWidth\", -Infinity));\n let maxWidth = child.get(\"maxWidth\", child.getPrivate(\"maxWidth\", Infinity));\n privateWidth = Math.min(Math.max(minWidth, privateWidth), maxWidth);\n child.setPrivate(\"width\", privateWidth);\n } else {\n if (child._prevSettings.width instanceof Percent) {\n child.setPrivate(\"width\", undefined);\n }\n }\n }\n }\n });\n //}\n let prevX = paddingLeft;\n eachChildren(container, child => {\n if (child.get(\"position\") == \"relative\") {\n if (child.isVisible()) {\n let bounds = child.adjustedLocalBounds();\n let marginLeft = child.get(\"marginLeft\", 0);\n let marginRight = child.get(\"marginRight\", 0);\n let maxWidth = child.get(\"maxWidth\");\n let left = bounds.left;\n let right = bounds.right;\n if (maxWidth) {\n if (right - left > maxWidth) {\n right = left + maxWidth;\n }\n }\n let x = prevX + marginLeft - left;\n child.setPrivate(\"x\", x);\n prevX = x + right + marginRight;\n } else {\n child.setPrivate(\"x\", undefined);\n }\n }\n });\n }\n}\nObject.defineProperty(HorizontalLayout, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"HorizontalLayout\"\n});\nObject.defineProperty(HorizontalLayout, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Layout.classNames.concat([HorizontalLayout.className])\n});\n","import { Layout, eachChildren } from \"./Layout\";\nimport * as $type from \"../util/Type\";\nimport { Percent } from \"../util/Percent\";\n/**\r\n * A vertical children layout for [[Container]].\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/containers/#Layout} for more info\r\n */\nexport class VerticalLayout extends Layout {\n /**\r\n * @ignore\r\n */\n updateContainer(container) {\n let paddingTop = container.get(\"paddingTop\", 0);\n let availableHeight = container.innerHeight();\n let totalPercent = 0;\n eachChildren(container, child => {\n if (child.isVisible()) {\n if (child.get(\"position\") == \"relative\") {\n let childHeight = child.get(\"height\");\n if (childHeight instanceof Percent) {\n totalPercent += childHeight.value;\n let h = availableHeight * childHeight.value;\n let minHeight = child.get(\"minHeight\", child.getPrivate(\"minHeight\", -Infinity));\n if (minHeight > h) {\n availableHeight -= minHeight;\n totalPercent -= childHeight.value;\n }\n let maxHeight = child.get(\"maxHeight\", child.getPrivate(\"maxHeight\", Infinity));\n if (h > maxHeight) {\n availableHeight -= maxHeight;\n totalPercent -= childHeight.value;\n }\n } else {\n if (!$type.isNumber(childHeight)) {\n childHeight = child.height();\n }\n availableHeight -= childHeight + child.get(\"marginTop\", 0) + child.get(\"marginBottom\", 0);\n }\n }\n }\n });\n if (availableHeight <= 0 || availableHeight == Infinity) {\n availableHeight = .1;\n }\n //if (availableHeight > 0) {\n eachChildren(container, child => {\n if (child.isVisible()) {\n if (child.get(\"position\") == \"relative\") {\n let childHeight = child.get(\"height\");\n if (childHeight instanceof Percent) {\n let privateHeight = availableHeight * childHeight.value / totalPercent - child.get(\"marginTop\", 0) - child.get(\"marginBottom\", 0);\n let minHeight = child.get(\"minHeight\", child.getPrivate(\"minHeight\", -Infinity));\n let maxHeight = child.get(\"maxHeight\", child.getPrivate(\"maxHeight\", Infinity));\n privateHeight = Math.min(Math.max(minHeight, privateHeight), maxHeight);\n child.setPrivate(\"height\", privateHeight);\n } else {\n if (child._prevSettings.height instanceof Percent) {\n child.setPrivate(\"height\", undefined);\n }\n }\n }\n }\n });\n //}\n let prevY = paddingTop;\n eachChildren(container, child => {\n if (child.get(\"position\") == \"relative\") {\n if (child.isVisible()) {\n let bounds = child.adjustedLocalBounds();\n let marginTop = child.get(\"marginTop\", 0);\n let top = bounds.top;\n let bottom = bounds.bottom;\n let maxHeight = child.get(\"maxHeight\");\n if (maxHeight) {\n if (bottom - top > maxHeight) {\n bottom = top + maxHeight;\n }\n }\n let marginBottom = child.get(\"marginBottom\", 0);\n let y = prevY + marginTop - top;\n child.setPrivate(\"y\", y);\n prevY = y + bottom + marginBottom;\n } else {\n child.setPrivate(\"y\", undefined);\n }\n }\n });\n }\n}\nObject.defineProperty(VerticalLayout, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"VerticalLayout\"\n});\nObject.defineProperty(VerticalLayout, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Layout.classNames.concat([VerticalLayout.className])\n});\n","import { Layout, eachChildren } from \"./Layout\";\nimport * as $array from \"../util/Array\";\nimport * as $math from \"../util/Math\";\n/**\r\n * A grid children layout for [[Container]].\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/containers/#Layout} for more info\r\n */\nexport class GridLayout extends Layout {\n _afterNew() {\n this._setRawDefault(\"maxColumns\", Number.MAX_VALUE);\n super._afterNew();\n }\n /**\r\n * @ignore\r\n */\n updateContainer(container) {\n let paddingLeft = container.get(\"paddingLeft\", 0);\n let paddingRight = container.get(\"paddingRight\", 0);\n let paddingTop = container.get(\"paddingTop\", 0);\n let availableWidth = container.maxWidth() - paddingLeft - paddingRight;\n let minCellWidth = availableWidth;\n let maxCellWidth = 1;\n eachChildren(container, child => {\n if (child.get(\"visible\") && child.getPrivate(\"visible\") && !child.get(\"forceHidden\")) {\n if (child.get(\"position\") != \"absolute\") {\n let childWidth = child.width();\n if (childWidth < minCellWidth) {\n minCellWidth = childWidth;\n }\n if (childWidth > maxCellWidth) {\n maxCellWidth = childWidth;\n }\n }\n }\n });\n minCellWidth = $math.fitToRange(minCellWidth, 1, availableWidth);\n maxCellWidth = $math.fitToRange(maxCellWidth, 1, availableWidth);\n let columnCount = 1;\n if (this.get(\"fixedWidthGrid\")) {\n columnCount = availableWidth / maxCellWidth;\n } else {\n columnCount = availableWidth / minCellWidth;\n }\n columnCount = Math.max(1, Math.floor(columnCount));\n columnCount = Math.min(this.get(\"maxColumns\", Number.MAX_VALUE), columnCount);\n let columnWidths = this.getColumnWidths(container, columnCount, maxCellWidth, availableWidth);\n let prevY = paddingTop;\n let column = 0;\n let maxColumnHeight = 0;\n columnCount = columnWidths.length;\n let prevX = paddingLeft;\n eachChildren(container, child => {\n if (child.get(\"position\") == \"relative\" && child.isVisible()) {\n const marginTop = child.get(\"marginTop\", 0);\n const marginBottom = child.get(\"marginBottom\", 0);\n let bounds = child.adjustedLocalBounds();\n let marginLeft = child.get(\"marginLeft\", 0);\n let marginRight = child.get(\"marginRight\", 0);\n let x = prevX + marginLeft - bounds.left;\n let y = prevY + marginTop - bounds.top;\n child.setPrivate(\"x\", x);\n child.setPrivate(\"y\", y);\n prevX += columnWidths[column] + marginRight;\n maxColumnHeight = Math.max(maxColumnHeight, child.height() + marginTop + marginBottom);\n column++;\n if (column >= columnCount) {\n column = 0;\n prevX = paddingLeft;\n prevY += maxColumnHeight;\n }\n }\n });\n }\n /**\r\n * @ignore\r\n */\n getColumnWidths(container, columnCount, maxCellWidth, availableWidth) {\n let totalWidth = 0;\n let columnWidths = [];\n let column = 0;\n eachChildren(container, child => {\n let bounds = child.adjustedLocalBounds();\n if (child.get(\"position\") != \"absolute\" && child.isVisible()) {\n if (this.get(\"fixedWidthGrid\")) {\n columnWidths[column] = maxCellWidth;\n } else {\n columnWidths[column] = Math.max(columnWidths[column] | 0, bounds.right - bounds.left + child.get(\"marginLeft\", 0) + child.get(\"marginRight\", 0));\n }\n if (column < container.children.length - 1) {\n column++;\n if (column == columnCount) {\n column = 0;\n }\n }\n }\n });\n $array.each(columnWidths, w => {\n totalWidth += w;\n });\n if (totalWidth > availableWidth) {\n if (columnCount > 2) {\n columnCount -= 1;\n return this.getColumnWidths(container, columnCount, maxCellWidth, availableWidth);\n } else {\n return [availableWidth];\n }\n }\n return columnWidths;\n }\n}\nObject.defineProperty(GridLayout, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"GridLayout\"\n});\nObject.defineProperty(GridLayout, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Layout.classNames.concat([GridLayout.className])\n});\n","import { Color } from \"./Color\";\nimport * as $type from \"./Type\";\nexport class TextFormatter {\n /**\r\n * Replaces brackets with temporary placeholders.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Input text\r\n * @return Escaped text\r\n */\n static escape(text) {\n return text.replace(/\\[\\[/g, this.prefix + \"1\").replace(/([^\\/\\]]{1})\\]\\]/g, \"$1\" + this.prefix + \"2\").replace(/\\]\\]/g, this.prefix + \"2\").replace(/\\{\\{/g, this.prefix + \"3\").replace(/\\}\\}/g, this.prefix + \"4\").replace(/\\'\\'/g, this.prefix + \"5\");\n }\n /**\r\n * Replaces placeholders back to brackets.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Escaped text\r\n * @return Unescaped text\r\n */\n static unescape(text) {\n return text.replace(new RegExp(this.prefix + \"1\", \"g\"), \"[[\").replace(new RegExp(this.prefix + \"2\", \"g\"), \"]]\").replace(new RegExp(this.prefix + \"3\", \"g\"), \"{{\").replace(new RegExp(this.prefix + \"4\", \"g\"), \"}}\").replace(new RegExp(this.prefix + \"5\", \"g\"), \"''\");\n }\n /**\r\n * Cleans up the text text for leftover double square brackets.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Input text\r\n * @return Cleaned up text\r\n */\n static cleanUp(text) {\n return text.replace(/\\[\\[/g, \"[\").replace(/\\]\\]/g, \"]\").replace(/\\{\\{/g, \"{\").replace(/\\}\\}/g, \"}\").replace(/\\'\\'/g, \"'\");\n }\n /**\r\n * Splits string into chunks. (style blocks, quoted blocks, regular blocks)\r\n *\r\n * If the second parameter `quotedBlocks` is set to `true` this method will\r\n * also single out text blocks enclosed within single quotes that no\r\n * formatting should be applied to, and they should be displayed as is.\r\n *\r\n * Default for the above is `false`, so that you can use single quote in text\r\n * without escaping it.\r\n *\r\n * If enabled, single quotes can be escaped by doubling it - adding two\r\n * single quotes, which will be replaced by a one single quote in the final\r\n * output.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Text to chunk\r\n * @param quotedBlocks Use quoted blocks\r\n * @param noFormatting Formatting blocks will be treated as regular text\r\n * @return Array of string chunks\r\n */\n static chunk(text, quotedBlocks = false, noFormatting = false) {\n // Init result\n let res = [];\n // Replace double (escaped) square spaces and quotes with temporary codes\n text = this.escape(text);\n // Deal with style blocks\n let chunks = quotedBlocks ? text.split(\"'\") : [text];\n for (let i = 0; i < chunks.length; i++) {\n let chunk = chunks[i];\n // Empty?\n if (chunk === \"\") {\n continue;\n }\n if (i % 2 === 0) {\n // Text outside quotes\n // Parse for style blocks which are \"text\" chunks, the rest chunks are\n // \"value\"\n chunk = chunk.replace(/\\]\\[/g, \"]\" + $type.PLACEHOLDER + \"[\");\n chunk = chunk.replace(/\\[\\]/g, \"[ ]\");\n let chunks2 = chunk.split(/[\\[\\]]+/);\n for (let i2 = 0; i2 < chunks2.length; i2++) {\n let chunk2 = this.cleanUp(this.unescape(chunks2[i2]));\n // Placeholder?\n if (chunk2 === $type.PLACEHOLDER) {\n continue;\n }\n // Empty?\n if (chunk2 === \"\") {\n continue;\n }\n // Block or value\n if (i2 % 2 === 0) {\n res.push({\n \"type\": \"value\",\n \"text\": chunk2\n });\n } else {\n res.push({\n \"type\": noFormatting ? \"value\" : \"format\",\n \"text\": \"[\" + chunk2 + \"]\"\n });\n }\n }\n } else {\n // A text within doublequotes\n // All chunks are \"text\"\n let chunks2 = chunk.split(/[\\[\\]]+/);\n for (let i2 = 0; i2 < chunks2.length; i2++) {\n let chunk2 = this.cleanUp(this.unescape(chunks2[i2]));\n // Empty?\n if (chunk2 === \"\") {\n continue;\n }\n // Block or text\n if (i2 % 2 === 0) {\n res.push({\n \"type\": \"text\",\n \"text\": chunk2\n });\n } else if (this.isImage(chunk2)) {\n res.push({\n \"type\": \"image\",\n \"text\": \"[\" + chunk2 + \"]\"\n });\n } else {\n res.push({\n \"type\": \"format\",\n \"text\": \"[\" + chunk2 + \"]\"\n });\n }\n }\n }\n }\n return res;\n }\n /**\r\n * Checks if supplied format contains image information and should be\r\n * formatted as such.\r\n * I.e.: `[img: myImage.png]`\r\n *\r\n * @ignore\r\n * @param text Format\r\n * @return true if it is an image\r\n */\n static isImage(text) {\n return text.match(/img[ ]?:/) ? true : false;\n }\n static getTextStyle(style) {\n // let textStyle: string[] = [];\n // let textFill: string | undefined;\n let format = {};\n if (style == \"\" || style == \"[ ]\") {\n return {};\n }\n // Pre-process quoted text\n const q = style.match(/('[^']*')|(\"[^\"]*\")/gi);\n if (q) {\n for (let i = 0; i < q.length; i++) {\n style = style.replace(q[i], q[i].replace(/['\"]*/g, \"\").replace(/[ ]+/g, \"+\"));\n }\n }\n // Get style parts\n let b = style.match(/([\\w\\-]*:[\\s]?[^;\\s\\]]*)|(\\#[\\w]{1,6})|([\\w\\-]+)|(\\/)/gi);\n // Empty?\n if (!b) {\n return {};\n }\n // Check each part\n for (let i = 0; i < b.length; i++) {\n if (b[i].match(/^(normal|bold|bolder|lighter|100|200|300|400|500|600|700|800|900)$/i)) {\n format.fontWeight = b[i];\n } else if (b[i].match(/^(underline|line-through)$/i)) {\n format.textDecoration = b[i];\n } else if (b[i] == \"/\") {\n // Just closing tag\n // Do nothing\n } else if (!b[i].match(/:/)) {\n // Color\n format.fill = Color.fromString(b[i]);\n } else {\n const p = b[i].replace(\"+\", \" \").split(/:[ ]*/);\n format[p[0]] = p[1];\n //textStyle.push(b[i].replace(/^[a-zA-Z]:[ ]*/, \"\"));\n //b[i] = b[i].replace(/\\+/g, \" \");\n }\n }\n return format;\n }\n}\nObject.defineProperty(TextFormatter, \"prefix\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"__amcharts__\"\n});\n","/** @ignore */ /** */\nimport * as $type from \"./Type\";\nimport * as $utils from \"./Utils\";\nimport { Sprite } from \"../render/Sprite\";\nimport { TextFormatter } from \"./TextFormatter\";\n/**\r\n * @ignore\r\n */\nexport function populateString(target, string) {\n if (string != null) {\n string = \"\" + string;\n string = TextFormatter.escape(string);\n let tags = string.match(/\\{([^}]+)\\}/g);\n let i;\n if (tags) {\n for (i = 0; i < tags.length; i++) {\n let tag = tags[i].replace(/\\{([^}]+)\\}/, \"$1\");\n let value = getTagValue(target, tag, \"\");\n if (value == null) {\n value = \"\";\n }\n string = string.split(tags[i]).join(value);\n }\n }\n string = TextFormatter.unescape(string);\n } else {\n string = \"\";\n }\n // TODO: apply adapter?\n return string;\n}\n/**\r\n * @ignore\r\n */\nfunction getTagValue(target, tagName, format) {\n let value;\n const dataItem = target.dataItem;\n // Parse parts\n let parts = [];\n let reg = /(format[a-zA-Z]*)\\((.*)\\)|([^.]+)/g;\n let matches;\n while (true) {\n matches = reg.exec(tagName);\n if (matches === null) {\n break;\n }\n if (matches[3]) {\n // Simple property\n parts.push({\n prop: matches[3]\n });\n // Check if maybe we should force a formatter on this value\n const dateFields = target.getDateFormatter().get(\"dateFields\", []);\n const numericFields = target.getNumberFormatter().get(\"numericFields\", []);\n const durationFields = target.getDurationFormatter().get(\"durationFields\", []);\n if (dateFields.indexOf(matches[3]) !== -1) {\n parts.push({\n method: \"formatDate\",\n params: []\n });\n } else if (numericFields.indexOf(matches[3]) !== -1) {\n parts.push({\n method: \"formatNumber\",\n params: []\n });\n } else if (durationFields.indexOf(matches[3]) !== -1) {\n parts.push({\n method: \"formatDuration\",\n params: []\n });\n }\n } else {\n // Method\n // Parse parameters\n let params = [];\n if ($utils.trim(matches[2]) != \"\") {\n let reg2 = /'([^']*)'|\"([^\"]*)\"|([0-9\\-]+)/g;\n let matches2;\n while (true) {\n matches2 = reg2.exec(matches[2]);\n if (matches2 === null) {\n break;\n }\n params.push(matches2[1] || matches2[2] || matches2[3]);\n }\n }\n parts.push({\n method: matches[1],\n params: params\n });\n }\n }\n // Check if we can retrieve the value from data item\n if (dataItem) {\n // Check values\n value = getTagValueFromObject(target, parts, dataItem._settings);\n // Check properties\n if (value == null || $type.isObject(value)) {\n // isObject helps to solve problem with date axis, as for example dateX will get dateX from values object and won't get to the dateX date.\n value = getTagValueFromObject(target, parts, dataItem);\n }\n // Check data context\n let dataContext = dataItem.dataContext;\n if (value == null && dataContext) {\n value = getTagValueFromObject(target, parts, dataContext);\n // Maybe it's a literal dot-separated name of the key in dataContext?\n if (value == null) {\n value = getTagValueFromObject(target, [{\n prop: tagName\n }], dataContext);\n }\n // scond data context level sometimes exist (tree map)\n if (value == null && dataContext.dataContext) {\n value = getTagValueFromObject(target, parts, dataContext.dataContext);\n }\n }\n // Check component's data item\n if (value == null && dataItem.component && dataItem.component.dataItem !== dataItem) {\n value = getTagValue(dataItem.component, tagName, format);\n }\n }\n // Check sprite's properties\n if (value == null) {\n value = getTagValueFromObject(target, parts, target);\n }\n // Finally, check the parent\n if (value == null && target.parent) {\n value = getTagValue(target.parent, tagName, format);\n }\n return value;\n}\n/**\r\n * @ignore\r\n */\nfunction getCustomDataValue(target, prop) {\n const customData = target.getPrivate(\"customData\");\n if ($type.isObject(customData)) {\n return customData[prop];\n }\n}\n/**\r\n * @ignore\r\n */\nexport function getTagValueFromObject(target, parts, object, format) {\n let current = object;\n let formatApplied = false;\n for (let i = 0, len = parts.length; i < len; i++) {\n let part = parts[i];\n if (part.prop) {\n // Regular property\n if (current instanceof Sprite) {\n let tmp = current.get(part.prop);\n if (tmp == null) tmp = current.getPrivate(part.prop);\n if (tmp == null) tmp = getCustomDataValue(current, part.prop);\n if (tmp == null) tmp = current[part.prop];\n current = tmp;\n } else if (current.get) {\n let tmp = current.get(part.prop);\n if (tmp == null) tmp = current[part.prop];\n current = tmp;\n } else {\n current = current[part.prop];\n }\n if (current == null) {\n // Not set, return undefined\n return;\n }\n } else {\n // Method\n switch (part.method) {\n case \"formatNumber\":\n let numberValue = $type.toNumber(current);\n if (numberValue != null) {\n current = target.getNumberFormatter().format(numberValue, format || part.params[0] || undefined);\n formatApplied = true;\n }\n break;\n case \"formatDate\":\n let dateValue = $type.toDate(current);\n if (!$type.isDate(dateValue) || $type.isNaN(dateValue.getTime())) {\n // Was not able to get date out of value, quitting and letting\n // calling method try another value\n return;\n }\n if (dateValue != null) {\n current = target.getDateFormatter().format(dateValue, format || part.params[0] || undefined);\n formatApplied = true;\n }\n break;\n case \"formatDuration\":\n let durationValue = $type.toNumber(current);\n if (durationValue != null) {\n current = target.getDurationFormatter().format(durationValue, format || part.params[0] || undefined, part.params[1] || undefined);\n formatApplied = true;\n }\n break;\n case \"urlEncode\":\n case \"encodeURIComponent\":\n current = encodeURIComponent(current);\n break;\n default:\n if (current[part.method]) {\n current[part.method].apply(object, part.params);\n }\n break;\n }\n }\n }\n // Apply default format if it wasn't applied explicitly\n if (!formatApplied) {\n let formatParts = [{\n method: \"\",\n params: format\n }];\n if (format == null) {\n // Format is not set\n // Determine from the type of the value\n if ($type.isNumber(current)) {\n formatParts[0].method = \"formatNumber\";\n formatParts[0].params = \"\";\n } else if ($type.isDate(current)) {\n formatParts[0].method = \"formatDate\";\n formatParts[0].params = \"\";\n }\n } else {\n // Format set\n // Try to determine formatter based on the format\n let formatterType = $utils.getFormat(format);\n // format\n if (formatterType === \"number\") {\n formatParts[0].method = \"formatNumber\";\n } else if (formatterType === \"date\") {\n formatParts[0].method = \"formatDate\";\n } else if (formatterType === \"duration\") {\n formatParts[0].method = \"formatDuration\";\n }\n }\n // Apply format\n if (formatParts[0].method) {\n current = getTagValueFromObject(target, formatParts, current);\n }\n }\n return current;\n}\n","import { Children } from \"../util/Children\";\nimport { Percent } from \"../util/Percent\";\nimport { Sprite } from \"./Sprite\";\nimport { Rectangle } from \"./Rectangle\";\nimport { HorizontalLayout } from \"./HorizontalLayout\";\nimport { VerticalLayout } from \"./VerticalLayout\";\nimport { GridLayout } from \"./GridLayout\";\nimport { populateString } from \"../util/PopulateString\";\nimport * as $array from \"../util/Array\";\nimport * as $type from \"../util/Type\";\nimport * as $utils from \"../util/Utils\";\n/**\r\n * A basic element that can have child elements, maintain their layout, and\r\n * have a background.\r\n *\r\n * It can have any [[Sprite]] element as a child, from very basic shapes, to\r\n * full-fledged charts.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/containers/} for more info\r\n * @important\r\n */\nexport class Container extends Sprite {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_display\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeContainer()\n });\n Object.defineProperty(this, \"_childrenDisplay\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeContainer()\n });\n /**\r\n * List of Container's child elements.\r\n */\n Object.defineProperty(this, \"children\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Children(this)\n });\n Object.defineProperty(this, \"_percentageSizeChildren\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_percentagePositionChildren\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_prevWidth\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_prevHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_contentWidth\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_contentHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_contentMask\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_vsbd0\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_vsbd1\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n _afterNew() {\n super._afterNew();\n this._display.addChild(this._childrenDisplay);\n }\n _dispose() {\n $array.eachReverse(this.allChildren(), child => {\n child.dispose();\n });\n if (this.getPrivate(\"htmlElement\")) {\n this._root._removeHTMLContent(this);\n }\n super._dispose();\n }\n _changed() {\n super._changed();\n if (this.isDirty(\"interactiveChildren\")) {\n this._display.interactiveChildren = this.get(\"interactiveChildren\", false);\n }\n if (this.isDirty(\"layout\")) {\n this._prevWidth = 0;\n this._prevHeight = 0;\n this.markDirtyBounds();\n if (this._prevSettings.layout) {\n this.children.each(child => {\n child.removePrivate(\"x\");\n child.removePrivate(\"y\");\n });\n }\n }\n if (this.isDirty(\"paddingTop\") || this.isDirty(\"paddingBottom\") || this.isDirty(\"paddingLeft\") || this.isDirty(\"paddingRight\")) {\n this.children.each(child => {\n child.markDirtyPosition();\n });\n }\n if (this.isDirty(\"maskContent\")) {\n const childrenDisplay = this._childrenDisplay;\n let contentMask = this._contentMask;\n if (this.get(\"maskContent\")) {\n if (!contentMask) {\n contentMask = Rectangle.new(this._root, {\n x: -.5,\n y: -.5,\n width: this.width() + 1,\n height: this.height() + 1\n });\n this._contentMask = contentMask;\n childrenDisplay.addChildAt(contentMask._display, 0);\n childrenDisplay.mask = contentMask._display;\n }\n } else {\n if (contentMask) {\n childrenDisplay.removeChild(contentMask._display);\n childrenDisplay.mask = null;\n contentMask.dispose();\n this._contentMask = undefined;\n }\n }\n }\n }\n _updateSize() {\n super._updateSize();\n $array.each(this._percentageSizeChildren, child => {\n child._updateSize();\n });\n $array.each(this._percentagePositionChildren, child => {\n child.markDirtyPosition();\n child._updateSize();\n });\n this.updateBackground();\n }\n updateBackground() {\n const background = this.get(\"background\");\n let bounds = this._localBounds;\n if (bounds && !this.isHidden()) {\n let x = bounds.left;\n let y = bounds.top;\n let w = bounds.right - x;\n let h = bounds.bottom - y;\n let maxWidth = this.get(\"maxWidth\");\n let maxHeight = this.get(\"maxHeight\");\n if (maxHeight) {\n if (h > maxHeight) {\n h = maxHeight;\n }\n }\n if (maxWidth) {\n if (w > maxWidth) {\n w = maxWidth;\n }\n }\n let width = this.width();\n let height = this.height();\n if (background) {\n background.setAll({\n width: w,\n height: h,\n x: x,\n y: y\n });\n if (this._display.interactive) {\n background._display.interactive = true;\n }\n }\n const contentMask = this._contentMask;\n if (contentMask) {\n contentMask.setAll({\n width: width + 1,\n height: height + 1\n });\n }\n const verticalScrollbar = this.get(\"verticalScrollbar\");\n if (verticalScrollbar) {\n verticalScrollbar.set(\"height\", height);\n verticalScrollbar.set(\"x\", width - verticalScrollbar.width() - verticalScrollbar.get(\"marginRight\", 0));\n verticalScrollbar.set(\"end\", verticalScrollbar.get(\"start\", 0) + height / this._contentHeight);\n const bg = verticalScrollbar.get(\"background\");\n if (bg) {\n bg.setAll({\n width: verticalScrollbar.width(),\n height: height\n });\n }\n let visible = true;\n if (this._contentHeight <= height) {\n visible = false;\n }\n verticalScrollbar.setPrivate(\"visible\", visible);\n }\n }\n }\n _applyThemes(force = false) {\n if (super._applyThemes(force)) {\n this.eachChildren(child => {\n child._applyThemes(force);\n });\n return true;\n } else {\n return false;\n }\n }\n _applyState(name) {\n super._applyState(name);\n if (this.get(\"setStateOnChildren\")) {\n this.eachChildren(child => {\n child.states.apply(name);\n });\n }\n }\n _applyStateAnimated(name, duration) {\n super._applyStateAnimated(name, duration);\n if (this.get(\"setStateOnChildren\")) {\n this.eachChildren(child => {\n child.states.applyAnimate(name, duration);\n });\n }\n }\n /**\r\n * Returns container's inner width (width without padding) in pixels.\r\n *\r\n * @return Inner width (px)\r\n */\n innerWidth() {\n return this.width() - this.get(\"paddingRight\", 0) - this.get(\"paddingLeft\", 0);\n }\n /**\r\n * Returns container's inner height (height without padding) in pixels.\r\n *\r\n * @return Inner height (px)\r\n */\n innerHeight() {\n return this.height() - this.get(\"paddingTop\", 0) - this.get(\"paddingBottom\", 0);\n }\n _getBounds() {\n if (!this.get(\"html\")) {\n let width = this.get(\"width\");\n let height = this.get(\"height\");\n let pWidth = this.getPrivate(\"width\");\n let pHeight = this.getPrivate(\"height\");\n let bounds = {\n left: 0,\n top: 0,\n right: this.width(),\n bottom: this.height()\n };\n let layout = this.get(\"layout\");\n let horizontal = false;\n let vertical = false;\n if (layout instanceof HorizontalLayout || layout instanceof GridLayout) {\n horizontal = true;\n }\n if (layout instanceof VerticalLayout) {\n vertical = true;\n }\n if ((width != null || pWidth != null) && (height != null || pHeight != null) && !this.get(\"verticalScrollbar\")) {\n // void\n } else {\n let m = Number.MAX_VALUE;\n let l = m;\n let r = -m;\n let t = m;\n let b = -m;\n const paddingLeft = this.get(\"paddingLeft\", 0);\n const paddingTop = this.get(\"paddingTop\", 0);\n const paddingRight = this.get(\"paddingRight\", 0);\n const paddingBottom = this.get(\"paddingBottom\", 0);\n this.children.each(child => {\n if (child.get(\"position\") != \"absolute\" && child.get(\"isMeasured\")) {\n let childBounds = child.adjustedLocalBounds();\n let childX = child.x();\n let childY = child.y();\n let cl = childX + childBounds.left;\n let cr = childX + childBounds.right;\n let ct = childY + childBounds.top;\n let cb = childY + childBounds.bottom;\n if (horizontal) {\n cl -= child.get(\"marginLeft\", 0);\n cr += child.get(\"marginRight\", 0);\n }\n if (vertical) {\n ct -= child.get(\"marginTop\", 0);\n cb += child.get(\"marginBottom\", 0);\n }\n if (cl < l) {\n l = cl;\n }\n if (cr > r) {\n r = cr;\n }\n if (ct < t) {\n t = ct;\n }\n if (cb > b) {\n b = cb;\n }\n }\n });\n if (l == m) {\n l = 0;\n }\n if (r == -m) {\n r = 0;\n }\n if (t == m) {\n t = 0;\n }\n if (b == -m) {\n b = 0;\n }\n bounds.left = l - paddingLeft;\n bounds.top = t - paddingTop;\n bounds.right = r + paddingRight;\n bounds.bottom = b + paddingBottom;\n const minWidth = this.get(\"minWidth\");\n if ($type.isNumber(minWidth) && minWidth > 0) {\n if (bounds.right - bounds.left < minWidth) {\n if (bounds.right >= minWidth) {\n bounds.left = bounds.right - minWidth;\n } else {\n bounds.right = bounds.left + minWidth;\n }\n }\n }\n const minHeight = this.get(\"minHeight\");\n if ($type.isNumber(minHeight) && minHeight > 0) {\n if (bounds.bottom - bounds.top < minHeight) {\n if (bounds.bottom >= minHeight) {\n bounds.top = bounds.bottom - minHeight;\n } else {\n bounds.bottom = bounds.top + minHeight;\n }\n }\n }\n }\n this._contentWidth = bounds.right - bounds.left;\n this._contentHeight = bounds.bottom - bounds.top;\n if ($type.isNumber(width)) {\n bounds.left = 0;\n bounds.right = width;\n }\n if ($type.isNumber(pWidth)) {\n bounds.left = 0;\n bounds.right = pWidth;\n }\n if ($type.isNumber(height)) {\n bounds.top = 0;\n bounds.bottom = height;\n }\n if ($type.isNumber(pHeight)) {\n bounds.top = 0;\n bounds.bottom = pHeight;\n }\n this._localBounds = bounds;\n } else {\n let bounds = this._localBounds;\n if (bounds) {\n this._contentWidth = bounds.right - bounds.left;\n this._contentHeight = bounds.bottom - bounds.top;\n }\n }\n }\n _updateBounds() {\n const layout = this.get(\"layout\");\n if (layout) {\n layout.updateContainer(this);\n }\n super._updateBounds();\n this.updateBackground();\n }\n /**\r\n * @ignore\r\n */\n markDirty() {\n super.markDirty();\n this._root._addDirtyParent(this);\n }\n _prepareChildren() {\n const innerWidth = this.innerWidth();\n const innerHeight = this.innerHeight();\n if (innerWidth != this._prevWidth || innerHeight != this._prevHeight) {\n let layout = this.get(\"layout\");\n let horizontal = false;\n let vertical = false;\n if (layout) {\n if (layout instanceof HorizontalLayout || layout instanceof GridLayout) {\n horizontal = true;\n }\n if (layout instanceof VerticalLayout) {\n vertical = true;\n }\n }\n $array.each(this._percentageSizeChildren, child => {\n if (!horizontal) {\n let width = child.get(\"width\");\n if (width instanceof Percent) {\n child.setPrivate(\"width\", width.value * innerWidth);\n }\n }\n if (!vertical) {\n let height = child.get(\"height\");\n if (height instanceof Percent) {\n child.setPrivate(\"height\", height.value * innerHeight);\n }\n }\n });\n $array.each(this._percentagePositionChildren, child => {\n child.markDirtyPosition();\n child.markDirtyBounds();\n });\n this._prevWidth = innerWidth;\n this._prevHeight = innerHeight;\n this._sizeDirty = true;\n this.updateBackground();\n }\n this._handleStates();\n }\n _updateHTMLContent() {\n const html = this.get(\"html\", \"\");\n if (html && html !== \"\") {\n this._root._setHTMLContent(this, populateString(this, html));\n } else {\n this._root._removeHTMLContent(this);\n }\n this._root._positionHTMLElement(this);\n }\n /**\r\n * If scrolling is enabled on the Container (by adding `verticalScrollbar`)\r\n * the Container will scroll in such way so that target element becomes\r\n * visible if its currently outside of view.\r\n *\r\n * @param child Target child\r\n * @since 5.10.5\r\n */\n scrollToChild(child) {\n const verticalScrollbar = this.get(\"verticalScrollbar\");\n if (verticalScrollbar) {\n let y = child.y();\n let h = this.innerHeight();\n let ch = child.height();\n let contentH = this._contentHeight;\n let max = 1 - (h - ch / 2) / contentH;\n if (y + ch * .7 + this._childrenDisplay.y > h || y - ch * .3 + this._childrenDisplay.y < 0) {\n let pos = Math.max(0, Math.min(max, (y - ch / 2) / contentH));\n verticalScrollbar.animate({\n key: \"start\",\n to: pos,\n duration: verticalScrollbar.get(\"animationDuration\", 0),\n easing: verticalScrollbar.get(\"animationEasing\")\n });\n }\n }\n }\n _updateChildren() {\n if (this.isDirty(\"html\")) {\n this._updateHTMLContent();\n }\n if (this.isDirty(\"verticalScrollbar\")) {\n const verticalScrollbar = this.get(\"verticalScrollbar\");\n if (verticalScrollbar) {\n verticalScrollbar._setParent(this);\n verticalScrollbar.startGrip.setPrivate(\"visible\", false);\n verticalScrollbar.endGrip.setPrivate(\"visible\", false);\n this.set(\"maskContent\", true);\n this.set(\"paddingRight\", verticalScrollbar.width() + verticalScrollbar.get(\"marginRight\", 0) + verticalScrollbar.get(\"marginLeft\", 0));\n let background = this.get(\"background\");\n if (!background) {\n background = this.set(\"background\", Rectangle.new(this._root, {\n themeTags: [\"background\"],\n fillOpacity: 0,\n fill: this._root.interfaceColors.get(\"alternativeBackground\")\n }));\n }\n this._vsbd0 = this.events.on(\"wheel\", event => {\n const wheelEvent = event.originalEvent;\n // Ignore wheel event if it is happening on a non-chart element, e.g. if\n // some page element is over the chart.\n if ($utils.isLocalEvent(wheelEvent, this)) {\n wheelEvent.preventDefault();\n } else {\n return;\n }\n let shiftY = wheelEvent.deltaY / 5000;\n const start = verticalScrollbar.get(\"start\", 0);\n const end = verticalScrollbar.get(\"end\", 1);\n if (start + shiftY <= 0) {\n shiftY = -start;\n }\n if (end + shiftY >= 1) {\n shiftY = 1 - end;\n }\n if (start + shiftY >= 0 && end + shiftY <= 1) {\n verticalScrollbar.set(\"start\", start + shiftY);\n verticalScrollbar.set(\"end\", end + shiftY);\n }\n });\n this._disposers.push(this._vsbd0);\n this._vsbd1 = verticalScrollbar.events.on(\"rangechanged\", () => {\n let h = this._contentHeight;\n const childrenDisplay = this._childrenDisplay;\n const contentMask = this._contentMask;\n childrenDisplay.y = -verticalScrollbar.get(\"start\", 0) * h;\n childrenDisplay.markDirtyLayer();\n if (contentMask) {\n contentMask._display.y = -childrenDisplay.y;\n childrenDisplay.mask = contentMask._display;\n }\n });\n this._disposers.push(this._vsbd1);\n this._display.addChild(verticalScrollbar._display);\n } else {\n const previous = this._prevSettings.verticalScrollbar;\n if (previous) {\n this._display.removeChild(previous._display);\n if (this._vsbd0) {\n this._vsbd0.dispose();\n }\n if (this._vsbd1) {\n this._vsbd1.dispose();\n }\n const childrenDisplay = this._childrenDisplay;\n childrenDisplay.y = 0;\n this.setPrivate(\"height\", undefined);\n this.set(\"maskContent\", false);\n this.set(\"paddingRight\", undefined);\n }\n }\n }\n if (this.isDirty(\"background\")) {\n // TODO maybe this should dispose ?\n const previous = this._prevSettings[\"background\"];\n if (previous) {\n this._display.removeChild(previous._display);\n }\n const background = this.get(\"background\");\n if (background instanceof Sprite) {\n background.set(\"isMeasured\", false);\n background._setParent(this);\n this._display.addChildAt(background._display, 0);\n }\n }\n if (this.isDirty(\"mask\")) {\n const mask = this.get(\"mask\");\n const previous = this._prevSettings[\"mask\"];\n if (previous) {\n this._display.removeChild(previous._display);\n if (previous != mask) {\n previous.dispose();\n }\n }\n if (mask) {\n const parent = mask.parent;\n if (parent) {\n parent.children.removeValue(mask);\n }\n mask._setParent(this);\n this._display.addChildAt(mask._display, 0);\n this._childrenDisplay.mask = mask._display;\n }\n }\n }\n _processTemplateField() {\n super._processTemplateField();\n this.children.each(child => {\n child._processTemplateField();\n });\n }\n /**\r\n * @ignore\r\n */\n walkChildren(f) {\n this.children.each(child => {\n if (child instanceof Container) {\n child.walkChildren(f);\n }\n f(child);\n });\n }\n eachChildren(f) {\n const background = this.get(\"background\");\n if (background) {\n f(background);\n }\n const verticalScrollbar = this.get(\"verticalScrollbar\");\n if (verticalScrollbar) {\n f(verticalScrollbar);\n }\n const mask = this.get(\"mask\");\n if (mask) {\n f(mask);\n }\n this.children.values.forEach(child => {\n f(child);\n });\n }\n allChildren() {\n const output = [];\n this.eachChildren(x => {\n output.push(x);\n });\n return output;\n }\n _setDataItem(dataItem) {\n const updated = dataItem !== this._dataItem;\n super._setDataItem(dataItem);\n const html = this.get(\"html\", \"\");\n if (html && html !== \"\" && updated) {\n this._root._setHTMLContent(this, populateString(this, html));\n }\n }\n}\nObject.defineProperty(Container, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Container\"\n});\nObject.defineProperty(Container, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Sprite.classNames.concat([Container.className])\n});\n","import { Sprite } from \"./Sprite\";\nimport { populateString } from \"../util/PopulateString\";\nimport * as $array from \"../util/Array\";\nimport * as $utils from \"../util/Utils\";\nimport { Disposer } from \"../util/Disposer\";\n/**\r\n * @ignore Text is an internal class. Use Label instead.\r\n */\nexport class Text extends Sprite {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"textStyle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeTextStyle()\n });\n Object.defineProperty(this, \"_display\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._root._renderer.makeText(\"\", this.textStyle)\n });\n Object.defineProperty(this, \"_textStyles\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: [\"textAlign\", \"fontFamily\", \"fontSize\", \"fontStyle\", \"fontWeight\", \"fontStyle\", \"fontVariant\", \"textDecoration\", \"shadowColor\", \"shadowBlur\", \"shadowOffsetX\", \"shadowOffsetY\", \"shadowOpacity\",\n // \"leading\",\n // \"letterSpacing\",\n \"lineHeight\", \"baselineRatio\",\n //\"padding\",\n // \"stroke\",\n // \"strokeThickness\",\n // \"trim\",\n // \"wordWrap\",\n \"direction\", \"textBaseline\", \"oversizedBehavior\", \"breakWords\", \"ellipsis\", \"minScale\", \"maxChars\"]\n });\n Object.defineProperty(this, \"_originalScale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n _updateBounds() {\n if (!this.get(\"text\")) {\n let newBounds = {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n };\n this._adjustedLocalBounds = newBounds;\n } else {\n super._updateBounds();\n let fillGradient = this.get(\"fillGradient\");\n if (fillGradient) {\n this._display.style.fill = fillGradient.getFill(this);\n }\n }\n }\n _changed() {\n super._changed();\n this._display.clear();\n let textStyle = this.textStyle;\n if (this.isDirty(\"opacity\")) {\n let opacity = this.get(\"opacity\", 1);\n this._display.alpha = opacity;\n }\n if (this.isDirty(\"text\") || this.isDirty(\"populateText\")) {\n this._display.text = this._getText();\n this.markDirtyBounds();\n if (this.get(\"role\") == \"tooltip\") {\n this._root.updateTooltip(this);\n }\n }\n if (this.isPrivateDirty(\"tooltipElement\")) {\n const tooltipElement = this.getPrivate(\"tooltipElement\");\n if (tooltipElement) {\n this._disposers.push(new Disposer(() => {\n this._root._removeTooltipElement(this);\n }));\n }\n }\n if (this.isDirty(\"width\")) {\n textStyle.wordWrapWidth = this.width();\n this.markDirtyBounds();\n }\n if (this.isDirty(\"oversizedBehavior\")) {\n textStyle.oversizedBehavior = this.get(\"oversizedBehavior\", \"none\");\n this.markDirtyBounds();\n }\n if (this.isDirty(\"breakWords\")) {\n textStyle.breakWords = this.get(\"breakWords\", false);\n this.markDirtyBounds();\n }\n if (this.isDirty(\"ellipsis\")) {\n textStyle.ellipsis = this.get(\"ellipsis\");\n this.markDirtyBounds();\n }\n if (this.isDirty(\"ignoreFormatting\")) {\n textStyle.ignoreFormatting = this.get(\"ignoreFormatting\", false);\n this.markDirtyBounds();\n }\n if (this.isDirty(\"minScale\")) {\n textStyle.minScale = this.get(\"minScale\", 0);\n this.markDirtyBounds();\n }\n if (this.isDirty(\"fill\") || this.isDirty(\"fillGradient\")) {\n const fill = this.get(\"fill\");\n const fillGradient = this.get(\"fillGradient\");\n const fillOpacity = this.get(\"fillOpacity\");\n if (fillGradient) {\n if (fill) {\n const stops = fillGradient.get(\"stops\", []);\n if (stops.length) {\n $array.each(stops, stop => {\n if ((!stop.color || stop.colorInherited) && fill) {\n stop.color = fill;\n stop.colorInherited = true;\n }\n if (stop.opacity == null || stop.opacityInherited) {\n stop.opacity = fillOpacity;\n stop.opacityInherited = true;\n }\n });\n }\n }\n textStyle.fill = fillGradient.getFill(this);\n } else if (fill) {\n textStyle.fill = fill;\n }\n }\n if (this.isDirty(\"fillOpacity\")) {\n let fillOpacity = this.get(\"fillOpacity\", 1);\n if (fillOpacity) {\n textStyle.fillOpacity = fillOpacity;\n }\n }\n if (this.isDirty(\"maxWidth\") || this.isPrivateDirty(\"maxWidth\")) {\n textStyle.maxWidth = this.get(\"maxWidth\", this.getPrivate(\"maxWidth\"));\n this.markDirtyBounds();\n }\n if (this.isDirty(\"maxHeight\") || this.isPrivateDirty(\"maxHeight\")) {\n textStyle.maxHeight = this.get(\"maxHeight\", this.getPrivate(\"maxHeight\"));\n this.markDirtyBounds();\n }\n $array.each(this._textStyles, styleName => {\n if (this._dirty[styleName]) {\n textStyle[styleName] = this.get(styleName);\n this.markDirtyBounds();\n }\n });\n textStyle[\"fontSize\"] = this.get(\"fontSize\");\n textStyle[\"fontFamily\"] = this.get(\"fontFamily\");\n this._display.style = textStyle;\n if (this.isDirty(\"role\") && this.get(\"role\") == \"tooltip\") {\n this._root.updateTooltip(this);\n }\n }\n _getText() {\n let text = this.get(\"text\", \"\");\n if (this.get(\"maxChars\")) {\n text = $utils.truncateTextWithEllipsis(text, this.get(\"maxChars\", 100000000), this.get(\"breakWords\"), this.get(\"ellipsis\"));\n }\n return this.get(\"populateText\") ? populateString(this, text) : text;\n }\n _getAccessibleText() {\n const ariaLabel = this.get(\"ariaLabel\");\n if (ariaLabel !== undefined) {\n return this.get(\"populateText\") ? populateString(this, ariaLabel) : ariaLabel;\n }\n return this._getText();\n }\n /**\r\n * Forces the text to be re-evaluated and re-populated.\r\n */\n markDirtyText() {\n this._display.text = this._getText();\n if (this.get(\"role\") == \"tooltip\") {\n this._root.updateTooltip(this);\n }\n this.markDirtyBounds();\n this.markDirty();\n }\n _setDataItem(dataItem) {\n super._setDataItem(dataItem);\n if (this.get(\"populateText\")) {\n this.markDirtyText();\n }\n }\n getNumberFormatter() {\n if (this.parent) {\n return this.parent.getNumberFormatter();\n } else {\n return super.getNumberFormatter();\n }\n }\n getDateFormatter() {\n if (this.parent) {\n return this.parent.getDateFormatter();\n } else {\n return super.getDateFormatter();\n }\n }\n getDurationFormatter() {\n if (this.parent) {\n return this.parent.getDurationFormatter();\n } else {\n return super.getDurationFormatter();\n }\n }\n}\nObject.defineProperty(Text, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Text\"\n});\nObject.defineProperty(Text, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Sprite.classNames.concat([Text.className])\n});\n","import { Text } from \"../render/Text\";\nimport { p50, p100 } from \"../util/Percent\";\nimport { Container } from \"./Container\";\nimport * as $array from \"../../core/util/Array\";\nimport * as $type from \"../../core/util/Type\";\n/**\r\n * Creates a label with support for in-line styling and data bindings.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/labels/} for more info\r\n */\nexport class Label extends Container {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_text\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_textKeys\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: [\"text\", \"fill\", \"fillGradient\", \"fillOpacity\", \"textAlign\", \"fontFamily\", \"fontSize\", \"fontStyle\", \"fontWeight\", \"fontStyle\", \"fontVariant\", \"textDecoration\", \"shadowColor\", \"shadowBlur\", \"shadowOffsetX\", \"shadowOffsetY\", \"shadowOpacity\",\n // \"leading\",\n // \"letterSpacing\",\n \"lineHeight\", \"baselineRatio\",\n //\"padding\",\n // \"stroke\",\n // \"strokeThickness\",\n // \"trim\",\n // \"wordWrap\",\n \"direction\", \"textBaseline\", \"oversizedBehavior\", \"breakWords\", \"ellipsis\", \"minScale\", \"populateText\", \"role\", \"ignoreFormatting\", \"maxChars\", \"ariaLabel\"]\n });\n }\n /**\r\n * @ignore Text is not to be used directly\r\n */\n get text() {\n return this._text;\n }\n _afterNew() {\n super._afterNew();\n this._makeText();\n $array.each(this._textKeys, property => {\n const propValue = this.get(property);\n if (propValue != undefined) {\n this._text.set(property, propValue);\n }\n });\n if (this.get(\"html\", \"\") !== \"\") {\n this._text.set(\"text\", \"\");\n }\n this.onPrivate(\"maxWidth\", () => {\n this._setMaxDimentions();\n });\n this.onPrivate(\"maxHeight\", () => {\n this._setMaxDimentions();\n });\n }\n _makeText() {\n this._text = this.children.push(Text.new(this._root, {}));\n }\n _updateChildren() {\n super._updateChildren();\n const text = this._text;\n $array.each(this._textKeys, property => {\n this._text.set(property, this.get(property));\n });\n if (this.isDirty(\"maxWidth\") || this.isDirty(\"maxHeight\") || this.isDirty(\"rotation\")) {\n this._setMaxDimentions();\n }\n // Do not show regular text if HTML is used\n if (this.get(\"html\", \"\") !== \"\") {\n text.set(\"text\", \"\");\n } else {\n text.set(\"text\", this.get(\"text\"));\n this._maybeUpdateHTMLColor();\n }\n if (this.isDirty(\"fill\") || this.isDirty(\"fillGradient\")) {\n this._maybeUpdateHTMLColor();\n }\n if (this.isDirty(\"textAlign\") || this.isDirty(\"width\")) {\n const textAlign = this.get(\"textAlign\");\n let x;\n if (this.get(\"width\") != null) {\n if (textAlign == \"right\") {\n x = p100;\n } else if (textAlign == \"center\") {\n x = p50;\n } else {\n x = 0;\n }\n } else {\n if (textAlign == \"left\" || textAlign == \"start\") {\n x = this.get(\"paddingLeft\", 0);\n } else if (textAlign == \"right\" || textAlign == \"end\") {\n x = -this.get(\"paddingRight\", 0);\n }\n }\n text.set(\"x\", x);\n }\n const background = this.get(\"background\");\n if (background) {\n background.setPrivate(\"visible\", text._display.textVisible);\n }\n }\n _maybeUpdateHTMLColor() {\n const htmlElement = this.getPrivate(\"htmlElement\");\n if (htmlElement && this.get(\"fill\")) {\n htmlElement.style.color = this.get(\"fill\").toCSSHex();\n //@todo support gradient\n }\n }\n _setMaxDimentions() {\n const rotation = this.get(\"rotation\");\n const vertical = rotation == 90 || rotation == 270 || rotation == -90;\n const text = this._text;\n const maxWidth = this.get(\"maxWidth\", this.getPrivate(\"maxWidth\", Infinity));\n if ($type.isNumber(maxWidth)) {\n text.set(vertical ? \"maxHeight\" : \"maxWidth\", maxWidth - this.get(\"paddingTop\", 0) - this.get(\"paddingBottom\", 0));\n } else {\n text.set(vertical ? \"maxHeight\" : \"maxWidth\", undefined);\n }\n const maxHeight = this.get(\"maxHeight\", this.getPrivate(\"maxHeight\", Infinity));\n if ($type.isNumber(maxHeight)) {\n text.set(vertical ? \"maxWidth\" : \"maxHeight\", maxHeight - this.get(\"paddingLeft\", 0) - this.get(\"paddingRight\", 0));\n } else {\n text.set(vertical ? \"maxWidth\" : \"maxHeight\", undefined);\n }\n this.root.events.once(\"frameended\", () => {\n text.markDirtyBounds();\n });\n }\n _setDataItem(dataItem) {\n super._setDataItem(dataItem);\n this._markDirtyKey(\"text\");\n this._markDirtyKey(\"html\");\n const text = this._text;\n if (text.get(\"populateText\")) {\n text.markDirtyText();\n }\n const html = this.get(\"html\");\n if (html && html !== \"\") {\n this._updateHTMLContent();\n }\n }\n /**\r\n * Returns text with populated placeholders and formatting if `populateText` is\r\n * set to `true`.\r\n *\r\n * @return Populated text\r\n */\n getText() {\n return this._text._getText();\n }\n /**\r\n * Returns \"aria-label\" text with populated placeholders and formatting\r\n * if `populateText` is set to `true`.\r\n *\r\n * @return Populated text\r\n */\n getAccessibleText() {\n return this._text._getAccessibleText();\n }\n}\nObject.defineProperty(Label, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Label\"\n});\nObject.defineProperty(Label, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Container.classNames.concat([Label.className])\n});\n","import { Graphics } from \"./Graphics\";\nimport * as $math from \"../util/Math\";\n/**\r\n * Draws a rectangle with a pointer.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/graphics/} for more info\r\n * @important\r\n */\nexport class PointedRectangle extends Graphics {\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"pointerBaseWidth\") || this.isDirty(\"cornerRadius\") || this.isDirty(\"pointerLength\") || this.isDirty(\"pointerX\") || this.isDirty(\"pointerY\") || this.isDirty(\"width\") || this.isDirty(\"height\")) {\n this._clear = true;\n }\n }\n _changed() {\n super._changed();\n if (this._clear) {\n this.markDirtyBounds();\n let w = this.width();\n let h = this.height();\n if (w > 0 && h > 0) {\n let cr = this.get(\"cornerRadius\", 8);\n cr = $math.fitToRange(cr, 0, Math.min(w / 2, h / 2));\n let x = this.get(\"pointerX\", 0);\n let y = this.get(\"pointerY\", 0);\n let bwh = this.get(\"pointerBaseWidth\", 15) / 2;\n // corner coordinates\n // top left\n let xtl = 0;\n let ytl = 0;\n // top right\n let xtr = w;\n let ytr = 0;\n // bottom right\n let xbr = w;\n let ybr = h;\n // bottom left\n let xbl = 0;\n let ybl = h;\n // find stem base side: http://$math.stackexchange.com/questions/274712/calculate-on-which-side-of-straign-line-is-dot-located\n // d=(x−x1)(y2−y1)−(y−y1)(x2−x1)\n let d1 = (x - xtl) * (ybr - ytl) - (y - ytl) * (xbr - xtl);\n let d2 = (x - xbl) * (ytr - ybl) - (y - ybl) * (xtr - xbl);\n const display = this._display;\n // top\n display.moveTo(cr, 0);\n if (d1 > 0 && d2 > 0) {\n let stemX = Math.round($math.fitToRange(x, cr + bwh, w - bwh - cr));\n y = $math.fitToRange(y, -Infinity, 0);\n display.lineTo(stemX - bwh, 0);\n display.lineTo(x, y);\n display.lineTo(stemX + bwh, 0);\n }\n display.lineTo(w - cr, 0);\n display.arcTo(w, 0, w, cr, cr);\n // right\n if (d1 > 0 && d2 < 0) {\n let stemY = Math.round($math.fitToRange(y, cr + bwh, h - bwh - cr));\n x = $math.fitToRange(x, w, Infinity);\n display.lineTo(w, cr);\n display.lineTo(w, Math.max(stemY - bwh, cr));\n display.lineTo(x, y);\n display.lineTo(w, stemY + bwh);\n }\n display.lineTo(w, h - cr);\n display.arcTo(w, h, w - cr, h, cr);\n // bottom\n if (d1 < 0 && d2 < 0) {\n let stemX = Math.round($math.fitToRange(x, cr + bwh, w - bwh - cr));\n y = $math.fitToRange(y, h, Infinity);\n display.lineTo(w - cr, h);\n display.lineTo(stemX + bwh, h);\n display.lineTo(x, y);\n display.lineTo(stemX - bwh, h);\n }\n display.lineTo(cr, h);\n display.arcTo(0, h, 0, h - cr, cr);\n // left\n if (d1 < 0 && d2 > 0) {\n let stemY = Math.round($math.fitToRange(y, cr + bwh, h - cr - bwh));\n x = $math.fitToRange(x, -Infinity, 0);\n display.lineTo(0, h - cr);\n display.lineTo(0, stemY + bwh);\n display.lineTo(x, y);\n display.lineTo(0, Math.max(stemY - bwh, cr));\n }\n display.lineTo(0, cr);\n display.arcTo(0, 0, cr, 0, cr);\n display.closePath();\n }\n }\n }\n}\nObject.defineProperty(PointedRectangle, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"PointedRectangle\"\n});\nObject.defineProperty(PointedRectangle, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Graphics.classNames.concat([PointedRectangle.className])\n});\n","import { MultiDisposer } from \"../util/Disposer\";\nimport { Label } from \"../render/Label\";\nimport { PointedRectangle } from \"../render/PointedRectangle\";\nimport { Container } from \"./Container\";\nimport { Percent } from \"../util/Percent\";\nimport { Color } from \"../util/Color\";\nimport * as $math from \"../util/Math\";\nimport * as $array from \"../util/Array\";\nimport * as $utils from \"../util/Utils\";\n/**\r\n * Creates a tooltip.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/tooltips/} for more info\r\n * @important\r\n */\nexport class Tooltip extends Container {\n constructor(root, settings, isReal, templates = []) {\n super(root, settings, isReal, templates);\n Object.defineProperty(this, \"_fx\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_fy\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_label\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_fillDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_strokeDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_labelDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_w\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_h\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_keepHoverDp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_htmlContentHovered\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n _afterNew() {\n this._settings.themeTags = $utils.mergeTags(this._settings.themeTags, [\"tooltip\"]);\n super._afterNew();\n const background = this._setDefaultFn(\"background\", () => {\n return PointedRectangle.new(this._root, {});\n });\n background.set(\"themeTags\", [\"tooltip\", \"background\"]);\n this._label = this.children.push(Label.new(this._root, {}));\n this._disposers.push(this._label.events.on(\"boundschanged\", () => {\n this._updateBackground();\n }));\n this._disposers.push(this.on(\"bounds\", () => {\n this._updateBackground();\n }));\n this._updateTextColor();\n this._root.tooltipContainer.children.push(this);\n this.hide(0);\n this._disposers.push(this.label.onPrivate(\"htmlElement\", htmlElement => {\n if (htmlElement) {\n this._disposers.push($utils.addEventListener(htmlElement, \"pointerover\", _ev => {\n this._htmlContentHovered = true;\n }));\n this._disposers.push($utils.addEventListener(htmlElement, \"pointerout\", _ev => {\n this._htmlContentHovered = false;\n }));\n }\n }));\n this.on(\"visible\", _ev => {\n this._handleReaderAnnouncement();\n });\n this.label.events.on(\"dataitemchanged\", _ev => {\n this._handleReaderAnnouncement();\n });\n this._root._tooltips.push(this);\n }\n _handleReaderAnnouncement() {\n if (this.get(\"readerAnnounce\") && this.isVisibleDeep()) {\n this._root.readerAlert(this.label.getAccessibleText());\n }\n }\n /**\r\n * A [[Label]] element for the tooltip.\r\n *\r\n * @readonly\r\n * @return Label\r\n */\n get label() {\n return this._label;\n }\n /**\r\n * Permanently disposes the tooltip.\r\n */\n _dispose() {\n super._dispose();\n $array.remove(this._root._tooltips, this);\n }\n _updateChildren() {\n super._updateChildren();\n if (this.isDirty(\"pointerOrientation\") || this.isPrivateDirty(\"minWidth\") || this.isPrivateDirty(\"minHeight\")) {\n this.get(\"background\")._markDirtyKey(\"width\");\n }\n const labelText = this.get(\"labelText\");\n if (labelText != null) {\n this.label.set(\"text\", this.get(\"labelText\"));\n }\n const labelHTML = this.get(\"labelHTML\");\n if (labelHTML != null) {\n this.label.set(\"html\", this.get(\"labelHTML\"));\n }\n const labelAriaLabel = this.get(\"labelAriaLabel\");\n if (labelAriaLabel != null) {\n this.label.set(\"ariaLabel\", this.get(\"labelAriaLabel\"));\n }\n }\n _changed() {\n super._changed();\n if (this.isDirty(\"pointTo\") || this.isDirty(\"pointerOrientation\")) {\n // can't compare to previous, as sometimes pointTo is set twice (when pointer moves, so the position won't be udpated)\n this._updateBackground();\n }\n if (this.isDirty(\"tooltipTarget\")) {\n this.updateBackgroundColor();\n }\n if (this.isDirty(\"keepTargetHover\")) {\n const keephover = this.get(\"keepTargetHover\");\n if (keephover) {\n const bg = this.get(\"background\");\n this._keepHoverDp = new MultiDisposer([bg.events.on(\"pointerover\", _ev => {\n let target = this.get(\"tooltipTarget\");\n if (target) {\n if (target.parent && target.parent.getPrivate(\"tooltipTarget\") == target) {\n target = target.parent;\n }\n target.hover();\n }\n }), bg.events.on(\"pointerout\", _ev => {\n let target = this.get(\"tooltipTarget\");\n if (target) {\n if (target.parent && target.parent.getPrivate(\"tooltipTarget\") == target) {\n target = target.parent;\n }\n if (!this._htmlContentHovered) {\n target.unhover();\n }\n }\n })]);\n this.label.onPrivate(\"htmlElement\", htmlElement => {\n if (this._keepHoverDp && htmlElement) {\n this._keepHoverDp.disposers.push($utils.addEventListener(htmlElement, \"pointerleave\", ev => {\n const outEvent = this.root._renderer.getEvent(ev);\n bg.events.dispatch(\"pointerout\", {\n type: \"pointerout\",\n originalEvent: outEvent.event,\n point: outEvent.point,\n simulated: false,\n target: bg\n });\n }));\n }\n });\n } else {\n if (this._keepHoverDp) {\n this._keepHoverDp.dispose();\n this._keepHoverDp = undefined;\n }\n }\n }\n }\n _onShow() {\n super._onShow();\n this.updateBackgroundColor();\n }\n updateBackgroundColor() {\n let tooltipTarget = this.get(\"tooltipTarget\");\n const background = this.get(\"background\");\n let fill;\n let stroke;\n if (tooltipTarget && background) {\n fill = tooltipTarget.get(\"fill\");\n stroke = tooltipTarget.get(\"stroke\");\n if (fill == null) {\n fill = stroke;\n }\n if (this.get(\"getFillFromSprite\")) {\n if (this._fillDp) {\n this._fillDp.dispose();\n }\n if (fill != null) {\n background.set(\"fill\", fill);\n }\n this._fillDp = tooltipTarget.on(\"fill\", fill => {\n if (fill != null) {\n background.set(\"fill\", fill);\n this._updateTextColor(fill);\n }\n });\n this._disposers.push(this._fillDp);\n }\n if (this.get(\"getStrokeFromSprite\")) {\n if (this._strokeDp) {\n this._strokeDp.dispose();\n }\n if (fill != null) {\n background.set(\"stroke\", fill);\n }\n this._strokeDp = tooltipTarget.on(\"fill\", fill => {\n if (fill != null) {\n background.set(\"stroke\", fill);\n }\n });\n this._disposers.push(this._strokeDp);\n }\n if (this.get(\"getLabelFillFromSprite\")) {\n if (this._labelDp) {\n this._labelDp.dispose();\n }\n if (fill != null) {\n this.label.set(\"fill\", fill);\n }\n this._labelDp = tooltipTarget.on(\"fill\", fill => {\n if (fill != null) {\n this.label.set(\"fill\", fill);\n }\n });\n this._disposers.push(this._labelDp);\n }\n }\n this._updateTextColor(fill);\n }\n _updateTextColor(fill) {\n if (this.get(\"autoTextColor\")) {\n if (fill == null) {\n fill = this.get(\"background\").get(\"fill\");\n }\n if (fill == null) {\n fill = this._root.interfaceColors.get(\"background\");\n }\n if (fill instanceof Color) {\n this.label.set(\"fill\", Color.alternative(fill, this._root.interfaceColors.get(\"alternativeText\"), this._root.interfaceColors.get(\"text\")));\n }\n }\n }\n _setDataItem(dataItem) {\n super._setDataItem(dataItem);\n this.label._setDataItem(dataItem);\n }\n _updateBackground() {\n super.updateBackground();\n const parent = this._root.container;\n if (parent) {\n let cw = 0.5;\n let ch = 0.5;\n let centerX = this.get(\"centerX\");\n if (centerX instanceof Percent) {\n cw = centerX.value;\n }\n let centerY = this.get(\"centerY\");\n if (centerY instanceof Percent) {\n ch = centerY.value;\n }\n let parentW = parent.width();\n let parentH = parent.height();\n let tooltipContainer = this.parent;\n let xx = 0;\n let yy = 0;\n if (tooltipContainer) {\n xx = tooltipContainer.x();\n yy = tooltipContainer.y();\n const layerMargin = tooltipContainer.get(\"layerMargin\");\n if (layerMargin) {\n xx += layerMargin.left || 0;\n yy += layerMargin.top || 0;\n parentW += (layerMargin.left || 0) + (layerMargin.right || 0);\n parentH += (layerMargin.top || 0) + (layerMargin.bottom || 0);\n }\n }\n const bounds = this.get(\"bounds\", {\n left: -xx,\n top: -yy,\n right: parentW - xx,\n bottom: parentH - yy\n });\n this._updateBounds();\n let w = this.width();\n let h = this.height();\n // use old w and h,as when tooltip is hidden, these are 0 and unneeded animation happens\n if (w === 0) {\n w = this._w;\n }\n if (h === 0) {\n h = this._h;\n }\n let pointTo = this.get(\"pointTo\", {\n x: parentW / 2,\n y: parentH / 2\n });\n let x = pointTo.x;\n let y = pointTo.y;\n let pointerOrientation = this.get(\"pointerOrientation\");\n let background = this.get(\"background\");\n let pointerLength = 0;\n let bgStrokeSizeY = 0;\n let bgStrokeSizeX = 0;\n if (background instanceof PointedRectangle) {\n pointerLength = background.get(\"pointerLength\", 0);\n bgStrokeSizeY = background.get(\"strokeWidth\", 0) / 2;\n bgStrokeSizeX = bgStrokeSizeY;\n background.set(\"width\", w);\n background.set(\"height\", h);\n }\n let pointerX = 0;\n let pointerY = 0;\n let boundsW = bounds.right - bounds.left;\n let boundsH = bounds.bottom - bounds.top;\n // horizontal\n if (pointerOrientation == \"horizontal\" || pointerOrientation == \"left\" || pointerOrientation == \"right\") {\n bgStrokeSizeY = 0;\n if (pointerOrientation == \"horizontal\") {\n if (x > bounds.left + boundsW / 2) {\n x -= w * (1 - cw) + pointerLength;\n bgStrokeSizeX *= -1;\n } else {\n x += w * cw + pointerLength;\n }\n } else if (pointerOrientation == \"left\") {\n x += w * (1 - cw) + pointerLength;\n } else {\n x -= w * cw + pointerLength;\n bgStrokeSizeX *= -1;\n }\n }\n // vertical pointer\n else {\n bgStrokeSizeX = 0;\n if (pointerOrientation == \"vertical\") {\n if (y > bounds.top + h / 2 + pointerLength) {\n y -= h * (1 - ch) + pointerLength;\n } else {\n y += h * ch + pointerLength;\n bgStrokeSizeY *= -1;\n }\n } else if (pointerOrientation == \"down\") {\n y -= h * (1 - ch) + pointerLength;\n } else {\n y += h * ch + pointerLength;\n bgStrokeSizeY *= -1;\n }\n }\n x = $math.fitToRange(x, bounds.left + w * cw, bounds.left + boundsW - w * (1 - cw)) + bgStrokeSizeX;\n y = $math.fitToRange(y, bounds.top + h * ch, bounds.top + boundsH - h * (1 - ch)) - bgStrokeSizeY;\n pointerX = pointTo.x - x + w * cw + bgStrokeSizeX;\n pointerY = pointTo.y - y + h * ch - bgStrokeSizeY;\n this._fx = x;\n this._fy = y;\n const animationDuration = this.get(\"animationDuration\", 0);\n if (animationDuration > 0 && this.get(\"visible\") && this.get(\"opacity\") > 0.1) {\n const animationEasing = this.get(\"animationEasing\");\n this.animate({\n key: \"x\",\n to: x,\n duration: animationDuration,\n easing: animationEasing\n });\n this.animate({\n key: \"y\",\n to: y,\n duration: animationDuration,\n easing: animationEasing\n });\n } else {\n this.set(\"x\", x);\n this.set(\"y\", y);\n }\n if (background instanceof PointedRectangle) {\n background.set(\"pointerX\", pointerX);\n background.set(\"pointerY\", pointerY);\n }\n if (w > 0) {\n this._w = w;\n }\n if (h > 0) {\n this._h = h;\n }\n }\n }\n}\nObject.defineProperty(Tooltip, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Tooltip\"\n});\nObject.defineProperty(Tooltip, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Container.classNames.concat([Tooltip.className])\n});\n","/** @ignore */ /** */\nimport * as $array from \"./Array\";\nimport * as $utils from \"./Utils\";\n/**\r\n * @ignore\r\n */\nclass Native {\n constructor() {\n Object.defineProperty(this, \"_observer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_targets\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n this._observer = new ResizeObserver(entries => {\n $array.each(entries, entry => {\n $array.each(this._targets, x => {\n if (x.target === entry.target) {\n x.callback();\n }\n });\n });\n });\n }\n addTarget(target, callback) {\n this._observer.observe(target, {\n box: \"border-box\"\n });\n this._targets.push({\n target,\n callback\n });\n }\n removeTarget(target) {\n this._observer.unobserve(target);\n $array.keepIf(this._targets, x => {\n return x.target !== target;\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass Raf {\n constructor() {\n Object.defineProperty(this, \"_timer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: null\n });\n Object.defineProperty(this, \"_targets\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n }\n addTarget(target, callback) {\n if (this._timer === null) {\n let lastTime = null;\n const loop = () => {\n const currentTime = Date.now();\n if (lastTime === null || currentTime > lastTime + Raf.delay) {\n lastTime = currentTime;\n $array.each(this._targets, x => {\n let newSize = x.target.getBoundingClientRect();\n if (newSize.width !== x.size.width || newSize.height !== x.size.height) {\n x.size = newSize;\n x.callback();\n }\n });\n }\n if (this._targets.length === 0) {\n this._timer = null;\n } else {\n this._timer = requestAnimationFrame(loop);\n }\n };\n this._timer = requestAnimationFrame(loop);\n }\n // We start off with fake bounds so that sensor always kicks in\n let size = {\n width: 0,\n height: 0,\n left: 0,\n right: 0,\n top: 0,\n bottom: 0,\n x: 0,\n y: 0\n };\n this._targets.push({\n target,\n callback,\n size\n });\n }\n removeTarget(target) {\n $array.keepIf(this._targets, x => {\n return x.target !== target;\n });\n if (this._targets.length === 0) {\n if (this._timer !== null) {\n cancelAnimationFrame(this._timer);\n this._timer = null;\n }\n }\n }\n}\nObject.defineProperty(Raf, \"delay\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 200\n});\n/**\r\n * @ignore\r\n */\nlet observer = null;\n/**\r\n * @ignore\r\n */\nfunction makeSensor() {\n if (observer === null) {\n if (typeof ResizeObserver !== \"undefined\") {\n observer = new Native();\n } else {\n observer = new Raf();\n }\n }\n return observer;\n}\n/**\r\n * @ignore\r\n */\nexport class ResizeSensor {\n constructor(element, callback) {\n Object.defineProperty(this, \"_sensor\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_element\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_listener\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_disposed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n this._sensor = makeSensor();\n this._element = element;\n // This is needed because we need to know when the window is zoomed\n this._listener = $utils.onZoom(callback);\n this._sensor.addTarget(element, callback);\n }\n isDisposed() {\n return this._disposed;\n }\n dispose() {\n if (!this._disposed) {\n this._disposed = true;\n this._sensor.removeTarget(this._element);\n this._listener.dispose();\n }\n }\n get sensor() {\n return this._sensor;\n }\n}\n","import { Entity } from \"./Entity\";\n/**\r\n * Presets for common UI elements.\r\n */\nexport class InterfaceColors extends Entity {}\nObject.defineProperty(InterfaceColors, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"InterfaceColors\"\n});\nObject.defineProperty(InterfaceColors, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Entity.classNames.concat([InterfaceColors.className])\n});\n","import { Entity } from \"./Entity\";\nimport { TextFormatter } from \"./TextFormatter\";\nimport * as $object from \"./Object\";\nimport * as $utils from \"./Utils\";\nimport * as $type from \"./Type\";\n/**\r\n * Number formatter\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-numbers/} for more info\r\n * @important\r\n */\nexport class NumberFormatter extends Entity {\n _setDefaults() {\n // Defaults\n this._setDefault(\"negativeBase\", 0);\n this._setDefault(\"numberFormat\", \"#,###.#####\");\n this._setDefault(\"smallNumberThreshold\", 1.00);\n const bns = \"_big_number_suffix_\";\n const sns = \"_small_number_suffix_\";\n const bs = \"_byte_suffix_\";\n this._setDefault(\"bigNumberPrefixes\", [{\n \"number\": 1e+3,\n \"suffix\": this._t(bns + \"3\")\n }, {\n \"number\": 1e+6,\n \"suffix\": this._t(bns + \"6\")\n }, {\n \"number\": 1e+9,\n \"suffix\": this._t(bns + \"9\")\n }, {\n \"number\": 1e+12,\n \"suffix\": this._t(bns + \"12\")\n }, {\n \"number\": 1e+15,\n \"suffix\": this._t(bns + \"15\")\n }, {\n \"number\": 1e+18,\n \"suffix\": this._t(bns + \"18\")\n }, {\n \"number\": 1e+21,\n \"suffix\": this._t(bns + \"21\")\n }, {\n \"number\": 1e+24,\n \"suffix\": this._t(bns + \"24\")\n }]);\n this._setDefault(\"smallNumberPrefixes\", [{\n \"number\": 1e-24,\n \"suffix\": this._t(sns + \"24\")\n }, {\n \"number\": 1e-21,\n \"suffix\": this._t(sns + \"21\")\n }, {\n \"number\": 1e-18,\n \"suffix\": this._t(sns + \"18\")\n }, {\n \"number\": 1e-15,\n \"suffix\": this._t(sns + \"15\")\n }, {\n \"number\": 1e-12,\n \"suffix\": this._t(sns + \"12\")\n }, {\n \"number\": 1e-9,\n \"suffix\": this._t(sns + \"9\")\n }, {\n \"number\": 1e-6,\n \"suffix\": this._t(sns + \"6\")\n }, {\n \"number\": 1e-3,\n \"suffix\": this._t(sns + \"3\")\n }]);\n this._setDefault(\"bytePrefixes\", [{\n \"number\": 1,\n suffix: this._t(bs + \"B\")\n }, {\n \"number\": 1024,\n suffix: this._t(bs + \"KB\")\n }, {\n \"number\": 1048576,\n suffix: this._t(bs + \"MB\")\n }, {\n \"number\": 1073741824,\n suffix: this._t(bs + \"GB\")\n }, {\n \"number\": 1099511627776,\n suffix: this._t(bs + \"TB\")\n }, {\n \"number\": 1125899906842624,\n suffix: this._t(bs + \"PB\")\n }]);\n super._setDefaults();\n }\n _beforeChanged() {\n super._beforeChanged();\n }\n /**\r\n * Formats the number according to specific format.\r\n *\r\n * @param value Value to format\r\n * @param format Format to apply\r\n * @return Formatted number\r\n */\n format(value, format, precision) {\n // no format passed in or \"Number\"\n if (format == null || $type.isString(format) && format.toLowerCase() === \"number\") {\n format = this.get(\"numberFormat\", \"\");\n }\n // Init return value\n let formatted;\n // Cast to number just in case\n // TODO: maybe use better casting\n let source = Number(value);\n // Is it a built-in format or Intl.NumberFormatOptions\n if ($type.isObject(format)) {\n try {\n if (this.get(\"intlLocales\")) {\n return new Intl.NumberFormat(this.get(\"intlLocales\"), format).format(source);\n } else {\n return new Intl.NumberFormat(undefined, format).format(source);\n }\n } catch (e) {\n return \"Invalid\";\n }\n } else {\n // Clean format\n format = $utils.cleanFormat(format);\n // Get format info (it will also deal with parser caching)\n let info = this.parseFormat(format, this._root.language);\n // format and replace the number\n let details;\n if (source > this.get(\"negativeBase\")) {\n details = info.positive;\n } else if (source < this.get(\"negativeBase\")) {\n details = info.negative;\n } else {\n details = info.zero;\n }\n // Adjust precision\n if (precision != null && !details.mod) {\n details = $object.copy(details);\n details.decimals.active = source == 0 ? 0 : precision;\n }\n // Format\n formatted = details.template.split($type.PLACEHOLDER).join(this.applyFormat(source, details));\n }\n if (this.get(\"forceLTR\") === true) {\n formatted = \"‎\" + formatted;\n }\n return formatted;\n }\n /**\r\n * Parses supplied format into structured object which can be used to format\r\n * the number.\r\n *\r\n * @param format Format string, i.e. \"#,###.00\"\r\n * @param language Language\r\n * @ignore\r\n */\n parseFormat(format, language) {\n // Check cache\n // TODO\n // let cached = this.getCache(format);\n // if (cached != null) {\n // \treturn cached;\n // }\n const thousandSeparator = language.translateEmpty(\"_thousandSeparator\");\n const decimalSeparator = language.translateEmpty(\"_decimalSeparator\");\n // init format parse info holder\n let info = {\n \"positive\": {\n \"thousands\": {\n \"active\": -1,\n \"passive\": -1,\n \"interval\": -1,\n \"separator\": thousandSeparator\n },\n \"decimals\": {\n \"active\": -1,\n \"passive\": -1,\n \"separator\": decimalSeparator\n },\n \"template\": \"\",\n \"source\": \"\",\n \"parsed\": false\n },\n \"negative\": {\n \"thousands\": {\n \"active\": -1,\n \"passive\": -1,\n \"interval\": -1,\n \"separator\": thousandSeparator\n },\n \"decimals\": {\n \"active\": -1,\n \"passive\": -1,\n \"separator\": decimalSeparator\n },\n \"template\": \"\",\n \"source\": \"\",\n \"parsed\": false\n },\n \"zero\": {\n \"thousands\": {\n \"active\": -1,\n \"passive\": -1,\n \"interval\": -1,\n \"separator\": thousandSeparator\n },\n \"decimals\": {\n \"active\": -1,\n \"passive\": -1,\n \"separator\": decimalSeparator\n },\n \"template\": \"\",\n \"source\": \"\",\n \"parsed\": false\n }\n };\n // Escape double vertical bars (that mean display one vertical bar)\n format = format.replace(\"||\", $type.PLACEHOLDER2);\n // Split it up and deal with different formats\n let parts = format.split(\"|\");\n info.positive.source = parts[0];\n if (typeof parts[2] === \"undefined\") {\n info.zero = info.positive;\n } else {\n info.zero.source = parts[2];\n }\n if (typeof parts[1] === \"undefined\") {\n info.negative = info.positive;\n } else {\n info.negative.source = parts[1];\n }\n // Parse each\n $object.each(info, (_part, item) => {\n // Already parsed\n if (item.parsed) {\n return;\n }\n // Check cached\n // TODO\n // if (typeof this.getCache(item.source) !== \"undefined\") {\n // \tinfo[part] = this.getCache(item.source);\n // \treturn;\n // }\n // Begin parsing\n let partFormat = item.source;\n // Just \"Number\"?\n if (partFormat.toLowerCase() === \"number\") {\n partFormat = this.get(\"numberFormat\", \"#,###.#####\");\n }\n // Let TextFormatter split into chunks\n let chunks = TextFormatter.chunk(partFormat, true);\n for (let i = 0; i < chunks.length; i++) {\n let chunk = chunks[i];\n // replace back double vertical bar\n chunk.text = chunk.text.replace($type.PLACEHOLDER2, \"|\");\n if (chunk.type === \"value\") {\n // Parse format\n // Look for codes\n let matches = chunk.text.match(/[#0.,]+[ ]?[abespABESP%!]?[abespABESP‰!]?/);\n if (matches) {\n if (matches === null || matches[0] === \"\") {\n // no codes here - assume string\n // nothing to do here\n item.template += chunk.text;\n } else {\n // look for the format modifiers at the end\n let mods = matches[0].match(/[abespABESP%‰!]{2}|[abespABESP%‰]{1}$/);\n if (mods) {\n item.mod = mods[0].toLowerCase();\n item.modSpacing = matches[0].match(/[ ]{1}[abespABESP%‰!]{1}$/) ? true : false;\n }\n // break the format up\n let a = matches[0].split(\".\");\n // Deal with thousands\n if (a[0] === \"\") {\n // No directives for thousands\n // Leave default settings (no formatting)\n } else {\n // Counts\n item.thousands.active = (a[0].match(/0/g) || []).length;\n item.thousands.passive = (a[0].match(/\\#/g) || []).length + item.thousands.active;\n // Separator interval\n let b = a[0].split(\",\");\n if (b.length === 1) {\n // No thousands separators\n // Do nothing\n } else {\n // Use length fo the last chunk as thousands length\n item.thousands.interval = (b.pop() || \"\").length;\n if (item.thousands.interval === 0) {\n item.thousands.interval = -1;\n }\n }\n }\n // Deal with decimals\n if (typeof a[1] === \"undefined\") {\n // No directives for decimals\n // Leave at defaults (no formatting)\n } else {\n // Counts\n item.decimals.active = (a[1].match(/0/g) || []).length;\n item.decimals.passive = (a[1].match(/\\#/g) || []).length + item.decimals.active;\n }\n // Add special code to template\n item.template += chunk.text.split(matches[0]).join($type.PLACEHOLDER);\n }\n }\n } else {\n // Quoted string - take it as it is\n item.template += chunk.text;\n }\n }\n // Apply style formatting\n //item.template = getTextFormatter().format(item.template, this.outputFormat);\n // Save cache\n // TODO\n //this.setCache(item.source, item);\n // Mark this as parsed\n item.parsed = true;\n });\n // Save cache (the whole thing)\n // TODO\n //this.setCache(format, info);\n return info;\n }\n /**\r\n * Applies parsed format to a numeric value.\r\n *\r\n * @param value Value\r\n * @param details Parsed format as returned by parseFormat()\r\n * @return Formatted number\r\n * @ignore\r\n */\n applyFormat(value, details) {\n // Use absolute values\n let negative = value < 0;\n value = Math.abs(value);\n // Recalculate according to modifier\n let prefix = \"\",\n suffix = \"\";\n let mods = details.mod ? details.mod.split(\"\") : [];\n if (mods.indexOf(\"b\") !== -1) {\n let a = this.applyPrefix(value, this.get(\"bytePrefixes\"), mods.indexOf(\"!\") !== -1);\n value = a[0];\n prefix = a[1];\n suffix = a[2];\n if (details.modSpacing) {\n suffix = \" \" + suffix;\n }\n } else if (mods.indexOf(\"a\") !== -1) {\n let a = this.applyPrefix(value, value < this.get(\"smallNumberThreshold\") ? this.get(\"smallNumberPrefixes\") : this.get(\"bigNumberPrefixes\"), mods.indexOf(\"!\") !== -1);\n value = a[0];\n prefix = a[1];\n suffix = a[2];\n if (details.modSpacing) {\n suffix = \" \" + suffix;\n }\n } else if (mods.indexOf(\"p\") !== -1) {\n let ol = Math.min(value.toString().length + 2, 21);\n //value *= 100;\n value = parseFloat(value.toPrecision(ol));\n prefix = this._root.language.translate(\"_percentPrefix\");\n suffix = this._root.language.translate(\"_percentSuffix\");\n if (prefix == \"\" && suffix == \"\") {\n suffix = \"%\";\n }\n } else if (mods.indexOf(\"%\") !== -1) {\n let ol = Math.min(value.toString().length + 2, 21);\n value *= 100;\n value = parseFloat(value.toPrecision(ol));\n suffix = \"%\";\n } else if (mods.indexOf(\"‰\") !== -1) {\n let ol = Math.min(value.toString().length + 3, 21);\n value *= 1000;\n value = parseFloat(value.toPrecision(ol));\n suffix = \"‰\";\n }\n // Round to passive\n if (mods.indexOf(\"e\") !== -1) {\n // convert the value to exponential\n let exp;\n if (details.decimals.passive >= 0) {\n exp = value.toExponential(details.decimals.passive).split(\"e\");\n } else {\n exp = value.toExponential().split(\"e\");\n }\n value = Number(exp[0]);\n suffix = \"e\" + exp[1];\n if (details.modSpacing) {\n suffix = \" \" + suffix;\n }\n } else if (details.decimals.passive === 0) {\n value = Math.round(value);\n } else if (details.decimals.passive > 0) {\n const decimals = $utils.decimalPlaces(value);\n if (decimals > 0) {\n const d = Math.pow(10, details.decimals.passive);\n value = Math.round(parseFloat((value * d).toFixed(decimals))) / d;\n }\n }\n // Init return value\n let res = \"\";\n // Calc integer and decimal parts\n let a = $type.numberToString(value).split(\".\");\n // Format integers\n let ints = a[0];\n // Pad integers to active length\n if (ints.length < details.thousands.active) {\n ints = Array(details.thousands.active - ints.length + 1).join(\"0\") + ints;\n }\n // Insert thousands separators\n if (details.thousands.interval > 0) {\n let ip = [];\n let intsr = ints.split(\"\").reverse().join(\"\");\n for (let i = 0, len = ints.length; i <= len; i += details.thousands.interval) {\n let c = intsr.substr(i, details.thousands.interval).split(\"\").reverse().join(\"\");\n if (c !== \"\") {\n ip.unshift(c);\n }\n }\n ints = ip.join(details.thousands.separator);\n }\n // Add integers\n res += ints;\n // Add decimals\n if (a.length === 1) {\n a.push(\"\");\n }\n let decs = a[1];\n // Fill zeros?\n if (decs.length < details.decimals.active) {\n decs += Array(details.decimals.active - decs.length + 1).join(\"0\");\n }\n if (decs !== \"\") {\n res += details.decimals.separator + decs;\n }\n // Can't have empty return value\n if (res === \"\") {\n res = \"0\";\n }\n // Add minus sign back\n if (value !== 0 && negative && mods.indexOf(\"s\") === -1) {\n res = \"-\" + res;\n }\n // Add suffixes/prefixes\n if (prefix) {\n res = prefix + res;\n }\n if (suffix) {\n res += suffix;\n }\n return res;\n }\n applyPrefix(value, prefixes, force = false) {\n let newvalue = value;\n let prefix = \"\";\n let suffix = \"\";\n let applied = false;\n let k = 1;\n for (let i = 0, len = prefixes.length; i < len; i++) {\n if (prefixes[i].number <= value) {\n if (prefixes[i].number === 0) {\n newvalue = 0;\n } else {\n newvalue = value / prefixes[i].number;\n k = prefixes[i].number;\n }\n prefix = prefixes[i].prefix;\n suffix = prefixes[i].suffix;\n applied = true;\n }\n }\n if (!applied && force && prefixes.length && value != 0) {\n // Prefix was not applied. Use the first prefix.\n newvalue = value / prefixes[0].number;\n prefix = prefixes[0].prefix;\n suffix = prefixes[0].suffix;\n applied = true;\n }\n if (applied) {\n newvalue = parseFloat(newvalue.toPrecision(Math.min(k.toString().length + Math.floor(newvalue).toString().replace(/[^0-9]*/g, \"\").length, 21)));\n }\n return [newvalue, prefix, suffix];\n }\n /**\r\n * Replaces brackets with temporary placeholders.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Input text\r\n * @return Escaped text\r\n */\n escape(text) {\n return text.replace(\"||\", $type.PLACEHOLDER2);\n }\n /**\r\n * Replaces placeholders back to brackets.\r\n *\r\n * @ignore Exclude from docs\r\n * @param text Escaped text\r\n * @return Unescaped text\r\n */\n unescape(text) {\n return text.replace($type.PLACEHOLDER2, \"|\");\n }\n}\n","function parseDate(timezone, date) {\n let year = 0;\n let month = 0;\n let day = 1;\n let hour = 0;\n let minute = 0;\n let second = 0;\n let millisecond = 0;\n let weekday = 0;\n timezone.formatToParts(date).forEach(x => {\n switch (x.type) {\n case \"year\":\n year = +x.value;\n break;\n case \"month\":\n month = +x.value - 1;\n break;\n case \"day\":\n day = +x.value;\n break;\n case \"hour\":\n hour = +x.value;\n break;\n case \"minute\":\n minute = +x.value;\n break;\n case \"second\":\n second = +x.value;\n break;\n case \"fractionalSecond\":\n millisecond = +x.value;\n break;\n case \"weekday\":\n switch (x.value) {\n case \"Sun\":\n weekday = 0;\n break;\n case \"Mon\":\n weekday = 1;\n break;\n case \"Tue\":\n weekday = 2;\n break;\n case \"Wed\":\n weekday = 3;\n break;\n case \"Thu\":\n weekday = 4;\n break;\n case \"Fri\":\n weekday = 5;\n break;\n case \"Sat\":\n weekday = 6;\n break;\n }\n }\n });\n if (hour === 24) {\n hour = 0;\n }\n return {\n year,\n month,\n day,\n hour,\n minute,\n second,\n millisecond,\n weekday\n };\n}\nfunction toUTCDate(timezone, date) {\n const {\n year,\n month,\n day,\n hour,\n minute,\n second,\n millisecond\n } = parseDate(timezone, date);\n return Date.UTC(year, month, day, hour, minute, second, millisecond);\n}\nexport class Timezone {\n constructor(timezone, isReal) {\n Object.defineProperty(this, \"_utc\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_dtf\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"name\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n if (!isReal) {\n throw new Error(\"You cannot use `new Class()`, instead use `Class.new()`\");\n }\n this.name = timezone;\n this._utc = new Intl.DateTimeFormat(\"en-US\", {\n hour12: false,\n timeZone: \"UTC\",\n year: \"numeric\",\n month: \"2-digit\",\n day: \"2-digit\",\n hour: \"2-digit\",\n minute: \"2-digit\",\n second: \"2-digit\",\n weekday: \"short\",\n fractionalSecondDigits: 3\n });\n this._dtf = new Intl.DateTimeFormat(\"en-US\", {\n hour12: false,\n timeZone: timezone,\n year: \"numeric\",\n month: \"2-digit\",\n day: \"2-digit\",\n hour: \"2-digit\",\n minute: \"2-digit\",\n second: \"2-digit\",\n weekday: \"short\",\n fractionalSecondDigits: 3\n });\n }\n /**\r\n * Use this method to create an instance of this class.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/#New_element_syntax} for more info\r\n * @param timezone IANA timezone\r\n * @return Instantiated object\r\n */\n static new(timezone) {\n return new this(timezone, true);\n }\n convertLocal(date) {\n const offset = this.offsetUTC(date);\n const userOffset = date.getTimezoneOffset();\n const output = new Date(date);\n output.setUTCMinutes(output.getUTCMinutes() - (offset - userOffset));\n const newUserOffset = output.getTimezoneOffset();\n if (userOffset != newUserOffset) {\n output.setUTCMinutes(output.getUTCMinutes() + newUserOffset - userOffset);\n }\n return output;\n }\n offsetUTC(date) {\n const utc = toUTCDate(this._utc, date);\n const dtf = toUTCDate(this._dtf, date);\n return (utc - dtf) / 60000;\n }\n parseDate(date) {\n return parseDate(this._dtf, date);\n }\n}\n","import { Entity } from \"./Entity\";\nimport { TextFormatter } from \"./TextFormatter\";\nimport { Timezone } from \"./Timezone\";\nimport * as $type from \"./Type\";\nimport * as $utils from \"./Utils\";\n/**\r\n * Date formatter class.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-dates/} for more info\r\n * @important\r\n */\nexport class DateFormatter extends Entity {\n _setDefaults() {\n // Defaults\n this._setDefault(\"capitalize\", true);\n this._setDefault(\"dateFormat\", \"yyyy-MM-dd\");\n super._setDefaults();\n }\n _beforeChanged() {\n super._beforeChanged();\n }\n /**\r\n * Formats a source `Date` object into string format\r\n * @param source inpout date\r\n * @param format Output format\r\n * @param ignoreTimezone Ignore timezone?\r\n * @return Formatted date\r\n */\n format(source, format, ignoreTimezone = false) {\n // Locale?\n // TODO\n // No format passed in or it's empty\n if (typeof format === \"undefined\" || format === \"\") {\n format = this.get(\"dateFormat\", \"yyyy-MM-dd\");\n }\n // Init return value\n let formatted;\n // Cast?\n // TODO: decide if we need to cast\n let date = source;\n // Is it a built-in format or Intl.DateTimeFormat\n if ($type.isObject(format)) {\n try {\n const locales = this.get(\"intlLocales\");\n if (locales) {\n return new Intl.DateTimeFormat(locales, format).format(date);\n } else {\n return new Intl.DateTimeFormat(undefined, format).format(date);\n }\n } catch (e) {\n return \"Invalid\";\n }\n }\n // get format info (it will also deal with parser caching)\n let info = this.parseFormat(format);\n // Should we apply custom time zone?\n const timezone = this._root.timezone;\n let originalDate = date;\n if (timezone && !this._root.utc && !ignoreTimezone) {\n date = timezone.convertLocal(date);\n }\n // Check if it's a valid date\n if (!$type.isNumber(date.getTime())) {\n // TODO translation\n //return this._t(\"Invalid date\");\n return \"Invalid date\";\n }\n // Apply format\n formatted = this.applyFormat(date, info, ignoreTimezone, originalDate);\n // Capitalize\n if (this.get(\"capitalize\")) {\n formatted = formatted.replace(/^.{1}/, formatted.substr(0, 1).toUpperCase());\n }\n // We're done\n return formatted;\n }\n /**\r\n * Applies format to Date.\r\n *\r\n * @param date Date object\r\n * @param info Parsed format information\r\n * @return Formatted date string\r\n */\n applyFormat(date, info, ignoreTimezone = false, originalDate) {\n // Init return value\n let res = info.template;\n // Get values\n let fullYear,\n month,\n weekday,\n day,\n hours,\n minutes,\n seconds,\n milliseconds,\n timestamp = date.getTime();\n if (this._root.utc && !ignoreTimezone) {\n fullYear = date.getUTCFullYear();\n month = date.getUTCMonth();\n weekday = date.getUTCDay();\n day = date.getUTCDate();\n hours = date.getUTCHours();\n minutes = date.getUTCMinutes();\n seconds = date.getUTCSeconds();\n milliseconds = date.getUTCMilliseconds();\n } else {\n fullYear = date.getFullYear();\n month = date.getMonth();\n weekday = date.getDay();\n day = date.getDate();\n hours = date.getHours();\n minutes = date.getMinutes();\n seconds = date.getSeconds();\n milliseconds = date.getMilliseconds();\n }\n // Go through each part and format/replace it in template\n for (let i = 0, len = info.parts.length; i < len; i++) {\n let value = \"\";\n switch (info.parts[i]) {\n case \"G\":\n value = this._t(fullYear < 0 ? \"_era_bc\" : \"_era_ad\");\n break;\n case \"yyyy\":\n value = Math.abs(fullYear).toString();\n if (fullYear < 0) {\n value += this._t(\"_era_bc\");\n }\n break;\n case \"yyy\":\n case \"yy\":\n case \"y\":\n value = Math.abs(fullYear).toString().substr(-info.parts[i].length);\n if (fullYear < 0) {\n value += this._t(\"_era_bc\");\n }\n break;\n case \"YYYY\":\n case \"YYY\":\n case \"YY\":\n case \"Y\":\n let year = $utils.getWeekYear(date, this._root.utc);\n if (info.parts[i] == \"YYYY\") {\n value = Math.abs(year).toString();\n } else {\n value = Math.abs(year).toString().substr(-info.parts[i].length);\n }\n if (year < 0) {\n value += this._t(\"_era_bc\");\n }\n break;\n case \"u\":\n // @todo\n break;\n case \"q\":\n value = \"\" + Math.ceil((date.getMonth() + 1) / 3);\n break;\n case \"MMMMM\":\n value = this._t(this._getMonth(month)).substr(0, 1);\n break;\n case \"MMMM\":\n value = this._t(this._getMonth(month));\n break;\n case \"MMM\":\n value = this._t(this._getShortMonth(month));\n break;\n case \"MM\":\n value = $utils.padString(month + 1, 2, \"0\");\n break;\n case \"M\":\n value = (month + 1).toString();\n break;\n case \"ww\":\n value = $utils.padString($utils.getWeek(date, this._root.utc), 2, \"0\");\n break;\n case \"w\":\n value = $utils.getWeek(date, this._root.utc).toString();\n break;\n case \"W\":\n value = $utils.getMonthWeek(date, this._root.utc).toString();\n break;\n case \"dd\":\n value = $utils.padString(day, 2, \"0\");\n break;\n case \"d\":\n value = day.toString();\n break;\n case \"DD\":\n case \"DDD\":\n value = $utils.padString($utils.getYearDay(date, this._root.utc).toString(), info.parts[i].length, \"0\");\n break;\n case \"D\":\n value = $utils.getYearDay(date, this._root.utc).toString();\n break;\n case \"F\":\n // @todo\n break;\n case \"g\":\n // @todo\n break;\n case \"t\":\n value = this._root.language.translateFunc(\"_dateOrd\").call(this, day);\n break;\n case \"E\":\n value = (weekday || 7).toString();\n break;\n case \"EE\":\n value = $utils.padString((weekday || 7).toString(), 2, \"0\");\n break;\n case \"EEE\":\n case \"eee\":\n value = this._t(this._getShortWeekday(weekday));\n break;\n case \"EEEE\":\n case \"eeee\":\n value = this._t(this._getWeekday(weekday));\n break;\n case \"EEEEE\":\n case \"eeeee\":\n value = this._t(this._getShortWeekday(weekday)).substr(0, 1);\n break;\n case \"e\":\n case \"ee\":\n value = (weekday - (this._root.locale.firstDayOfWeek || 1) + 1).toString();\n if (info.parts[i] == \"ee\") {\n value = $utils.padString(value, 2, \"0\");\n }\n break;\n case \"a\":\n if (hours >= 12) {\n value = this._t(\"PM\");\n } else {\n value = this._t(\"AM\");\n }\n break;\n case \"aa\":\n if (hours >= 12) {\n value = this._t(\"P.M.\");\n } else {\n value = this._t(\"A.M.\");\n }\n break;\n case \"aaa\":\n if (hours >= 12) {\n value = this._t(\"P\");\n } else {\n value = this._t(\"A\");\n }\n break;\n case \"h\":\n value = $utils.get12Hours(hours).toString();\n break;\n case \"hh\":\n value = $utils.padString($utils.get12Hours(hours), 2, \"0\");\n break;\n case \"H\":\n value = hours.toString();\n break;\n case \"HH\":\n value = $utils.padString(hours, 2, \"0\");\n break;\n case \"K\":\n value = $utils.get12Hours(hours, 0).toString();\n break;\n case \"KK\":\n value = $utils.padString($utils.get12Hours(hours, 0), 2, \"0\");\n break;\n case \"k\":\n value = (hours + 1).toString();\n break;\n case \"kk\":\n value = $utils.padString(hours + 1, 2, \"0\");\n break;\n case \"m\":\n value = minutes.toString();\n break;\n case \"mm\":\n value = $utils.padString(minutes, 2, \"0\");\n break;\n case \"s\":\n value = seconds.toString();\n break;\n case \"ss\":\n value = $utils.padString(seconds, 2, \"0\");\n break;\n case \"S\":\n case \"SS\":\n case \"SSS\":\n value = Math.round(milliseconds / 1000 * Math.pow(10, info.parts[i].length)).toString();\n break;\n case \"x\":\n value = timestamp.toString();\n break;\n case \"n\":\n case \"nn\":\n case \"nnn\":\n value = $utils.padString(milliseconds, info.parts[i].length, \"0\");\n break;\n case \"z\":\n value = $utils.getTimeZone(originalDate || date, false, false, this._root.utc, this._root.timezone ? this._root.timezone.name : undefined).replace(/[+-]+[0-9]+$/, \"\");\n break;\n case \"zz\":\n value = $utils.getTimeZone(originalDate || date, true, false, this._root.utc, this._root.timezone ? this._root.timezone.name : undefined);\n break;\n case \"zzz\":\n value = $utils.getTimeZone(originalDate || date, false, true, this._root.utc, this._root.timezone ? this._root.timezone.name : undefined).replace(/[+-]+[0-9]+$/, \"\");\n break;\n case \"zzzz\":\n value = $utils.getTimeZone(originalDate || date, true, true, this._root.utc, this._root.timezone ? this._root.timezone.name : undefined);\n break;\n case \"Z\":\n case \"ZZ\":\n let timezone = this._root.utc ? \"UTC\" : this._root.timezone;\n if (timezone instanceof Timezone) {\n timezone = timezone.name;\n }\n const offset = timezone ? $utils.getTimezoneOffset(timezone, originalDate || date) : date.getTimezoneOffset();\n let tz = Math.abs(offset) / 60;\n let tzh = Math.floor(tz);\n let tzm = tz * 60 - tzh * 60;\n if (this._root.utc) {\n tzh = 0;\n tzm = 0;\n }\n if (info.parts[i] == \"Z\") {\n value = \"GMT\";\n value += offset > 0 ? \"-\" : \"+\";\n value += $utils.padString(tzh, 2) + \":\" + $utils.padString(tzm, 2);\n } else {\n value = offset > 0 ? \"-\" : \"+\";\n value += $utils.padString(tzh, 2) + $utils.padString(tzm, 2);\n }\n break;\n case \"i\":\n value = date.toISOString();\n break;\n case \"I\":\n value = date.toUTCString();\n break;\n }\n res = res.replace($type.PLACEHOLDER, value);\n }\n return res;\n }\n /**\r\n * Parses format into structured infromation.\r\n *\r\n * @param format Format template\r\n */\n parseFormat(format) {\n // Check cache\n // TODO: implement caching of the parsed format\n // Init format parse info holder\n let info = {\n \"template\": \"\",\n \"parts\": []\n };\n // Let TextFormatter split into chunks\n let chunks = TextFormatter.chunk(format, true);\n for (let i = 0; i < chunks.length; i++) {\n let chunk = chunks[i];\n if (chunk.type === \"value\") {\n // Just \"Date\"?\n if (chunk.text.match(/^date$/i)) {\n let dateFormat = this.get(\"dateFormat\", \"yyyy-MM-dd\");\n if (!$type.isString(dateFormat)) {\n dateFormat = \"yyyy-MM-dd\";\n }\n chunk.text = dateFormat;\n }\n // Find all possible parts\n let matches = chunk.text.match(/G|yyyy|yyy|yy|y|YYYY|YYY|YY|Y|u|q|MMMMM|MMMM|MMM|MM|M|ww|w|W|dd|d|DDD|DD|D|F|g|EEEEE|EEEE|EEE|EE|E|eeeee|eeee|eee|ee|e|aaa|aa|a|hh|h|HH|H|KK|K|kk|k|mm|m|ss|s|SSS|SS|S|A|zzzz|zzz|zz|z|ZZ|Z|t|x|nnn|nn|n|i|I/g);\n // Found?\n if (matches) {\n // Populate template\n for (let x = 0; x < matches.length; x++) {\n info.parts.push(matches[x]);\n chunk.text = chunk.text.replace(matches[x], $type.PLACEHOLDER);\n }\n }\n }\n // Apply to template\n info.template += chunk.text;\n }\n // Save cache\n // TODO\n return info;\n }\n _months() {\n return [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"];\n }\n _getMonth(index) {\n return this._months()[index];\n }\n _shortMonths() {\n return [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May(short)\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"];\n }\n _getShortMonth(index) {\n return this._shortMonths()[index];\n }\n _weekdays() {\n return [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"];\n }\n _getWeekday(index) {\n return this._weekdays()[index];\n }\n _shortWeekdays() {\n return [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"];\n }\n _getShortWeekday(index) {\n return this._shortWeekdays()[index];\n }\n parse(source, format, utc) {\n // If UTC is not supplied, use Root setting\n if (typeof utc === \"undefined\") {\n utc = this._root.utc;\n }\n // Is it already a Date\n if (source instanceof Date) {\n return source;\n }\n // Is it a numeric timestamp\n if ($type.isNumber(source)) {\n return new Date(source);\n }\n // Are we parsing a timestamp?\n if (format == \"x\") {\n return new Date(parseInt(source));\n }\n // No? Let's check if it's string, and try converting to it if nec\n if (!$type.isString(source)) {\n source = source.toString();\n }\n // Init return value\n let res;\n // Init RegEx for parsing\n let reg = \"\";\n // Clean format\n format = $utils.cleanFormat(format);\n // Clip format to length of the source string\n format = format.substr(0, source.length);\n // Parse format\n let info = this.parseFormat(format);\n // Init parsed items holder\n let parsedIndexes = {\n \"year\": -1,\n \"year3\": -1,\n \"year2\": -1,\n \"year1\": -1,\n \"month\": -1,\n \"monthShort\": -1,\n \"monthLong\": -1,\n \"weekdayShort\": -1,\n \"weekdayLong\": -1,\n \"day\": -1,\n \"yearDay\": -1,\n \"week\": -1,\n \"hourBase0\": -1,\n \"hour12Base0\": -1,\n \"hourBase1\": -1,\n \"hour12Base1\": -1,\n \"minute\": -1,\n \"second\": -1,\n \"millisecond\": -1,\n \"millisecondDigits\": -1,\n \"am\": -1,\n \"zone\": -1,\n \"timestamp\": -1,\n \"iso\": -1\n };\n // Init values\n let resValues = {\n \"year\": 1970,\n \"month\": 0,\n \"day\": 1,\n \"hour\": 0,\n \"minute\": 0,\n \"second\": 0,\n \"millisecond\": 0,\n \"timestamp\": null,\n \"offset\": 0,\n \"utc\": utc\n };\n // Index adjuster\n let indexAdjust = 0;\n let index = 0;\n // Iterate through all of the parts\n for (let i = 0; i < info.parts.length; i++) {\n // Set current match index\n index = i + indexAdjust + 1;\n switch (info.parts[i]) {\n case \"yyyy\":\n case \"YYYY\":\n reg += \"([0-9]{4})\";\n parsedIndexes.year = index;\n break;\n case \"yyy\":\n case \"YYY\":\n reg += \"([0-9]{3})\";\n parsedIndexes.year3 = index;\n break;\n case \"yy\":\n case \"YY\":\n reg += \"([0-9]{2})\";\n parsedIndexes.year2 = index;\n break;\n case \"y\":\n case \"Y\":\n reg += \"([0-9]{1})\";\n parsedIndexes.year1 = index;\n break;\n case \"MMMM\":\n reg += \"(\" + this.getStringList(this._months()).join(\"|\") + \")\";\n parsedIndexes.monthLong = index;\n break;\n case \"MMM\":\n reg += \"(\" + this.getStringList(this._shortMonths()).join(\"|\") + \")\";\n parsedIndexes.monthShort = index;\n break;\n case \"MM\":\n case \"M\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.month = index;\n break;\n case \"ww\":\n case \"w\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.week = index;\n break;\n case \"dd\":\n case \"d\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.day = index;\n break;\n case \"DDD\":\n case \"DD\":\n case \"D\":\n reg += \"([0-9]{3}|[0-9]{2}|[0-9]{1})\";\n parsedIndexes.yearDay = index;\n break;\n case \"dddd\":\n reg += \"(\" + this.getStringList(this._weekdays()).join(\"|\") + \")\";\n parsedIndexes.weekdayLong = index;\n break;\n case \"ddd\":\n reg += \"(\" + this.getStringList(this._shortWeekdays()).join(\"|\") + \")\";\n parsedIndexes.weekdayShort = index;\n break;\n case \"aaa\":\n case \"aa\":\n case \"a\":\n // TODO: fix (escape regex)\n reg += \"(\" + this.getStringList([\"AM\", \"PM\", \"A\\.M\\.\", \"P\\.M\\.\", \"A\", \"P\"]).join(\"|\") + \")\";\n parsedIndexes.am = index;\n break;\n case \"hh\":\n case \"h\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.hour12Base1 = index;\n break;\n case \"HH\":\n case \"H\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.hourBase0 = index;\n break;\n case \"KK\":\n case \"K\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.hour12Base0 = index;\n break;\n case \"kk\":\n case \"k\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.hourBase1 = index;\n break;\n case \"mm\":\n case \"m\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.minute = index;\n break;\n case \"ss\":\n case \"s\":\n reg += \"([0-9]{2}|[0-9]{1})\";\n parsedIndexes.second = index;\n break;\n case \"SSS\":\n case \"SS\":\n case \"S\":\n reg += \"([0-9]{3}|[0-9]{2}|[0-9]{1})\";\n parsedIndexes.millisecond = index;\n parsedIndexes.millisecondDigits = info.parts[i].length;\n break;\n case \"nnn\":\n case \"nn\":\n case \"n\":\n reg += \"([0-9]{3}|[0-9]{2}|[0-9]{1})\";\n parsedIndexes.millisecond = index;\n break;\n case \"x\":\n reg += \"([0-9]{1,})\";\n parsedIndexes.timestamp = index;\n break;\n case \"Z\":\n reg += \"GMT([-+]+[0-9]{2}:[0-9]{2})\";\n parsedIndexes.zone = index;\n break;\n case \"ZZ\":\n reg += \"([\\\\-+]+[0-9]{2}[0-9]{2})\";\n parsedIndexes.zone = index;\n break;\n case \"i\":\n reg += \"([0-9]{4})-?([0-9]{2})-?([0-9]{2})T?([0-9]{2}):?([0-9]{2}):?([0-9]{2})\\\\.?([0-9]{0,3})([zZ]|[+\\\\-][0-9]{2}:?[0-9]{2}|$)\";\n parsedIndexes.iso = index;\n indexAdjust += 7;\n break;\n case \"G\":\n case \"YYYY\":\n case \"YYY\":\n case \"YY\":\n case \"Y\":\n case \"MMMMM\":\n case \"W\":\n case \"EEEEE\":\n case \"EEEE\":\n case \"EEE\":\n case \"EE\":\n case \"E\":\n case \"eeeee\":\n case \"eeee\":\n case \"eee\":\n case \"ee\":\n case \"e\":\n case \"zzzz\":\n case \"zzz\":\n case \"zz\":\n case \"z\":\n case \"t\":\n // Ignore\n indexAdjust--;\n break;\n }\n reg += \"[^0-9]*\";\n }\n // Try matching\n let regex = new RegExp(reg);\n let matches = source.match(regex);\n if (matches) {\n // Populate the date object\n // Full year\n if (parsedIndexes.year > -1) {\n resValues.year = parseInt(matches[parsedIndexes.year]);\n }\n // 3-digit year\n if (parsedIndexes.year3 > -1) {\n let val = parseInt(matches[parsedIndexes.year3]);\n val += 1000;\n resValues.year = val;\n }\n // 2-digit year\n if (parsedIndexes.year2 > -1) {\n let val = parseInt(matches[parsedIndexes.year2]);\n if (val > 50) {\n val += 1000;\n } else {\n val += 2000;\n }\n resValues.year = val;\n }\n // 1-digit year\n if (parsedIndexes.year1 > -1) {\n let val = parseInt(matches[parsedIndexes.year1]);\n val = Math.floor(new Date().getFullYear() / 10) * 10 + val;\n resValues.year = val;\n }\n // Full month\n if (parsedIndexes.monthLong > -1) {\n resValues.month = this.resolveMonth(matches[parsedIndexes.monthLong]);\n }\n // Short month\n if (parsedIndexes.monthShort > -1) {\n resValues.month = this.resolveShortMonth(matches[parsedIndexes.monthShort]);\n }\n // Numeric month\n if (parsedIndexes.month > -1) {\n resValues.month = parseInt(matches[parsedIndexes.month]) - 1;\n }\n // Weekday\n // @todo\n // Week\n if (parsedIndexes.week > -1 && parsedIndexes.day === -1) {\n // We parse weeks ONLY if day is not explicitly set\n // TODO: this needs work\n // (but maybe later - I can hardly imagine anyone passing their dates in weeks)\n resValues.month = 0;\n resValues.day = $utils.getDayFromWeek(parseInt(matches[parsedIndexes.week]), resValues.year, 1, utc);\n }\n // Day\n if (parsedIndexes.day > -1) {\n resValues.day = parseInt(matches[parsedIndexes.day]);\n }\n // Year day\n if (parsedIndexes.yearDay > -1) {\n resValues.month = 0;\n resValues.day = parseInt(matches[parsedIndexes.yearDay]);\n }\n // 24 Hour (0-23)\n if (parsedIndexes.hourBase0 > -1) {\n resValues.hour = parseInt(matches[parsedIndexes.hourBase0]);\n }\n // 24 Hour (1-24)\n if (parsedIndexes.hourBase1 > -1) {\n resValues.hour = parseInt(matches[parsedIndexes.hourBase1]) - 1;\n }\n // 12 Hour (0-11)\n if (parsedIndexes.hour12Base0 > -1) {\n let val = parseInt(matches[parsedIndexes.hour12Base0]);\n if (val == 11) {\n val = 0;\n }\n if (parsedIndexes.am > -1 && !this.isAm(matches[parsedIndexes.am])) {\n val += 12;\n }\n resValues.hour = val;\n }\n // 12 Hour (1-12)\n if (parsedIndexes.hour12Base1 > -1) {\n let val = parseInt(matches[parsedIndexes.hour12Base1]);\n if (val == 12) {\n val = 0;\n }\n if (parsedIndexes.am > -1 && !this.isAm(matches[parsedIndexes.am])) {\n val += 12;\n }\n resValues.hour = val;\n }\n // Minute\n if (parsedIndexes.minute > -1) {\n resValues.minute = parseInt(matches[parsedIndexes.minute]);\n }\n // Second\n if (parsedIndexes.second > -1) {\n resValues.second = parseInt(matches[parsedIndexes.second]);\n }\n // Millisecond\n if (parsedIndexes.millisecond > -1) {\n let val = parseInt(matches[parsedIndexes.millisecond]);\n if (parsedIndexes.millisecondDigits == 2) {\n val *= 10;\n } else if (parsedIndexes.millisecondDigits == 1) {\n val *= 100;\n }\n resValues.millisecond = val;\n }\n // Timestamp\n if (parsedIndexes.timestamp > -1) {\n resValues.timestamp = parseInt(matches[parsedIndexes.timestamp]);\n const ts = new Date(resValues.timestamp);\n resValues.year = ts.getUTCFullYear();\n resValues.month = ts.getUTCMonth();\n resValues.day = ts.getUTCDate();\n resValues.hour = ts.getUTCHours();\n resValues.minute = ts.getUTCMinutes();\n resValues.second = ts.getUTCSeconds();\n resValues.millisecond = ts.getUTCMilliseconds();\n }\n // Adjust time zone\n if (parsedIndexes.zone > -1) {\n resValues.offset = this.resolveTimezoneOffset(new Date(resValues.year, resValues.month, resValues.day), matches[parsedIndexes.zone]);\n }\n // ISO\n if (parsedIndexes.iso > -1) {\n resValues.year = $type.toNumber(matches[parsedIndexes.iso + 0]);\n resValues.month = $type.toNumber(matches[parsedIndexes.iso + 1]) - 1;\n resValues.day = $type.toNumber(matches[parsedIndexes.iso + 2]);\n resValues.hour = $type.toNumber(matches[parsedIndexes.iso + 3]);\n resValues.minute = $type.toNumber(matches[parsedIndexes.iso + 4]);\n resValues.second = $type.toNumber(matches[parsedIndexes.iso + 5]);\n resValues.millisecond = $type.toNumber(matches[parsedIndexes.iso + 6]);\n if (matches[parsedIndexes.iso + 7] == \"Z\" || matches[parsedIndexes.iso + 7] == \"z\") {\n resValues.utc = true;\n } else if (matches[parsedIndexes.iso + 7] != \"\") {\n resValues.offset = this.resolveTimezoneOffset(new Date(resValues.year, resValues.month, resValues.day), matches[parsedIndexes.iso + 7]);\n }\n }\n // Create Date object\n if (resValues.utc) {\n res = new Date(Date.UTC(resValues.year, resValues.month, resValues.day, resValues.hour, resValues.minute, resValues.second, resValues.millisecond));\n } else {\n res = new Date(resValues.year, resValues.month, resValues.day, resValues.hour, resValues.minute + resValues.offset, resValues.second, resValues.millisecond);\n }\n } else {\n // Didn't match anything\n // Let's try dropping it into Date constructor and hope for the best\n res = new Date(source);\n }\n return res;\n }\n resolveTimezoneOffset(date, zone) {\n let value = zone.match(/([+\\-]?)([0-9]{2}):?([0-9]{2})/);\n if (value) {\n let match = zone.match(/([+\\-]?)([0-9]{2}):?([0-9]{2})/);\n let dir = match[1];\n let hour = match[2];\n let minute = match[3];\n let offset = parseInt(hour) * 60 + parseInt(minute);\n // Adjust offset\n // Making it negative does not seem to make sense, but it's right\n // because of how JavaScript calculates GMT offsets\n if (dir == \"+\") {\n offset *= -1;\n }\n // Check the difference in offset\n let originalOffset = (date || new Date()).getTimezoneOffset();\n let diff = offset - originalOffset;\n return diff;\n }\n return 0;\n }\n /**\r\n * Resolves month name (i.e. \"December\") into a month number (11).\r\n *\r\n * @param value Month name\r\n * @return Month number\r\n */\n resolveMonth(value) {\n // Let's try English first\n let month = this._months().indexOf(value);\n if (month > -1) {\n return month;\n }\n // Try the translation\n if (!this._root.language.isDefault()) {\n month = this._root.language.translateAll(this._months()).indexOf(value);\n if (month > -1) {\n return month;\n }\n }\n return 0;\n }\n /**\r\n * Resolves short month name (i.e. \"Dec\") into a month number.\r\n *\r\n * @param value Short month name\r\n * @return Month number\r\n */\n resolveShortMonth(value) {\n // Let's try English first\n let month = this._shortMonths().indexOf(value);\n if (month > -1) {\n return month;\n }\n // Maybe long month (workaround for May)\n month = this._months().indexOf(value);\n if (month > -1) {\n return month;\n }\n // Try the translation\n if (this._root.language && !this._root.language.isDefault()) {\n month = this._root.language.translateAll(this._shortMonths()).indexOf(value);\n if (month > -1) {\n return month;\n }\n }\n return 0;\n }\n /**\r\n * Checks if passed in string represents AM/PM notation in many of its\r\n * versions.\r\n *\r\n * @param value Source string\r\n * @return Is it AM/PM?\r\n */\n isAm(value) {\n let list = this.getStringList([\"AM\", \"A.M.\", \"A\"]);\n return list.indexOf(value.toUpperCase()) > -1;\n }\n /**\r\n * Translates list of strings.\r\n *\r\n * @param list Source strings\r\n * @return Translated strings\r\n */\n getStringList(list) {\n let res = [];\n for (let i = 0; i < list.length; i++) {\n // translate?\n if (this._root.language) {\n res.push($utils.escapeForRgex(this._t(list[i])));\n } else {\n res.push($utils.escapeForRgex(list[i]));\n }\n }\n return res;\n }\n}\n","import { Entity } from \"./Entity\";\nimport { TextFormatter } from \"./TextFormatter\";\nimport * as $object from \"./Object\";\nimport * as $utils from \"./Utils\";\nimport * as $type from \"./Type\";\n/**\r\n * A class used to format numberic values as time duration.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-durations/} for more info\r\n */\nexport class DurationFormatter extends Entity {\n constructor() {\n super(...arguments);\n /**\r\n * Collection of aliases for units.\r\n */\n Object.defineProperty(this, \"_unitAliases\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {\n \"Y\": \"y\",\n \"D\": \"d\",\n \"H\": \"h\",\n \"K\": \"h\",\n \"k\": \"h\",\n \"n\": \"S\"\n }\n });\n }\n _setDefaults() {\n const dmillisecond = \"_duration_millisecond\";\n const dsecond = \"_duration_second\";\n const dminute = \"_duration_minute\";\n const dhour = \"_duration_hour\";\n const dday = \"_duration_day\";\n const dweek = \"_duration_week\";\n const dmonth = \"_duration_month\";\n const dyear = \"_duration_year\";\n const asecond = \"_second\";\n const aminute = \"_minute\";\n const ahour = \"_hour\";\n const aday = \"_day\";\n const aweek = \"_week\";\n const amonth = \"_week\";\n const ayear = \"_year\";\n // Defaults\n this._setDefault(\"negativeBase\", 0);\n this._setDefault(\"baseUnit\", \"second\");\n this._setDefault(\"durationFormats\", {\n \"millisecond\": {\n \"millisecond\": this._t(dmillisecond),\n \"second\": this._t(dmillisecond + asecond),\n \"minute\": this._t(dmillisecond + aminute),\n \"hour\": this._t(dmillisecond + ahour),\n \"day\": this._t(dmillisecond + aday),\n \"week\": this._t(dmillisecond + aweek),\n \"month\": this._t(dmillisecond + amonth),\n \"year\": this._t(dmillisecond + ayear)\n },\n \"second\": {\n \"second\": this._t(dsecond),\n \"minute\": this._t(dsecond + aminute),\n \"hour\": this._t(dsecond + ahour),\n \"day\": this._t(dsecond + aday),\n \"week\": this._t(dsecond + aweek),\n \"month\": this._t(dsecond + amonth),\n \"year\": this._t(dsecond + ayear)\n },\n \"minute\": {\n \"minute\": this._t(dminute),\n \"hour\": this._t(dminute + ahour),\n \"day\": this._t(dminute + aday),\n \"week\": this._t(dminute + aweek),\n \"month\": this._t(dminute + amonth),\n \"year\": this._t(dminute + ayear)\n },\n \"hour\": {\n \"hour\": this._t(dhour),\n \"day\": this._t(dhour + aday),\n \"week\": this._t(dhour + aweek),\n \"month\": this._t(dhour + amonth),\n \"year\": this._t(dhour + ayear)\n },\n \"day\": {\n \"day\": this._t(dday),\n \"week\": this._t(dday + aweek),\n \"month\": this._t(dday + amonth),\n \"year\": this._t(dday + ayear)\n },\n \"week\": {\n \"week\": this._t(dweek),\n \"month\": this._t(dweek + amonth),\n \"year\": this._t(dweek + ayear)\n },\n \"month\": {\n \"month\": this._t(dmonth),\n \"year\": this._t(dmonth + ayear)\n },\n \"year\": {\n \"year\": this._t(dyear)\n }\n });\n super._setDefaults();\n }\n _beforeChanged() {\n super._beforeChanged();\n }\n /**\r\n * Formats the number as duration.\r\n *\r\n * For example `1000` (base unit seconds) would be converted to `16:40` as in\r\n * 16 minutes and 40 seconds.\r\n *\r\n * @param value Value to format\r\n * @param format Format to apply\r\n * @param base Override base unit\r\n * @return Formatted number\r\n */\n format(value, format, base) {\n // no base unit?\n let baseUnit = base || this.get(\"baseUnit\");\n // no format passed in or empty\n if (typeof format === \"undefined\" || format === \"\") {\n if (this.get(\"durationFormat\") != null) {\n format = this.get(\"durationFormat\");\n } else {\n format = this.getFormat($type.toNumber(value), undefined, baseUnit);\n }\n }\n // Clean format\n format = $utils.cleanFormat(format);\n // get format info (it will also deal with parser caching)\n let info = this.parseFormat(format, baseUnit);\n // cast to number just in case\n // TODO: maybe use better casting\n let source = Number(value);\n // format and replace the number\n let details;\n if (source > this.get(\"negativeBase\")) {\n details = info.positive;\n } else if (source < this.get(\"negativeBase\")) {\n details = info.negative;\n } else {\n details = info.zero;\n }\n // Format\n let formatted = this.applyFormat(source, details);\n // Apply color?\n if (details.color !== \"\") {\n formatted = \"[\" + details.color + \"]\" + formatted + \"[/]\";\n }\n return formatted;\n }\n /**\r\n * Parses supplied format into structured object which can be used to format\r\n * the number.\r\n *\r\n * @param format Format string, i.e. \"#,###.00\"\r\n * @param base Override base unit\r\n * @return Parsed information\r\n */\n parseFormat(format, base) {\n // Check cache\n // TODO\n // let cached = this.getCache(format);\n // if (cached != null) {\n // \treturn cached;\n // }\n // no base unit?\n let baseUnit = base || this.get(\"baseUnit\");\n // Initialize duration parsing info\n let info = {\n \"positive\": {\n \"color\": \"\",\n \"template\": \"\",\n \"parts\": [],\n \"source\": \"\",\n \"baseUnit\": baseUnit,\n \"parsed\": false,\n \"absolute\": false\n },\n \"negative\": {\n \"color\": \"\",\n \"template\": \"\",\n \"parts\": [],\n \"source\": \"\",\n \"baseUnit\": baseUnit,\n \"parsed\": false,\n \"absolute\": false\n },\n \"zero\": {\n \"color\": \"\",\n \"template\": \"\",\n \"parts\": [],\n \"source\": \"\",\n \"baseUnit\": baseUnit,\n \"parsed\": false,\n \"absolute\": false\n }\n };\n // Escape double vertical bars (that mean display one vertical bar)\n format = format.replace(\"||\", $type.PLACEHOLDER2);\n // Split it up and deal with different formats\n let parts = format.split(\"|\");\n info.positive.source = parts[0];\n if (typeof parts[2] === \"undefined\") {\n info.zero = info.positive;\n } else {\n info.zero.source = parts[2];\n }\n if (typeof parts[1] === \"undefined\") {\n info.negative = info.positive;\n } else {\n info.negative.source = parts[1];\n }\n // Parse each\n $object.each(info, (_part, item) => {\n // Already parsed\n if (item.parsed) {\n return;\n }\n // Check cached\n // TODO\n // if (typeof this.getCache(item.source) !== \"undefined\") {\n // \tinfo[part] = this.getCache(item.source);\n // \treturn;\n // }\n // Begin parsing\n let partFormat = item.source;\n // Check for [] directives\n let dirs = [];\n dirs = item.source.match(/^\\[([^\\]]*)\\]/);\n if (dirs && dirs.length && dirs[0] !== \"\") {\n partFormat = item.source.substr(dirs[0].length);\n item.color = dirs[1];\n }\n // Let TextFormatter split into chunks\n let chunks = TextFormatter.chunk(partFormat, true);\n for (let i = 0; i < chunks.length; i++) {\n let chunk = chunks[i];\n // replace back double vertical bar\n chunk.text = chunk.text.replace($type.PLACEHOLDER2, \"|\");\n if (chunk.type === \"value\") {\n // Just \"Duration\"?\n // if (chunk.text.toLowerCase() === \"duration\") {\n // \tchunk.text = durationFormat;\n // }\n // Check for \"a\" (absolute) modifier\n if (chunk.text.match(/[yYMdDwhHKkmsSn]+a/)) {\n item.absolute = true;\n chunk.text = chunk.text.replace(/([yYMdDwhHKkmsSn]+)a/, \"$1\");\n }\n // Find all possible parts\n let matches = chunk.text.match(/y+|Y+|M+|d+|D+|w+|h+|H+|K+|k+|m+|s+|S+|n+/g);\n if (matches) {\n // Populate template\n for (let x = 0; x < matches.length; x++) {\n // Is it an alias?\n if (matches[x] == null) {\n matches[x] = this._unitAliases[matches[x]];\n }\n item.parts.push(matches[x]);\n chunk.text = chunk.text.replace(matches[x], $type.PLACEHOLDER);\n }\n }\n }\n // Apply to template\n item.template += chunk.text;\n }\n // Apply style formatting\n //item.template = TextFormatter.format(item.template, this.outputFormat);\n // Save cache\n // TODO\n //this.setCache(item.source, item);\n // Mark this as parsed\n item.parsed = true;\n });\n // Save cache (the whole thing)\n // TODO\n //this.setCache(format, info);\n return info;\n }\n /**\r\n * Applies parsed format to a numeric value.\r\n *\r\n * @param value Value\r\n * @param details Parsed format as returned by {parseFormat}\r\n * @return Formatted duration\r\n */\n applyFormat(value, details) {\n // Use absolute values\n let negative = !details.absolute && value < this.get(\"negativeBase\");\n value = Math.abs(value);\n // Recalculate to milliseconds\n let tstamp = this.toTimeStamp(value, details.baseUnit);\n // Init return value\n let res = details.template;\n // Iterate through duration parts\n for (let i = 0, len = details.parts.length; i < len; i++) {\n // Gather the part\n let part = details.parts[i];\n let unit = this._toTimeUnit(part.substr(0, 1));\n let digits = part.length;\n // Calculate current unit value\n let ints;\n const unitValue = this._getUnitValue(unit);\n if (i < len - 1) {\n ints = Math.floor(tstamp / unitValue);\n } else {\n ints = Math.round(tstamp / unitValue);\n }\n res = res.replace($type.PLACEHOLDER, $utils.padString(ints, digits, \"0\"));\n // Reduce timestamp\n tstamp -= ints * unitValue;\n }\n // Reapply negative sign\n if (negative) {\n res = \"-\" + res;\n }\n return res;\n }\n /**\r\n * Converts numeric value to timestamp in milliseconds.\r\n *\r\n * @param value A source value\r\n * @param baseUnit Base unit the source value is in: \"q\", \"s\", \"i\", \"h\", \"d\", \"w\", \"m\", \"y\"\r\n * @return Value representation as a timestamp in milliseconds\r\n */\n toTimeStamp(value, baseUnit) {\n return value * this._getUnitValue(baseUnit);\n }\n _toTimeUnit(code) {\n switch (code) {\n case \"S\":\n return \"millisecond\";\n case \"s\":\n return \"second\";\n case \"m\":\n return \"minute\";\n case \"h\":\n return \"hour\";\n case \"d\":\n return \"day\";\n case \"w\":\n return \"week\";\n case \"M\":\n return \"month\";\n case \"y\":\n return \"year\";\n }\n ;\n }\n /**\r\n * Returns appropriate default format for the value.\r\n *\r\n * If `maxValue` is sepcified, it will use that value to determine the time\r\n * unit for the format.\r\n *\r\n * For example if your `baseUnit` is `\"second\"` and you pass in `10`, you\r\n * will get `\"10\"`.\r\n *\r\n * However, you might want it to be formatted in the context of bigger scale,\r\n * say 10 minutes (600 seconds). If you pass in `600` as `maxValue`, all\r\n * values, including small ones will use format with minutes, e.g.:\r\n * `00:10`, `00:50`, `12: 30`, etc.\r\n *\r\n * @param value Value to format\r\n * @param maxValue Maximum value to be used to determine format\r\n * @param baseUnit Base unit of the value\r\n * @return Format\r\n */\n getFormat(value, maxValue, baseUnit) {\n // Is format override set?\n if (this.get(\"durationFormat\") != null) {\n return this.get(\"durationFormat\");\n }\n // Get base unit\n if (!baseUnit) {\n baseUnit = this.get(\"baseUnit\");\n }\n if (maxValue != null && value != maxValue) {\n value = Math.abs(value);\n maxValue = Math.abs(maxValue);\n let maxUnit = this.getValueUnit(Math.max(value, maxValue), baseUnit);\n return this.get(\"durationFormats\")[baseUnit][maxUnit];\n } else {\n let unit = this.getValueUnit(value, baseUnit);\n return this.get(\"durationFormats\")[baseUnit][unit];\n }\n }\n /**\r\n * Returns value's closest denominator time unit, e.g 100 seconds is\r\n * `\"minute\"`, while 59 seconds would still be `second`.\r\n *\r\n * @param value Source duration value\r\n * @param baseUnit Base unit\r\n * @return Denominator\r\n */\n getValueUnit(value, baseUnit) {\n // Get base unit\n if (!baseUnit) {\n baseUnit = this.get(\"baseUnit\");\n }\n // Convert to milliseconds\n let currentUnit;\n let ms = this.getMilliseconds(value, baseUnit);\n $object.eachContinue(this._getUnitValues(), (key, val) => {\n if (key == baseUnit || currentUnit) {\n let num = ms / val;\n if (num <= 1) {\n if (!currentUnit) {\n currentUnit = key;\n }\n return false;\n }\n currentUnit = key;\n }\n return true;\n });\n return currentUnit;\n }\n /**\r\n * Converts value to milliseconds according to `baseUnit`.\r\n *\r\n * @param value Source duration value\r\n * @param baseUnit Base unit\r\n * @return Value in milliseconds\r\n */\n getMilliseconds(value, baseUnit) {\n // Get base unit\n if (!baseUnit) {\n baseUnit = this.get(\"baseUnit\");\n }\n return value * this._getUnitValue(baseUnit);\n }\n _getUnitValue(timeUnit) {\n return this._getUnitValues()[timeUnit];\n }\n _getUnitValues() {\n return {\n \"millisecond\": 1,\n \"second\": 1000,\n \"minute\": 60000,\n \"hour\": 3600000,\n \"day\": 86400000,\n \"week\": 604800000,\n \"month\": 2592000000,\n \"year\": 31536000000\n };\n }\n}\n","/**\r\n * amCharts 5 locale\r\n *\r\n * Locale: en\r\n * Language: International English\r\n * Author: Martynas Majeris\r\n *\r\n * Follow instructions in [on this page](https://www.amcharts.com/docs/v5/tutorials/creating-translations/) to make corrections or add new translations.\r\n *\r\n * ---\r\n * Edit but leave the header section above this line. You can remove any\r\n * subsequent comment sections.\r\n * ---\r\n *\r\n * Use this file as a template to create translations. Leave the key part in\r\n * English intact. Fill the value with a translation.\r\n *\r\n * Empty string means no translation, so default \"International English\"\r\n * will be used.\r\n *\r\n * If you need the translation to literally be an empty string, use `null`\r\n * instead.\r\n *\r\n * IMPORTANT:\r\n * When translating make good effort to keep the translation length\r\n * at least the same chartcount as the English, especially for short prompts.\r\n *\r\n * Having significantly longer prompts may distort the actual charts.\r\n *\r\n * NOTE:\r\n * Some prompts - like months or weekdays - come in two versions: full and\r\n * shortened.\r\n *\r\n * If there's no official shortened version of these in your language, and it\r\n * would not be possible to invent such short versions that don't seem weird\r\n * to native speakers of that language, fill those with the same as full\r\n * version.\r\n *\r\n * PLACEHOLDERS:\r\n * Some prompts have placeholders like \"%1\". Those will be replaced by actual\r\n * values during translation and should be retained in the translated prompts.\r\n *\r\n * Placeholder positions may be changed to better suit structure of the\r\n * sentence.\r\n *\r\n * For example \"From %1 to %2\", when actually used will replace \"%1\" with an\r\n * actual value representing range start, and \"%2\" will be replaced by end\r\n * value.\r\n *\r\n * E.g. in a Scrollbar for Value axis \"From %1 to %2\" will become\r\n * \"From 100 to 200\". You may translate \"From\" and \"to\", as well as re-arrange\r\n * the order of the prompt itself, but make sure the \"%1\" and \"%2\" remain, in\r\n * places where they will make sense.\r\n *\r\n * Save the file as language_LOCALE, i.e. `en_GB.ts`, `fr_FR.ts`, etc.\r\n */\nexport default {\n \"firstDayOfWeek\": 1,\n // Number formatting options.\n // \n // Please check with the local standards which separator is accepted to be\n // used for separating decimals, and which for thousands.\n \"_decimalSeparator\": \".\",\n \"_thousandSeparator\": \",\",\n // Position of the percent sign in numbers\n \"_percentPrefix\": null,\n \"_percentSuffix\": \"%\",\n // Suffixes for numbers\n // When formatting numbers, big or small numers might be reformatted to\n // shorter version, by applying a suffix.\n // \n // For example, 1000000 might become \"1m\".\n // Or 1024 might become \"1KB\" if we're formatting byte numbers.\n // \n // This section defines such suffixes for all such cases.\n \"_big_number_suffix_3\": \"k\",\n \"_big_number_suffix_6\": \"M\",\n \"_big_number_suffix_9\": \"G\",\n \"_big_number_suffix_12\": \"T\",\n \"_big_number_suffix_15\": \"P\",\n \"_big_number_suffix_18\": \"E\",\n \"_big_number_suffix_21\": \"Z\",\n \"_big_number_suffix_24\": \"Y\",\n \"_small_number_suffix_3\": \"m\",\n \"_small_number_suffix_6\": \"μ\",\n \"_small_number_suffix_9\": \"n\",\n \"_small_number_suffix_12\": \"p\",\n \"_small_number_suffix_15\": \"f\",\n \"_small_number_suffix_18\": \"a\",\n \"_small_number_suffix_21\": \"z\",\n \"_small_number_suffix_24\": \"y\",\n \"_byte_suffix_B\": \"B\",\n \"_byte_suffix_KB\": \"KB\",\n \"_byte_suffix_MB\": \"MB\",\n \"_byte_suffix_GB\": \"GB\",\n \"_byte_suffix_TB\": \"TB\",\n \"_byte_suffix_PB\": \"PB\",\n // Default date formats for various periods.\n // \n // This should reflect official or de facto formatting universally accepted\n // in the country translation is being made for\n // Available format codes here:\n // https://www.amcharts.com/docs/v5/concepts/formatters/formatting-dates/#Format_codes\n // \n // This will be used when formatting date/time for particular granularity,\n // e.g. \"_date_hour\" will be shown whenever we need to show time as hours.\n // \n // \"date\" is used as in default date format when showing standalone dates.\n \"_date\": \"yyyy-MM-dd\",\n \"_date_millisecond\": \"mm:ss SSS\",\n \"_date_millisecond_full\": \"HH:mm:ss SSS\",\n \"_date_second\": \"HH:mm:ss\",\n \"_date_second_full\": \"HH:mm:ss\",\n \"_date_minute\": \"HH:mm\",\n \"_date_minute_full\": \"HH:mm - MMM dd, yyyy\",\n \"_date_hour\": \"HH:mm\",\n \"_date_hour_full\": \"HH:mm - MMM dd, yyyy\",\n \"_date_day\": \"MMM dd\",\n \"_date_day_full\": \"MMM dd, yyyy\",\n \"_date_week\": \"ww\",\n \"_date_week_full\": \"MMM dd, yyyy\",\n \"_date_month\": \"MMM\",\n \"_date_month_full\": \"MMM, yyyy\",\n \"_date_year\": \"yyyy\",\n // Default duration formats for various base units.\n // \n // This will be used by DurationFormatter to format numeric values into\n // duration.\n // \n // Notice how each duration unit comes in several versions. This is to ensure\n // that each base unit is shown correctly.\n // \n // For example, if we have baseUnit set to \"second\", meaning our duration is\n // in seconds.\n // \n // If we pass in `50` to formatter, it will know that we have just 50 seconds\n // (less than a minute) so it will use format in `\"_duration_second\"` (\"ss\"),\n // and the formatted result will be in like `\"50\"`.\n // \n // If we pass in `70`, which is more than a minute, the formatter will switch\n // to `\"_duration_second_minute\"` (\"mm:ss\"), resulting in \"01:10\" formatted\n // text.\n // \n // Available codes here:\n // https://www.amcharts.com/docs/v4/concepts/formatters/formatting-duration/#Available_Codes\n \"_duration_millisecond\": \"SSS\",\n \"_duration_millisecond_second\": \"ss.SSS\",\n \"_duration_millisecond_minute\": \"mm:ss SSS\",\n \"_duration_millisecond_hour\": \"hh:mm:ss SSS\",\n \"_duration_millisecond_day\": \"d'd' mm:ss SSS\",\n \"_duration_millisecond_week\": \"d'd' mm:ss SSS\",\n \"_duration_millisecond_month\": \"M'm' dd'd' mm:ss SSS\",\n \"_duration_millisecond_year\": \"y'y' MM'm' dd'd' mm:ss SSS\",\n \"_duration_second\": \"ss\",\n \"_duration_second_minute\": \"mm:ss\",\n \"_duration_second_hour\": \"hh:mm:ss\",\n \"_duration_second_day\": \"d'd' hh:mm:ss\",\n \"_duration_second_week\": \"d'd' hh:mm:ss\",\n \"_duration_second_month\": \"M'm' dd'd' hh:mm:ss\",\n \"_duration_second_year\": \"y'y' MM'm' dd'd' hh:mm:ss\",\n \"_duration_minute\": \"mm\",\n \"_duration_minute_hour\": \"hh:mm\",\n \"_duration_minute_day\": \"d'd' hh:mm\",\n \"_duration_minute_week\": \"d'd' hh:mm\",\n \"_duration_minute_month\": \"M'm' dd'd' hh:mm\",\n \"_duration_minute_year\": \"y'y' MM'm' dd'd' hh:mm\",\n \"_duration_hour\": \"hh'h'\",\n \"_duration_hour_day\": \"d'd' hh'h'\",\n \"_duration_hour_week\": \"d'd' hh'h'\",\n \"_duration_hour_month\": \"M'm' dd'd' hh'h'\",\n \"_duration_hour_year\": \"y'y' MM'm' dd'd' hh'h'\",\n \"_duration_day\": \"d'd'\",\n \"_duration_day_week\": \"d'd'\",\n \"_duration_day_month\": \"M'm' dd'd'\",\n \"_duration_day_year\": \"y'y' MM'm' dd'd'\",\n \"_duration_week\": \"w'w'\",\n \"_duration_week_month\": \"w'w'\",\n \"_duration_week_year\": \"w'w'\",\n \"_duration_month\": \"M'm'\",\n \"_duration_month_year\": \"y'y' MM'm'\",\n \"_duration_year\": \"y'y'\",\n // Era translations\n \"_era_ad\": \"AD\",\n \"_era_bc\": \"BC\",\n // Day part, used in 12-hour formats, e.g. 5 P.M.\n // Please note that these come in 3 variants:\n // * one letter (e.g. \"A\")\n // * two letters (e.g. \"AM\")\n // * two letters with dots (e.g. \"A.M.\")\n // \n // All three need to to be translated even if they are all the same. Some\n // users might use one, some the other.\n \"A\": \"\",\n \"P\": \"\",\n \"AM\": \"\",\n \"PM\": \"\",\n \"A.M.\": \"\",\n \"P.M.\": \"\",\n // Date-related stuff.\n // \n // When translating months, if there's a difference, use the form which is\n // best for a full date, e.g. as you would use it in \"2018 January 1\".\n // \n // Note that May is listed twice. This is because in English May is the same\n // in both long and short forms, while in other languages it may not be the\n // case. Translate \"May\" to full word, while \"May(short)\" to shortened\n // version.\n // \n // Should month names and weekdays be capitalized or not?\n // \n // Rule of thumb is this: if the names should always be capitalized,\n // regardless of name position within date (\"January\", \"21st January 2018\",\n // etc.) use capitalized names. Otherwise enter all lowercase.\n // \n // The date formatter will automatically capitalize names if they are the\n // first (or only) word in resulting date.\n \"January\": \"\",\n \"February\": \"\",\n \"March\": \"\",\n \"April\": \"\",\n \"May\": \"\",\n \"June\": \"\",\n \"July\": \"\",\n \"August\": \"\",\n \"September\": \"\",\n \"October\": \"\",\n \"November\": \"\",\n \"December\": \"\",\n \"Jan\": \"\",\n \"Feb\": \"\",\n \"Mar\": \"\",\n \"Apr\": \"\",\n \"May(short)\": \"May\",\n \"Jun\": \"\",\n \"Jul\": \"\",\n \"Aug\": \"\",\n \"Sep\": \"\",\n \"Oct\": \"\",\n \"Nov\": \"\",\n \"Dec\": \"\",\n // Weekdays.\n \"Sunday\": \"\",\n \"Monday\": \"\",\n \"Tuesday\": \"\",\n \"Wednesday\": \"\",\n \"Thursday\": \"\",\n \"Friday\": \"\",\n \"Saturday\": \"\",\n \"Sun\": \"\",\n \"Mon\": \"\",\n \"Tue\": \"\",\n \"Wed\": \"\",\n \"Thu\": \"\",\n \"Fri\": \"\",\n \"Sat\": \"\",\n // Date ordinal function.\n // \n // This is used when adding number ordinal when formatting days in dates.\n // \n // E.g. \"January 1st\", \"February 2nd\".\n // \n // The function accepts day number, and returns a string to be added to the\n // day, like in default English translation, if we pass in 2, we will receive\n // \"nd\" back.\n \"_dateOrd\": function (day) {\n let res = \"th\";\n if (day < 11 || day > 13) {\n switch (day % 10) {\n case 1:\n res = \"st\";\n break;\n case 2:\n res = \"nd\";\n break;\n case 3:\n res = \"rd\";\n break;\n }\n }\n return res;\n },\n // Various chart controls.\n // Shown as a tooltip on zoom out button.\n \"Zoom Out\": \"\",\n // Timeline buttons\n \"Play\": \"\",\n \"Stop\": \"\",\n // Chart's Legend screen reader title.\n \"Legend\": \"\",\n // Legend's item screen reader indicator.\n \"Press ENTER to toggle\": \"\",\n // Shown when the chart is busy loading something.\n \"Loading\": \"\",\n // Shown as the first button in the breadcrumb navigation, e.g.:\n // Home > First level > ...\n \"Home\": \"\",\n // Chart types.\n // Those are used as default screen reader titles for the main chart element\n // unless developer has set some more descriptive title.\n \"Chart\": \"\",\n \"Serial chart\": \"\",\n \"X/Y chart\": \"\",\n \"Pie chart\": \"\",\n \"Gauge chart\": \"\",\n \"Radar chart\": \"\",\n \"Sankey diagram\": \"\",\n \"Flow diagram\": \"\",\n \"Chord diagram\": \"\",\n \"TreeMap chart\": \"\",\n \"Force directed tree\": \"\",\n \"Sliced chart\": \"\",\n // Series types.\n // Used to name series by type for screen readers if they do not have their\n // name set.\n \"Series\": \"\",\n \"Candlestick Series\": \"\",\n \"OHLC Series\": \"\",\n \"Column Series\": \"\",\n \"Line Series\": \"\",\n \"Pie Slice Series\": \"\",\n \"Funnel Series\": \"\",\n \"Pyramid Series\": \"\",\n \"X/Y Series\": \"\",\n // Map-related stuff.\n \"Map\": \"\",\n \"Press ENTER to zoom in\": \"\",\n \"Press ENTER to zoom out\": \"\",\n \"Use arrow keys to zoom in and out\": \"\",\n \"Use plus and minus keys on your keyboard to zoom in and out\": \"\",\n // Export-related stuff.\n // These prompts are used in Export menu labels.\n // \n // \"Export\" is the top-level menu item.\n // \n // \"Image\", \"Data\", \"Print\" as second-level indicating type of export\n // operation.\n // \n // Leave actual format untranslated, unless you absolutely know that they\n // would convey more meaning in some other way.\n \"Export\": \"\",\n \"Image\": \"\",\n \"Data\": \"\",\n \"Print\": \"\",\n \"Press ENTER or use arrow keys to navigate\": \"\",\n \"Press ENTER to open\": \"\",\n \"Press ENTER to print.\": \"\",\n \"Press ENTER to export as %1.\": \"\",\n \"(Press ESC to close this message)\": \"\",\n \"Image Export Complete\": \"\",\n \"Export operation took longer than expected. Something might have gone wrong.\": \"\",\n \"Saved from\": \"\",\n \"PNG\": \"\",\n \"JPG\": \"\",\n \"GIF\": \"\",\n \"SVG\": \"\",\n \"PDF\": \"\",\n \"JSON\": \"\",\n \"CSV\": \"\",\n \"XLSX\": \"\",\n \"HTML\": \"\",\n // Scrollbar-related stuff.\n // \n // Scrollbar is a control which can zoom and pan the axes on the chart.\n // \n // Each scrollbar has two grips: left or right (for horizontal scrollbar) or\n // upper and lower (for vertical one).\n // \n // Prompts change in relation to whether Scrollbar is vertical or horizontal.\n // \n // The final section is used to indicate the current range of selection.\n \"Use TAB to select grip buttons or left and right arrows to change selection\": \"\",\n \"Use left and right arrows to move selection\": \"\",\n \"Use left and right arrows to move left selection\": \"\",\n \"Use left and right arrows to move right selection\": \"\",\n \"Use TAB select grip buttons or up and down arrows to change selection\": \"\",\n \"Use up and down arrows to move selection\": \"\",\n \"Use up and down arrows to move lower selection\": \"\",\n \"Use up and down arrows to move upper selection\": \"\",\n \"From %1 to %2\": \"\",\n \"From %1\": \"\",\n \"To %1\": \"\",\n // Data loader-related.\n \"No parser available for file: %1\": \"\",\n \"Error parsing file: %1\": \"\",\n \"Unable to load file: %1\": \"\",\n \"Invalid date\": \"\",\n // Common actions\n \"Close\": \"\",\n \"Minimize\": \"\"\n};\n","import { Entity } from \"./Entity\";\nimport * as $array from \"./Array\";\nimport * as $object from \"./Object\";\nimport en from \"../../../locales/en\";\n;\n/**\r\n * Add localization functionality.\r\n */\nexport class Language extends Entity {\n _setDefaults() {\n this.setPrivate(\"defaultLocale\", en);\n super._setDefaults();\n }\n /**\r\n * Returns a prompt translation.\r\n *\r\n * @param prompt Prompt to translate\r\n * @param locale Target locale\r\n * @param ...rest Parameters\r\n * @return Translation\r\n */\n translate(prompt, locale, ...rest) {\n // Get langauge\n if (!locale) {\n locale = this._root.locale || this.getPrivate(\"defaultLocale\");\n }\n // Init translation\n let translation = prompt;\n let value = locale[prompt];\n // Try to look for the translation\n if (value === null) {\n translation = \"\";\n } else if (value != null) {\n // It might be an empty string\n if (value) {\n translation = value;\n }\n } else if (locale !== this.getPrivate(\"defaultLocale\")) {\n // Try to look in default language\n return this.translate(prompt, this.getPrivate(\"defaultLocale\"), ...rest);\n }\n // Replace %1, %2, etc params\n if (rest.length) {\n for (let len = rest.length, i = 0; i < len; ++i) {\n translation = translation.split(\"%\" + (i + 1)).join(rest[i]);\n }\n }\n // Return the translation\n return translation;\n }\n /**\r\n * Returns a prompt translation, including custom prompts.\r\n *\r\n * @param prompt Prompt to translate\r\n * @param locale Target locale\r\n * @param ...rest Parameters\r\n * @return Translation\r\n */\n translateAny(prompt, locale, ...rest) {\n return this.translate(prompt, locale, ...rest);\n }\n /**\r\n * Add a custom prompt to locale.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/locales/creating-translations/#Extending_locale_with_custom_prompts}\r\n * @param prompt Source prompt\r\n * @param translation Tanslation\r\n * @param locale Target locale\r\n */\n setTranslationAny(prompt, translation, locale) {\n const localeTarget = locale || this._root.locale;\n localeTarget[prompt] = translation;\n }\n /**\r\n * Add a batch of custom prompts.\r\n *\r\n * @since 5.3.3\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/locales/creating-translations/#Extending_locale_with_custom_prompts}\r\n * @param translations Translations\r\n * @param locale Target locale\r\n */\n setTranslationsAny(translations, locale) {\n $object.each(translations, (key, val) => {\n this.setTranslationAny(key, val, locale);\n });\n }\n translateEmpty(prompt, locale, ...rest) {\n let translation = this.translate(prompt, locale, ...rest);\n return translation == prompt ? \"\" : translation;\n }\n translateFunc(prompt, locale) {\n if (this._root.locale[prompt]) {\n return this._root.locale[prompt];\n }\n // Try to look in default language\n if (locale !== this.getPrivate(\"defaultLocale\")) {\n return this.translateFunc(prompt, this.getPrivate(\"defaultLocale\"));\n }\n // Fail - return empty function\n return () => {\n return \"\";\n };\n }\n /**\r\n * Translates a btach of prompts.\r\n *\r\n * @param list Array of prompts to translate\r\n * @param locale Target locale\r\n * @return Array of translations\r\n */\n translateAll(list, locale) {\n // Translate all items in the list\n if (!this.isDefault()) {\n return $array.map(list, x => this.translate(x, locale));\n } else {\n return list;\n }\n }\n /**\r\n * Returns `true` if the currently selected locale is a default locale.\r\n *\r\n * @return `true` if locale is default; `false` if it is not.\r\n */\n isDefault() {\n return this.getPrivate(\"defaultLocale\") === this._root.locale;\n }\n}\n","import { Theme } from \"../core/Theme\";\nimport { p100, p50 } from \"../core/util/Percent\";\nimport { Color } from \"../core/util/Color\";\nimport { GridLayout } from \"../core/render/GridLayout\";\nimport * as $ease from \"../core/util/Ease\";\n/**\r\n * @ignore\r\n */\nexport function setColor(rule, key, ic, name) {\n // TODO this shouldn't use get, figure out a better way\n rule.set(key, ic.get(name));\n ic.on(name, value => {\n rule.set(key, value);\n });\n}\n/**\r\n * @ignore\r\n */\nexport class DefaultTheme extends Theme {\n setupDefaultRules() {\n super.setupDefaultRules();\n const language = this._root.language;\n const ic = this._root.interfaceColors;\n const horizontalLayout = this._root.horizontalLayout;\n const verticalLayout = this._root.verticalLayout;\n const r = this.rule.bind(this);\n /**\r\n * ========================================================================\r\n * core\r\n * ========================================================================\r\n */\n r(\"InterfaceColors\").setAll({\n stroke: Color.fromHex(0xe5e5e5),\n fill: Color.fromHex(0xf3f3f3),\n primaryButton: Color.fromHex(0x6794dc),\n primaryButtonHover: Color.fromHex(0x6771dc),\n primaryButtonDown: Color.fromHex(0x68dc76),\n primaryButtonActive: Color.fromHex(0x68dc76),\n primaryButtonDisabled: Color.fromHex(0xdadada),\n primaryButtonTextDisabled: Color.fromHex(0xffffff),\n primaryButtonText: Color.fromHex(0xffffff),\n primaryButtonStroke: Color.fromHex(0xffffff),\n secondaryButton: Color.fromHex(0xd9d9d9),\n secondaryButtonHover: Color.fromHex(0xa3a3a3),\n secondaryButtonDown: Color.fromHex(0x8d8d8d),\n secondaryButtonActive: Color.fromHex(0xe6e6e6),\n secondaryButtonText: Color.fromHex(0x000000),\n secondaryButtonStroke: Color.fromHex(0xffffff),\n grid: Color.fromHex(0x000000),\n background: Color.fromHex(0xffffff),\n alternativeBackground: Color.fromHex(0x000000),\n text: Color.fromHex(0x000000),\n alternativeText: Color.fromHex(0xffffff),\n disabled: Color.fromHex(0xadadad),\n positive: Color.fromHex(0x50b300),\n negative: Color.fromHex(0xb30000)\n });\n {\n const rule = r(\"ColorSet\");\n rule.setAll({\n passOptions: {\n hue: 0.05,\n saturation: 0,\n lightness: 0\n },\n colors: [Color.fromHex(0x67b7dc)],\n step: 1,\n //baseColor: Color.fromRGB(103, 183, 220),\n //count: 20,\n reuse: false,\n startIndex: 0\n });\n rule.setPrivate(\"currentStep\", 0);\n rule.setPrivate(\"currentPass\", 0);\n }\n r(\"Entity\").setAll({\n stateAnimationDuration: 0,\n stateAnimationEasing: $ease.out($ease.cubic)\n });\n r(\"Component\").setAll({\n interpolationDuration: 0,\n interpolationEasing: $ease.out($ease.cubic)\n });\n r(\"Sprite\").setAll({\n visible: true,\n scale: 1,\n opacity: 1,\n rotation: 0,\n position: \"relative\",\n tooltipX: p50,\n tooltipY: p50,\n tooltipPosition: \"fixed\",\n isMeasured: true\n });\n r(\"Sprite\").states.create(\"default\", {\n \"visible\": true,\n opacity: 1\n });\n r(\"Container\").setAll({\n interactiveChildren: true,\n setStateOnChildren: false\n });\n r(\"Graphics\").setAll({\n strokeWidth: 1\n });\n r(\"Chart\").setAll({\n width: p100,\n height: p100,\n interactiveChildren: false\n });\n r(\"ZoomableContainer\").setAll({\n width: p100,\n height: p100,\n wheelable: true,\n pinchZoom: true,\n maxZoomLevel: 32,\n minZoomLevel: 1,\n zoomStep: 2,\n animationEasing: $ease.out($ease.cubic),\n animationDuration: 600,\n maxPanOut: 0.4\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: alignment\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Sprite\", [\"horizontal\", \"center\"]).setAll({\n centerX: p50,\n x: p50\n });\n r(\"Sprite\", [\"vertical\", \"center\"]).setAll({\n centerY: p50,\n y: p50\n });\n r(\"Container\", [\"horizontal\", \"layout\"]).setAll({\n layout: horizontalLayout\n });\n r(\"Container\", [\"vertical\", \"layout\"]).setAll({\n layout: verticalLayout\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: patterns\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Pattern\").setAll({\n repetition: \"repeat\",\n width: 50,\n height: 50,\n rotation: 0,\n fillOpacity: 1\n });\n r(\"LinePattern\").setAll({\n gap: 6,\n colorOpacity: 1,\n width: 49,\n height: 49\n });\n r(\"RectanglePattern\").setAll({\n gap: 6,\n checkered: false,\n centered: true,\n maxWidth: 5,\n maxHeight: 5,\n width: 48,\n height: 48,\n strokeWidth: 0\n });\n r(\"CirclePattern\").setAll({\n gap: 5,\n checkered: false,\n centered: false,\n radius: 3,\n strokeWidth: 0,\n width: 45,\n height: 45\n });\n r(\"GrainPattern\").setAll({\n width: 200,\n height: 200,\n colors: [Color.fromHex(0x000000)],\n size: 1,\n horizontalGap: 0,\n verticalGap: 0,\n density: 1,\n minOpacity: 0,\n maxOpacity: 0.2\n });\n {\n const rule = r(\"PatternSet\");\n rule.setAll({\n step: 1\n });\n setColor(rule, \"color\", ic, \"stroke\");\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * core: gradients\r\n * ------------------------------------------------------------------------\r\n */\n r(\"LinearGradient\").setAll({\n rotation: 90\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Legend\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Legend\").setAll({\n fillField: \"fill\",\n strokeField: \"stroke\",\n nameField: \"name\",\n layout: GridLayout.new(this._root, {}),\n layer: 30,\n clickTarget: \"itemContainer\"\n });\n // Class: Container\n r(\"Container\", [\"legend\", \"item\", \"itemcontainer\"]).setAll({\n paddingLeft: 5,\n paddingRight: 5,\n paddingBottom: 5,\n paddingTop: 5,\n layout: horizontalLayout,\n setStateOnChildren: true,\n interactiveChildren: false,\n ariaChecked: true,\n focusable: true,\n ariaLabel: language.translate(\"Press ENTER to toggle\"),\n role: \"checkbox\"\n });\n {\n const rule = r(\"Rectangle\", [\"legend\", \"item\", \"background\"]);\n rule.setAll({\n fillOpacity: 0\n });\n setColor(rule, \"fill\", ic, \"background\");\n }\n r(\"Container\", [\"legend\", \"marker\"]).setAll({\n setStateOnChildren: true,\n centerY: p50,\n paddingLeft: 0,\n paddingRight: 0,\n paddingBottom: 0,\n paddingTop: 0,\n width: 18,\n height: 18\n });\n r(\"RoundedRectangle\", [\"legend\", \"marker\", \"rectangle\"]).setAll({\n width: p100,\n height: p100,\n cornerRadiusBL: 3,\n cornerRadiusTL: 3,\n cornerRadiusBR: 3,\n cornerRadiusTR: 3\n });\n {\n const rule = r(\"RoundedRectangle\", [\"legend\", \"marker\", \"rectangle\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"disabled\");\n setColor(rule, \"stroke\", ic, \"disabled\");\n }\n r(\"Label\", [\"legend\", \"label\"]).setAll({\n centerY: p50,\n marginLeft: 5,\n paddingRight: 0,\n paddingLeft: 0,\n paddingTop: 0,\n paddingBottom: 0,\n populateText: true\n });\n {\n const rule = r(\"Label\", [\"legend\", \"label\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"disabled\");\n }\n r(\"Label\", [\"legend\", \"value\", \"label\"]).setAll({\n centerY: p50,\n marginLeft: 5,\n paddingRight: 0,\n paddingLeft: 0,\n paddingTop: 0,\n paddingBottom: 0,\n width: 50,\n centerX: p100,\n populateText: true\n });\n {\n const rule = r(\"Label\", [\"legend\", \"value\", \"label\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"disabled\");\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * core: HeatLegend\r\n * ------------------------------------------------------------------------\r\n */\n r(\"HeatLegend\").setAll({\n stepCount: 1\n });\n r(\"RoundedRectangle\", [\"heatlegend\", \"marker\"]).setAll({\n cornerRadiusTR: 0,\n cornerRadiusBR: 0,\n cornerRadiusTL: 0,\n cornerRadiusBL: 0\n });\n r(\"RoundedRectangle\", [\"vertical\", \"heatlegend\", \"marker\"]).setAll({\n height: p100,\n width: 15\n });\n r(\"RoundedRectangle\", [\"horizontal\", \"heatlegend\", \"marker\"]).setAll({\n width: p100,\n height: 15\n });\n r(\"HeatLegend\", [\"vertical\"]).setAll({\n height: p100\n });\n r(\"HeatLegend\", [\"horizontal\"]).setAll({\n width: p100\n });\n r(\"Label\", [\"heatlegend\", \"start\"]).setAll({\n paddingLeft: 5,\n paddingRight: 5,\n paddingTop: 5,\n paddingBottom: 5\n });\n r(\"Label\", [\"heatlegend\", \"end\"]).setAll({\n paddingLeft: 5,\n paddingRight: 5,\n paddingTop: 5,\n paddingBottom: 5\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Labels\r\n * ------------------------------------------------------------------------\r\n */\n {\n const rule = r(\"Label\");\n rule.setAll({\n paddingTop: 8,\n paddingBottom: 8,\n paddingLeft: 10,\n paddingRight: 10,\n fontFamily: \"-apple-system, BlinkMacSystemFont, \\\"Segoe UI\\\", Roboto, Helvetica, Arial, sans-serif, \\\"Apple Color Emoji\\\", \\\"Segoe UI Emoji\\\", \\\"Segoe UI Symbol\\\"\",\n fontSize: \"1em\",\n populateText: false\n });\n setColor(rule, \"fill\", ic, \"text\");\n }\n r(\"RadialLabel\").setAll({\n textType: \"regular\",\n centerY: p50,\n centerX: p50,\n inside: false,\n radius: 0,\n baseRadius: p100,\n orientation: \"auto\",\n textAlign: \"center\"\n });\n r(\"EditableLabel\").setAll({\n editOn: \"click\",\n //setStateOnChildren: true,\n themeTags: [\"editablelabel\"],\n multiLine: true\n });\n r(\"RoundedRectangle\", [\"editablelabel\", \"background\"]).setAll({\n fillOpacity: 0,\n fill: Color.fromHex(0x000000),\n cornerRadiusBL: 3,\n cornerRadiusBR: 3,\n cornerRadiusTL: 3,\n cornerRadiusTR: 3,\n strokeOpacity: 0,\n stroke: Color.fromHex(0x000000)\n });\n {\n r(\"RoundedRectangle\", [\"editablelabel\", \"background\"]).states.create(\"active\", {\n strokeOpacity: 0.2\n });\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Elements and shapes\r\n * ------------------------------------------------------------------------\r\n */\n r(\"RoundedRectangle\").setAll({\n cornerRadiusTL: 8,\n cornerRadiusBL: 8,\n cornerRadiusTR: 8,\n cornerRadiusBR: 8\n });\n r(\"PointedRectangle\").setAll({\n pointerBaseWidth: 15,\n pointerLength: 10,\n cornerRadius: 8\n });\n r(\"Slice\").setAll({\n shiftRadius: 0,\n dRadius: 0,\n dInnerRadius: 0\n });\n {\n const rule = r(\"Tick\");\n rule.setAll({\n strokeOpacity: .15,\n isMeasured: false,\n length: 4.5,\n position: \"absolute\",\n crisp: true\n });\n setColor(rule, \"stroke\", ic, \"grid\");\n }\n r(\"Bullet\").setAll({\n locationX: 0.5,\n locationY: 0.5\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Tooltip\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Tooltip\").setAll({\n position: \"absolute\",\n getFillFromSprite: true,\n getStrokeFromSprite: false,\n autoTextColor: true,\n paddingTop: 9,\n paddingBottom: 8,\n paddingLeft: 10,\n paddingRight: 10,\n marginBottom: 5,\n pointerOrientation: \"vertical\",\n centerX: p50,\n centerY: p50,\n animationEasing: $ease.out($ease.cubic),\n exportable: false\n //layer: 100\n });\n r(\"Polygon\").setAll({\n animationEasing: $ease.out($ease.cubic)\n });\n {\n const rule = r(\"PointedRectangle\", [\"tooltip\", \"background\"]);\n rule.setAll({\n strokeOpacity: 0.9,\n cornerRadius: 4,\n pointerLength: 4,\n pointerBaseWidth: 8,\n fillOpacity: 0.9,\n stroke: Color.fromHex(0xffffff)\n });\n }\n {\n const rule = r(\"Label\", [\"tooltip\"]);\n rule.setAll({\n role: \"tooltip\",\n populateText: true,\n paddingRight: 0,\n paddingTop: 0,\n paddingLeft: 0,\n paddingBottom: 0\n });\n setColor(rule, \"fill\", ic, \"alternativeText\");\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Button\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Button\").setAll({\n paddingTop: 8,\n paddingBottom: 8,\n paddingLeft: 10,\n paddingRight: 10,\n interactive: true,\n layout: horizontalLayout,\n interactiveChildren: false,\n setStateOnChildren: true,\n focusable: true\n });\n r(\"Button\").states.create(\"hover\", {});\n r(\"Button\").states.create(\"down\", {\n stateAnimationDuration: 0\n });\n r(\"Button\").states.create(\"active\", {});\n r(\"Button\").states.create(\"disabled\", {\n forceInactive: true\n });\n {\n const rule = r(\"RoundedRectangle\", [\"button\", \"background\"]);\n setColor(rule, \"fill\", ic, \"primaryButton\");\n setColor(rule, \"stroke\", ic, \"primaryButtonStroke\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"button\", \"background\"]).states.create(\"hover\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonHover\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"button\", \"background\"]).states.create(\"down\", {\n stateAnimationDuration: 0\n });\n setColor(rule, \"fill\", ic, \"primaryButtonDown\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"button\", \"background\"]).states.create(\"active\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonActive\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"button\", \"background\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonDisabled\");\n }\n {\n const rule = r(\"Graphics\", [\"button\", \"icon\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonTextDisabled\");\n }\n {\n const rule = r(\"Label\", [\"button\"]).states.create(\"disabled\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonTextDisabled\");\n }\n {\n const rule = r(\"Graphics\", [\"button\", \"icon\"]);\n rule.setAll({\n forceInactive: true\n });\n setColor(rule, \"stroke\", ic, \"primaryButtonText\");\n }\n {\n const rule = r(\"Label\", [\"button\"]);\n setColor(rule, \"fill\", ic, \"primaryButtonText\");\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * charts/xy: ZoomOutButton\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Button\", [\"zoom\"]).setAll({\n paddingTop: 18,\n paddingBottom: 18,\n paddingLeft: 12,\n paddingRight: 12,\n centerX: 46,\n centerY: -10,\n y: 0,\n x: p100,\n role: \"button\",\n ariaLabel: language.translate(\"Zoom Out\"),\n layer: 30\n });\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"button\", \"zoom\"]);\n rule.setAll({\n cornerRadiusBL: 40,\n cornerRadiusBR: 40,\n cornerRadiusTL: 40,\n cornerRadiusTR: 40\n });\n setColor(rule, \"fill\", ic, \"primaryButton\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"button\", \"zoom\"]).states.create(\"hover\", {});\n setColor(rule, \"fill\", ic, \"primaryButtonHover\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"button\", \"zoom\"]).states.create(\"down\", {\n stateAnimationDuration: 0\n });\n setColor(rule, \"fill\", ic, \"primaryButtonDown\");\n }\n {\n const rule = r(\"Graphics\", [\"icon\", \"button\", \"zoom\"]);\n rule.setAll({\n crisp: true,\n strokeOpacity: 0.7,\n draw: display => {\n display.moveTo(0, 0);\n display.lineTo(12, 0);\n }\n });\n setColor(rule, \"stroke\", ic, \"primaryButtonText\");\n }\n /**\r\n * ------------------------------------------------------------------------\r\n * core: ResizeButton\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Button\", [\"resize\"]).setAll({\n paddingTop: 9,\n paddingBottom: 9,\n paddingLeft: 13,\n paddingRight: 13,\n draggable: true,\n centerX: p50,\n centerY: p50,\n position: \"absolute\",\n role: \"slider\",\n ariaValueMin: \"0\",\n ariaValueMax: \"100\",\n ariaLabel: language.translate(\"Use up and down arrows to move selection\")\n });\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"resize\", \"button\"]);\n rule.setAll({\n cornerRadiusBL: 40,\n cornerRadiusBR: 40,\n cornerRadiusTL: 40,\n cornerRadiusTR: 40\n });\n setColor(rule, \"fill\", ic, \"secondaryButton\");\n setColor(rule, \"stroke\", ic, \"secondaryButtonStroke\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"resize\", \"button\"]).states.create(\"hover\", {});\n setColor(rule, \"fill\", ic, \"secondaryButtonHover\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"background\", \"resize\", \"button\"]).states.create(\"down\", {\n stateAnimationDuration: 0\n });\n setColor(rule, \"fill\", ic, \"secondaryButtonDown\");\n }\n {\n const rule = r(\"Graphics\", [\"resize\", \"button\", \"icon\"]);\n rule.setAll({\n interactive: false,\n crisp: true,\n strokeOpacity: 0.5,\n draw: display => {\n display.moveTo(0, 0.5);\n display.lineTo(0, 12.5);\n display.moveTo(4, 0.5);\n display.lineTo(4, 12.5);\n }\n });\n setColor(rule, \"stroke\", ic, \"secondaryButtonText\");\n }\n r(\"Button\", [\"resize\", \"vertical\"]).setAll({\n rotation: 90,\n cursorOverStyle: \"ns-resize\"\n });\n r(\"Button\", [\"resize\", \"horizontal\"]).setAll({\n cursorOverStyle: \"ew-resize\"\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: PlayButton\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Button\", [\"play\"]).setAll({\n paddingTop: 13,\n paddingBottom: 13,\n paddingLeft: 14,\n paddingRight: 14,\n ariaLabel: language.translate(\"Play\"),\n toggleKey: \"active\"\n });\n {\n const rule = r(\"RoundedRectangle\", [\"play\", \"background\"]);\n rule.setAll({\n strokeOpacity: 0.5,\n cornerRadiusBL: 100,\n cornerRadiusBR: 100,\n cornerRadiusTL: 100,\n cornerRadiusTR: 100\n });\n setColor(rule, \"fill\", ic, \"primaryButton\");\n }\n {\n const rule = r(\"Graphics\", [\"play\", \"icon\"]);\n rule.setAll({\n stateAnimationDuration: 0,\n dx: 1,\n draw: display => {\n display.moveTo(0, -5);\n display.lineTo(8, 0);\n display.lineTo(0, 5);\n display.lineTo(0, -5);\n }\n });\n setColor(rule, \"fill\", ic, \"primaryButtonText\");\n }\n r(\"Graphics\", [\"play\", \"icon\"]).states.create(\"default\", {\n stateAnimationDuration: 0\n });\n r(\"Graphics\", [\"play\", \"icon\"]).states.create(\"active\", {\n stateAnimationDuration: 0,\n draw: display => {\n display.moveTo(-4, -5);\n display.lineTo(-1, -5);\n display.lineTo(-1, 5);\n display.lineTo(-4, 5);\n display.lineTo(-4, -5);\n display.moveTo(4, -5);\n display.lineTo(1, -5);\n display.lineTo(1, 5);\n display.lineTo(4, 5);\n display.lineTo(4, -5);\n }\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: SwitchButton\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Button\", [\"switch\"]).setAll({\n paddingTop: 4,\n paddingBottom: 4,\n paddingLeft: 4,\n paddingRight: 4,\n ariaLabel: language.translate(\"Press ENTER to toggle\"),\n toggleKey: \"active\",\n width: 40,\n height: 24,\n layout: null\n });\n {\n const rule = r(\"RoundedRectangle\", [\"switch\", \"background\"]);\n rule.setAll({\n strokeOpacity: 0.5,\n cornerRadiusBL: 100,\n cornerRadiusBR: 100,\n cornerRadiusTL: 100,\n cornerRadiusTR: 100\n });\n setColor(rule, \"fill\", ic, \"primaryButton\");\n }\n {\n const rule = r(\"Circle\", [\"switch\", \"icon\"]);\n rule.setAll({\n radius: 8,\n centerY: 0,\n centerX: 0,\n dx: 0\n });\n setColor(rule, \"fill\", ic, \"primaryButtonText\");\n }\n r(\"Graphics\", [\"switch\", \"icon\"]).states.create(\"active\", {\n dx: 16\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * core: Scrollbar\r\n * ------------------------------------------------------------------------\r\n */\n r(\"Scrollbar\").setAll({\n start: 0,\n end: 1,\n layer: 30,\n animationEasing: $ease.out($ease.cubic)\n });\n r(\"Scrollbar\", [\"vertical\"]).setAll({\n marginRight: 13,\n marginLeft: 13,\n minWidth: 12,\n height: p100\n });\n r(\"Scrollbar\", [\"horizontal\"]).setAll({\n marginTop: 13,\n marginBottom: 13,\n minHeight: 12,\n width: p100\n });\n this.rule(\"Button\", [\"scrollbar\"]).setAll({\n exportable: false\n });\n {\n const rule = r(\"RoundedRectangle\", [\"scrollbar\", \"main\", \"background\"]);\n rule.setAll({\n cornerRadiusTL: 8,\n cornerRadiusBL: 8,\n cornerRadiusTR: 8,\n cornerRadiusBR: 8,\n fillOpacity: 0.8\n });\n setColor(rule, \"fill\", ic, \"fill\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"scrollbar\", \"thumb\"]);\n rule.setAll({\n role: \"slider\",\n ariaLive: \"polite\",\n position: \"absolute\",\n draggable: true\n });\n setColor(rule, \"fill\", ic, \"secondaryButton\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"scrollbar\", \"thumb\"]).states.create(\"hover\", {});\n setColor(rule, \"fill\", ic, \"secondaryButtonHover\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"scrollbar\", \"thumb\"]).states.create(\"down\", {\n stateAnimationDuration: 0\n });\n setColor(rule, \"fill\", ic, \"secondaryButtonDown\");\n }\n r(\"RoundedRectangle\", [\"scrollbar\", \"thumb\", \"vertical\"]).setAll({\n x: p50,\n width: p100,\n centerX: p50,\n ariaLabel: language.translate(\"Use up and down arrows to move selection\")\n });\n r(\"RoundedRectangle\", [\"scrollbar\", \"thumb\", \"horizontal\"]).setAll({\n y: p50,\n centerY: p50,\n height: p100,\n ariaLabel: language.translate(\"Use left and right arrows to move selection\")\n });\n // @todo: is this needed? used to be \"ContentScrollbar\"\n // r(\"Scrollbar\", [\"content?\"]).setAll({\n // \tmarginRight: 0,\n // \tmarginLeft: 5,\n // \tlayer: 5\n // });\n /**\r\n * ========================================================================\r\n * charts/xy\r\n * ========================================================================\r\n *\r\n * This needs to be in DefaultTheme because it's the only theme that is\r\n * automatically applied to Root, and tooltips different ancestors\r\n * than actual charts using them.\r\n */\n {\n const rule = r(\"PointedRectangle\", [\"axis\", \"tooltip\", \"background\"]);\n rule.setAll({\n cornerRadius: 0\n });\n setColor(rule, \"fill\", ic, \"alternativeBackground\");\n }\n r(\"Label\", [\"axis\", \"tooltip\"]).setAll({\n role: undefined\n });\n r(\"Label\", [\"axis\", \"tooltip\", \"y\"]).setAll({\n textAlign: \"right\"\n });\n r(\"Label\", [\"axis\", \"tooltip\", \"y\", \"opposite\"]).setAll({\n textAlign: \"left\"\n });\n r(\"Label\", [\"axis\", \"tooltip\", \"x\"]).setAll({\n textAlign: \"center\"\n });\n r(\"Tooltip\", [\"categoryaxis\"]).setAll({\n labelText: \"{category}\"\n });\n /**\r\n * ------------------------------------------------------------------------\r\n * Shapes\r\n * ------------------------------------------------------------------------\r\n */\n // Class: Graphics\n r(\"Star\").setAll({\n spikes: 5,\n innerRadius: 5,\n radius: 10\n });\n // STOCK\n r(\"Tooltip\", [\"stock\"]).setAll({\n paddingTop: 6,\n paddingBottom: 5,\n paddingLeft: 7,\n paddingRight: 7\n });\n r(\"PointedRectangle\", [\"tooltip\", \"stock\", \"axis\"]).setAll({\n pointerLength: 0,\n pointerBaseWidth: 0,\n cornerRadius: 3\n });\n r(\"Label\", [\"tooltip\", \"stock\"]).setAll({\n fontSize: \"0.8em\"\n });\n // resizer\n r(\"SpriteResizer\").setAll({\n rotationStep: 10,\n isMeasured: false\n });\n {\n const rule = r(\"Container\", [\"resizer\", \"grip\"]);\n rule.states.create(\"hover\", {});\n }\n {\n const rule = r(\"RoundedRectangle\", [\"resizer\", \"grip\"]);\n rule.setAll({\n strokeOpacity: 0.7,\n strokeWidth: 1,\n fillOpacity: 1,\n width: 12,\n height: 12\n });\n setColor(rule, \"fill\", ic, \"background\");\n setColor(rule, \"stroke\", ic, \"alternativeBackground\");\n }\n {\n const rule = r(\"RoundedRectangle\", [\"resizer\", \"grip\", \"outline\"]);\n rule.setAll({\n strokeOpacity: 0,\n fillOpacity: 0,\n width: 20,\n height: 20\n });\n rule.states.create(\"hover\", {\n fillOpacity: 0.3\n });\n setColor(rule, \"fill\", ic, \"alternativeBackground\");\n }\n r(\"RoundedRectangle\", [\"resizer\", \"grip\", \"left\"]).setAll({\n cornerRadiusBL: 0,\n cornerRadiusBR: 0,\n cornerRadiusTL: 0,\n cornerRadiusTR: 0\n });\n r(\"RoundedRectangle\", [\"resizer\", \"grip\", \"right\"]).setAll({\n cornerRadiusBL: 0,\n cornerRadiusBR: 0,\n cornerRadiusTL: 0,\n cornerRadiusTR: 0\n });\n {\n const rule = r(\"Rectangle\", [\"resizer\", \"rectangle\"]);\n rule.setAll({\n strokeDasharray: [2, 2],\n strokeOpacity: 0.5,\n strokeWidth: 1\n });\n setColor(rule, \"stroke\", ic, \"alternativeBackground\");\n }\n r(\"Graphics\", [\"button\", \"plus\", \"icon\"]).setAll({\n x: p50,\n y: p50,\n draw: display => {\n display.moveTo(-4, 0);\n display.lineTo(4, 0);\n display.moveTo(0, -4);\n display.lineTo(0, 4);\n }\n });\n r(\"Graphics\", [\"button\", \"minus\", \"icon\"]).setAll({\n x: p50,\n y: p50,\n draw: display => {\n display.moveTo(-4, 0);\n display.lineTo(4, 0);\n }\n });\n r(\"Graphics\", [\"button\", \"home\", \"icon\"]).setAll({\n x: p50,\n y: p50,\n svgPath: \"M 8 -1 L 6 -1 L 6 7 L 2 7 L 2 1 L -2 1 L -2 7 L -6 7 L -6 -1 L -8 -1 L 0 -9 L 8 -1 Z M 8 -1\"\n });\n r(\"Button\", [\"zoomtools\"]).setAll({\n marginTop: 1,\n marginBottom: 2\n });\n r(\"ZoomTools\").setAll({\n x: p100,\n centerX: p100,\n y: p100,\n centerY: p100,\n paddingRight: 10,\n paddingBottom: 10\n });\n }\n}\n","/**\r\n * Modified from Pixi:\r\n *\r\n * The MIT License\r\n *\r\n * Copyright (c) 2013-2017 Mathew Groves, Chad Engler\r\n *\r\n * Permission is hereby granted, free of charge, to any person obtaining a copy\r\n * of this software and associated documentation files (the \"Software\"), to deal\r\n * in the Software without restriction, including without limitation the rights\r\n * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\r\n * copies of the Software, and to permit persons to whom the Software is\r\n * furnished to do so, subject to the following conditions:\r\n *\r\n * The above copyright notice and this permission notice shall be included in\r\n * all copies or substantial portions of the Software.\r\n *\r\n * THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\r\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\r\n * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\r\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\r\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\r\n * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\r\n * THE SOFTWARE.\r\n */\n/**\r\n * @ignore\r\n */\nexport class Matrix {\n constructor(a = 1, b = 0, c = 0, d = 1, tx = 0, ty = 0) {\n Object.defineProperty(this, \"a\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"b\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"c\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"d\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"tx\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"ty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this.a = a;\n this.b = b;\n this.c = c;\n this.d = d;\n this.tx = tx;\n this.ty = ty;\n }\n /**\r\n * Sets the matrix based on all the available properties\r\n */\n setTransform(x, y, pivotX, pivotY, rotation, scale = 1) {\n this.a = Math.cos(rotation) * scale;\n this.b = Math.sin(rotation) * scale;\n this.c = -Math.sin(rotation) * scale;\n this.d = Math.cos(rotation) * scale;\n this.tx = x - (pivotX * this.a + pivotY * this.c);\n this.ty = y - (pivotX * this.b + pivotY * this.d);\n }\n /**\r\n * Get a new position with the current transformation applied.\r\n * Can be used to go from a child's coordinate space to the world coordinate space. (e.g. rendering)\r\n */\n apply(origin) {\n return {\n x: this.a * origin.x + this.c * origin.y + this.tx,\n y: this.b * origin.x + this.d * origin.y + this.ty\n };\n }\n /**\r\n * Get a new position with the inverse of the current transformation applied.\r\n * Can be used to go from the world coordinate space to a child's coordinate space. (e.g. input)\r\n */\n applyInverse(origin) {\n const id = 1 / (this.a * this.d + this.c * -this.b);\n return {\n x: this.d * id * origin.x + -this.c * id * origin.y + (this.ty * this.c - this.tx * this.d) * id,\n y: this.a * id * origin.y + -this.b * id * origin.x + (-this.ty * this.a + this.tx * this.b) * id\n };\n }\n /**\r\n * Appends the given Matrix to this Matrix.\r\n */\n append(matrix) {\n const a1 = this.a;\n const b1 = this.b;\n const c1 = this.c;\n const d1 = this.d;\n this.a = matrix.a * a1 + matrix.b * c1;\n this.b = matrix.a * b1 + matrix.b * d1;\n this.c = matrix.c * a1 + matrix.d * c1;\n this.d = matrix.c * b1 + matrix.d * d1;\n this.tx = matrix.tx * a1 + matrix.ty * c1 + this.tx;\n this.ty = matrix.tx * b1 + matrix.ty * d1 + this.ty;\n }\n /**\r\n * Prepends the given Matrix to this Matrix.\r\n */\n prepend(matrix) {\n const tx1 = this.tx;\n if (matrix.a !== 1 || matrix.b !== 0 || matrix.c !== 0 || matrix.d !== 1) {\n const a1 = this.a;\n const c1 = this.c;\n this.a = a1 * matrix.a + this.b * matrix.c;\n this.b = a1 * matrix.b + this.b * matrix.d;\n this.c = c1 * matrix.a + this.d * matrix.c;\n this.d = c1 * matrix.b + this.d * matrix.d;\n }\n this.tx = tx1 * matrix.a + this.ty * matrix.c + matrix.tx;\n this.ty = tx1 * matrix.b + this.ty * matrix.d + matrix.ty;\n }\n /**\r\n * Copies the other matrix's properties into this matrix\r\n */\n copyFrom(matrix) {\n this.a = matrix.a;\n this.b = matrix.b;\n this.c = matrix.c;\n this.d = matrix.d;\n this.tx = matrix.tx;\n this.ty = matrix.ty;\n }\n}\n","var _slicedToArray = function () {\n function sliceIterator(arr, i) {\n var _arr = [];\n var _n = true;\n var _d = false;\n var _e = undefined;\n try {\n for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"]) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n return _arr;\n }\n return function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n return sliceIterator(arr, i);\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n };\n}();\nvar TAU = Math.PI * 2;\nvar mapToEllipse = function mapToEllipse(_ref, rx, ry, cosphi, sinphi, centerx, centery) {\n var x = _ref.x,\n y = _ref.y;\n x *= rx;\n y *= ry;\n var xp = cosphi * x - sinphi * y;\n var yp = sinphi * x + cosphi * y;\n return {\n x: xp + centerx,\n y: yp + centery\n };\n};\nvar approxUnitArc = function approxUnitArc(ang1, ang2) {\n // If 90 degree circular arc, use a constant\n // as derived from http://spencermortensen.com/articles/bezier-circle\n var a = ang2 === 1.5707963267948966 ? 0.551915024494 : ang2 === -1.5707963267948966 ? -0.551915024494 : 4 / 3 * Math.tan(ang2 / 4);\n var x1 = Math.cos(ang1);\n var y1 = Math.sin(ang1);\n var x2 = Math.cos(ang1 + ang2);\n var y2 = Math.sin(ang1 + ang2);\n return [{\n x: x1 - y1 * a,\n y: y1 + x1 * a\n }, {\n x: x2 + y2 * a,\n y: y2 - x2 * a\n }, {\n x: x2,\n y: y2\n }];\n};\nvar vectorAngle = function vectorAngle(ux, uy, vx, vy) {\n var sign = ux * vy - uy * vx < 0 ? -1 : 1;\n var dot = ux * vx + uy * vy;\n if (dot > 1) {\n dot = 1;\n }\n if (dot < -1) {\n dot = -1;\n }\n return sign * Math.acos(dot);\n};\nvar getArcCenter = function getArcCenter(px, py, cx, cy, rx, ry, largeArcFlag, sweepFlag, sinphi, cosphi, pxp, pyp) {\n var rxsq = Math.pow(rx, 2);\n var rysq = Math.pow(ry, 2);\n var pxpsq = Math.pow(pxp, 2);\n var pypsq = Math.pow(pyp, 2);\n var radicant = rxsq * rysq - rxsq * pypsq - rysq * pxpsq;\n if (radicant < 0) {\n radicant = 0;\n }\n radicant /= rxsq * pypsq + rysq * pxpsq;\n radicant = Math.sqrt(radicant) * (largeArcFlag === sweepFlag ? -1 : 1);\n var centerxp = radicant * rx / ry * pyp;\n var centeryp = radicant * -ry / rx * pxp;\n var centerx = cosphi * centerxp - sinphi * centeryp + (px + cx) / 2;\n var centery = sinphi * centerxp + cosphi * centeryp + (py + cy) / 2;\n var vx1 = (pxp - centerxp) / rx;\n var vy1 = (pyp - centeryp) / ry;\n var vx2 = (-pxp - centerxp) / rx;\n var vy2 = (-pyp - centeryp) / ry;\n var ang1 = vectorAngle(1, 0, vx1, vy1);\n var ang2 = vectorAngle(vx1, vy1, vx2, vy2);\n if (sweepFlag === 0 && ang2 > 0) {\n ang2 -= TAU;\n }\n if (sweepFlag === 1 && ang2 < 0) {\n ang2 += TAU;\n }\n return [centerx, centery, ang1, ang2];\n};\nvar arcToBezier = function arcToBezier(_ref2) {\n var px = _ref2.px,\n py = _ref2.py,\n cx = _ref2.cx,\n cy = _ref2.cy,\n rx = _ref2.rx,\n ry = _ref2.ry,\n _ref2$xAxisRotation = _ref2.xAxisRotation,\n xAxisRotation = _ref2$xAxisRotation === undefined ? 0 : _ref2$xAxisRotation,\n _ref2$largeArcFlag = _ref2.largeArcFlag,\n largeArcFlag = _ref2$largeArcFlag === undefined ? 0 : _ref2$largeArcFlag,\n _ref2$sweepFlag = _ref2.sweepFlag,\n sweepFlag = _ref2$sweepFlag === undefined ? 0 : _ref2$sweepFlag;\n var curves = [];\n if (rx === 0 || ry === 0) {\n return [];\n }\n var sinphi = Math.sin(xAxisRotation * TAU / 360);\n var cosphi = Math.cos(xAxisRotation * TAU / 360);\n var pxp = cosphi * (px - cx) / 2 + sinphi * (py - cy) / 2;\n var pyp = -sinphi * (px - cx) / 2 + cosphi * (py - cy) / 2;\n if (pxp === 0 && pyp === 0) {\n return [];\n }\n rx = Math.abs(rx);\n ry = Math.abs(ry);\n var lambda = Math.pow(pxp, 2) / Math.pow(rx, 2) + Math.pow(pyp, 2) / Math.pow(ry, 2);\n if (lambda > 1) {\n rx *= Math.sqrt(lambda);\n ry *= Math.sqrt(lambda);\n }\n var _getArcCenter = getArcCenter(px, py, cx, cy, rx, ry, largeArcFlag, sweepFlag, sinphi, cosphi, pxp, pyp),\n _getArcCenter2 = _slicedToArray(_getArcCenter, 4),\n centerx = _getArcCenter2[0],\n centery = _getArcCenter2[1],\n ang1 = _getArcCenter2[2],\n ang2 = _getArcCenter2[3];\n\n // If 'ang2' == 90.0000000001, then `ratio` will evaluate to\n // 1.0000000001. This causes `segments` to be greater than one, which is an\n // unecessary split, and adds extra points to the bezier curve. To alleviate\n // this issue, we round to 1.0 when the ratio is close to 1.0.\n\n var ratio = Math.abs(ang2) / (TAU / 4);\n if (Math.abs(1.0 - ratio) < 0.0000001) {\n ratio = 1.0;\n }\n var segments = Math.max(Math.ceil(ratio), 1);\n ang2 /= segments;\n for (var i = 0; i < segments; i++) {\n curves.push(approxUnitArc(ang1, ang2));\n ang1 += ang2;\n }\n return curves.map(function (curve) {\n var _mapToEllipse = mapToEllipse(curve[0], rx, ry, cosphi, sinphi, centerx, centery),\n x1 = _mapToEllipse.x,\n y1 = _mapToEllipse.y;\n var _mapToEllipse2 = mapToEllipse(curve[1], rx, ry, cosphi, sinphi, centerx, centery),\n x2 = _mapToEllipse2.x,\n y2 = _mapToEllipse2.y;\n var _mapToEllipse3 = mapToEllipse(curve[2], rx, ry, cosphi, sinphi, centerx, centery),\n x = _mapToEllipse3.x,\n y = _mapToEllipse3.y;\n return {\n x1: x1,\n y1: y1,\n x2: x2,\n y2: y2,\n x: x,\n y: y\n };\n });\n};\nexport default arcToBezier;","/** @ignore */ /** */\nimport { BlendMode } from \"./Renderer\";\nimport { Color } from \"../../util/Color\";\nimport { Matrix } from \"../../util/Matrix\";\nimport { Percent, percent } from \"../../util/Percent\";\n//import { Throttler } from \"../../util/Throttler\";\nimport { ArrayDisposer, Disposer, DisposerClass, CounterDisposer, MultiDisposer } from \"../../util/Disposer\";\nimport { TextFormatter } from \"../../util/TextFormatter\";\nimport * as $utils from \"../../util/Utils\";\nimport * as $array from \"../../util/Array\";\nimport * as $object from \"../../util/Object\";\nimport * as $type from \"../../util/Type\";\nimport * as $math from \"../../util/Math\";\nimport arcToBezier from 'svg-arc-to-cubic-bezier';\n/**\r\n * @ignore\r\n */\nfunction checkArgs(name, actual, expected) {\n if (actual !== expected) {\n throw new Error(\"Required \" + expected + \" arguments for \" + name + \" but got \" + actual);\n }\n}\n/**\r\n * @ignore\r\n */\nfunction checkMinArgs(name, actual, expected) {\n if (actual < expected) {\n throw new Error(\"Required at least \" + expected + \" arguments for \" + name + \" but got \" + actual);\n }\n}\n/**\r\n * @ignore\r\n */\nfunction checkEvenArgs(name, actual, expected) {\n checkMinArgs(name, actual, expected);\n if (actual % expected !== 0) {\n throw new Error(\"Arguments for \" + name + \" must be in pairs of \" + expected);\n }\n}\n/**\r\n * @ignore\r\n * This splits the flag so that way 0017 will be processed as 0 0 17\r\n *\r\n * This is important for weird paths like `M17 5A1 1 0 0017 30 1 1 0 0017 5`\r\n */\nfunction splitArcFlags(args) {\n for (let i = 0; i < args.length; i += 7) {\n let index = i + 3;\n let flag = args[index];\n if (flag.length > 1) {\n const a = /^([01])([01])(.*)$/.exec(flag);\n if (a !== null) {\n args.splice(index, 0, a[1]);\n ++index;\n args.splice(index, 0, a[2]);\n ++index;\n if (a[3].length > 0) {\n args[index] = a[3];\n } else {\n args.splice(index, 1);\n }\n }\n }\n ++index;\n flag = args[index];\n if (flag.length > 1) {\n const a = /^([01])(.+)$/.exec(flag);\n if (a !== null) {\n args.splice(index, 0, a[1]);\n ++index;\n args[index] = a[2];\n }\n }\n }\n}\n/**\r\n * @ignore\r\n */\nfunction assertBinary(value) {\n if (value === 0 || value === 1) {\n return value;\n } else {\n throw new Error(\"Flag must be 0 or 1\");\n }\n}\n// 1 -> 0xffffff * (2 / 2)\n// 2 -> 0xffffff * (1 / 2)\n//\n// 3 -> 0xffffff * (3 / 4)\n// 4 -> 0xffffff * (1 / 4)\n//\n// 5 -> 0xffffff * (7 / 8)\n// 6 -> 0xffffff * (5 / 8)\n// 7 -> 0xffffff * (3 / 8)\n// 8 -> 0xffffff * (1 / 8)\n//\n// 9 -> 0xffffff * (15 / 16)\n// 10 -> 0xffffff * (13 / 16)\n// 11 -> 0xffffff * (11 / 16)\n// 12 -> 0xffffff * (9 / 16)\n// 13 -> 0xffffff * (7 / 16)\n// 14 -> 0xffffff * (5 / 16)\n// 15 -> 0xffffff * (3 / 16)\n// 16 -> 0xffffff * (1 / 16)\n// @todo remove this old color distribution algo if the new one pans out\n/*function distributeId(id: number): number {\r\n if (id === 1) {\r\n return 0x000001;\r\n\r\n } else {\r\n // Finds the closest power of 2\r\n const base = Math.pow(2, Math.ceil(Math.log(id) / Math.log(2)));\r\n\r\n // Translates the id into an odd fraction index\r\n const index = ((base - id) * 2) + 1;\r\n\r\n // TODO is Math.round correct ?\r\n return Math.round(0xffffff * (index / base));\r\n }\r\n}*/\n/**\r\n * Function by smeans:\r\n * https://lowcode.life/generating-unique-contrasting-colors-in-javascript/\r\n * @ignore\r\n */\nfunction distributeId(id) {\n const rgb = [0, 0, 0];\n for (let i = 0; i < 24; i++) {\n rgb[i % 3] <<= 1;\n rgb[i % 3] |= id & 0x01;\n id >>= 1;\n }\n return (rgb[0] | 0) + (rgb[1] << 8) + (rgb[2] << 16);\n}\n/**\r\n * @ignore\r\n */\nfunction eachTargets(hitTarget, f) {\n for (;;) {\n if (hitTarget.interactive) {\n if (!f(hitTarget)) {\n break;\n }\n }\n if (hitTarget._parent) {\n hitTarget = hitTarget._parent;\n } else {\n break;\n }\n }\n}\n// TODO feature detection for mouse/touch/pointer\n/**\r\n * @ignore\r\n */\nfunction onPointerEvent(element, name, f) {\n return $utils.addEventListener(element, $utils.getRendererEvent(name), event => {\n const target = $utils.getEventTarget(event);\n let touches = event.touches;\n if (touches) {\n if (touches.length == 0) {\n touches = event.changedTouches;\n }\n f($array.copy(touches), target);\n } else {\n f([event], target);\n }\n });\n}\n/**\r\n * @ignore\r\n */\nfunction isTainted(image) {\n const canvas = document.createElement(\"canvas\");\n canvas.width = 1;\n canvas.height = 1;\n const context = canvas.getContext(\"2d\", {\n willReadFrequently: true\n });\n context.drawImage(image, 0, 0, 1, 1);\n try {\n context.getImageData(0, 0, 1, 1);\n return false;\n } catch (err) {\n console.warn(\"Image \\\"\" + image.src + \"\\\" is loaded from different host and is not covered by CORS policy. For more information about the implications read here: https://www.amcharts.com/docs/v5/concepts/cors\");\n return true;\n }\n}\n/**\r\n * This is needed to workaround a bug in iOS which causes it to not GC canvas elements.\r\n *\r\n * @ignore\r\n */\nfunction clearCanvas(view) {\n view.width = 0;\n view.height = 0;\n view.style.width = \"0px\";\n view.style.height = \"0px\";\n}\n/**\r\n * Aligns the coordinate to the pixel, so it renders crisp\r\n *\r\n * @ignore\r\n */\nfunction crisp(x) {\n return Math.floor(x) + .5;\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasPivot {\n constructor() {\n Object.defineProperty(this, \"_x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n }\n get x() {\n return this._x;\n }\n get y() {\n return this._y;\n }\n set x(value) {\n this._x = value;\n }\n set y(value) {\n this._y = value;\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasDisplayObject extends DisposerClass {\n constructor(renderer) {\n super();\n Object.defineProperty(this, \"_layer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"mask\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: null\n });\n Object.defineProperty(this, \"visible\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"exportable\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"interactive\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"inactive\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: null\n });\n Object.defineProperty(this, \"wheelable\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"cancelTouch\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"isMeasured\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"buttonMode\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"alpha\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n Object.defineProperty(this, \"compoundAlpha\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n Object.defineProperty(this, \"angle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"scale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"crisp\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"pivot\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new CanvasPivot()\n });\n Object.defineProperty(this, \"filter\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"cursorOverStyle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_replacedCursorStyle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_localMatrix\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Matrix()\n });\n Object.defineProperty(this, \"_matrix\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Matrix()\n });\n // TODO can this be replaced with _localMatrix ?\n Object.defineProperty(this, \"_uMatrix\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Matrix()\n });\n Object.defineProperty(this, \"_renderer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_parent\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_localBounds\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_bounds\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_colorId\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this._renderer = renderer;\n }\n subStatus(status) {\n return {\n inactive: this.inactive == null ? status.inactive : this.inactive,\n layer: this._layer || status.layer\n };\n }\n _dispose() {\n this._renderer._removeObject(this);\n this.getLayer().dirty = true;\n }\n getCanvas() {\n return this.getLayer().view;\n }\n getLayer() {\n let self = this;\n for (;;) {\n if (self._layer) {\n return self._layer;\n } else if (self._parent) {\n self = self._parent;\n } else {\n return this._renderer.defaultLayer;\n }\n }\n }\n setLayer(order, margin) {\n if (order == null) {\n this._layer = undefined;\n } else {\n const visible = true;\n this._layer = this._renderer.getLayer(order, visible);\n this._layer.visible = visible;\n this._layer.margin = margin;\n if (margin) {\n $utils.setInteractive(this._layer.view, false);\n }\n this._renderer._ghostLayer.setMargin(this._renderer.layers);\n if (this._parent) {\n this._parent.registerChildLayer(this._layer);\n }\n this._layer.dirty = true;\n this._renderer.resizeLayer(this._layer);\n this._renderer.resizeGhost();\n }\n }\n markDirtyLayer() {\n this.getLayer().dirty = true;\n }\n clear() {\n this.invalidateBounds();\n }\n invalidateBounds() {\n this._localBounds = undefined;\n }\n _addBounds(_bounds) {}\n _getColorId() {\n if (this._colorId === undefined) {\n this._colorId = this._renderer.paintId(this);\n }\n return this._colorId;\n }\n _isInteractive(status) {\n return !status.inactive && (this.interactive || this._renderer._forceInteractive > 0);\n }\n _isInteractiveMask(status) {\n return this._isInteractive(status);\n }\n contains(child) {\n for (;;) {\n if (child === this) {\n return true;\n } else if (child._parent) {\n child = child._parent;\n } else {\n return false;\n }\n }\n }\n toGlobal(point) {\n return this._matrix.apply(point);\n }\n toLocal(point) {\n return this._matrix.applyInverse(point);\n }\n getLocalMatrix() {\n this._uMatrix.setTransform(0, 0, this.pivot.x, this.pivot.y, this.angle * Math.PI / 180, this.scale);\n return this._uMatrix;\n }\n getLocalBounds() {\n if (!this._localBounds) {\n const bn = 10000000;\n this._localBounds = {\n left: bn,\n top: bn,\n right: -bn,\n bottom: -bn\n };\n this._addBounds(this._localBounds);\n }\n return this._localBounds;\n }\n getAdjustedBounds(bounds) {\n this._setMatrix();\n const matrix = this.getLocalMatrix();\n const p0 = matrix.apply({\n x: bounds.left,\n y: bounds.top\n });\n const p1 = matrix.apply({\n x: bounds.right,\n y: bounds.top\n });\n const p2 = matrix.apply({\n x: bounds.right,\n y: bounds.bottom\n });\n const p3 = matrix.apply({\n x: bounds.left,\n y: bounds.bottom\n });\n return {\n left: Math.min(p0.x, p1.x, p2.x, p3.x),\n top: Math.min(p0.y, p1.y, p2.y, p3.y),\n right: Math.max(p0.x, p1.x, p2.x, p3.x),\n bottom: Math.max(p0.y, p1.y, p2.y, p3.y)\n };\n }\n on(key, callback, context) {\n if (this.interactive) {\n return this._renderer._addEvent(this, key, callback, context);\n } else {\n return new Disposer(() => {});\n }\n }\n _setMatrix() {\n // TODO only calculate this if it has actually changed\n this._localMatrix.setTransform(this.x, this.y, this.pivot.x, this.pivot.y,\n // Converts degrees to radians\n this.angle * Math.PI / 180, this.scale);\n this._matrix.copyFrom(this._localMatrix);\n if (this._parent) {\n // TODO only calculate this if it has actually changed\n this._matrix.prepend(this._parent._matrix);\n }\n }\n _transform(context, resolution) {\n const m = this._matrix;\n let tx = m.tx * resolution;\n let ty = m.ty * resolution;\n if (this.crisp) {\n tx = crisp(tx);\n ty = crisp(ty);\n }\n context.setTransform(m.a * resolution, m.b * resolution, m.c * resolution, m.d * resolution, tx, ty);\n }\n _transformMargin(context, resolution, margin) {\n const m = this._matrix;\n context.setTransform(m.a * resolution, m.b * resolution, m.c * resolution, m.d * resolution, (m.tx + margin.left) * resolution, (m.ty + margin.top) * resolution);\n }\n _transformLayer(context, resolution, layer) {\n if (layer.margin) {\n this._transformMargin(context, layer.scale || resolution, layer.margin);\n } else {\n this._transform(context, layer.scale || resolution);\n }\n }\n render(status) {\n if (this.visible && (this.exportable !== false || !this._renderer._omitTainted)) {\n this._setMatrix();\n const subStatus = this.subStatus(status);\n const resolution = this._renderer.resolution;\n const layers = this._renderer.layers;\n const ghostLayer = this._renderer._ghostLayer;\n const ghostContext = ghostLayer.context;\n const mask = this.mask;\n if (mask) {\n mask._setMatrix();\n }\n // TODO improve this\n $array.each(layers, layer => {\n if (layer) {\n const context = layer.context;\n context.save();\n // We must apply the mask before we transform the element\n if (mask) {\n mask._transformLayer(context, resolution, layer);\n mask._runPath(context);\n context.clip();\n }\n context.globalAlpha = this.compoundAlpha * this.alpha;\n this._transformLayer(context, resolution, layer);\n if (this.filter) {\n context.filter = this.filter;\n }\n }\n });\n ghostContext.save();\n // We must apply the mask before we transform the element\n if (mask && this._isInteractiveMask(subStatus)) {\n mask._transformMargin(ghostContext, resolution, ghostLayer.margin);\n mask._runPath(ghostContext);\n ghostContext.clip();\n }\n this._transformMargin(ghostContext, resolution, ghostLayer.margin);\n this._render(subStatus);\n ghostContext.restore();\n $array.each(layers, layer => {\n if (layer) {\n layer.context.restore();\n }\n });\n }\n }\n _render(status) {\n if (this.exportable === false) {\n status.layer.tainted = true;\n }\n }\n hovering() {\n return this._renderer._hovering.has(this);\n }\n dragging() {\n return this._renderer._dragging.some(x => x.value === this);\n }\n shouldCancelTouch() {\n const renderer = this._renderer;\n if (renderer.tapToActivate && !renderer._touchActive) {\n return false;\n }\n if (this.cancelTouch) {\n return true;\n } else if (this._parent) {\n return this._parent.shouldCancelTouch();\n }\n return false;\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasContainer extends CanvasDisplayObject {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"interactiveChildren\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"_childLayers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_children\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n }\n _isInteractiveMask(status) {\n return this.interactiveChildren || super._isInteractiveMask(status);\n }\n addChild(child) {\n child._parent = this;\n this._children.push(child);\n if (child._layer) {\n this.registerChildLayer(child._layer);\n }\n }\n addChildAt(child, index) {\n child._parent = this;\n this._children.splice(index, 0, child);\n if (child._layer) {\n this.registerChildLayer(child._layer);\n }\n }\n removeChild(child) {\n child._parent = undefined;\n $array.removeFirst(this._children, child);\n }\n _render(status) {\n super._render(status);\n const renderer = this._renderer;\n if (this.interactive && this.interactiveChildren) {\n ++renderer._forceInteractive;\n }\n $array.each(this._children, child => {\n child.compoundAlpha = this.compoundAlpha * this.alpha;\n child.render(status);\n });\n if (this.interactive && this.interactiveChildren) {\n --renderer._forceInteractive;\n }\n }\n registerChildLayer(layer) {\n if (!this._childLayers) {\n this._childLayers = [];\n }\n $array.pushOne(this._childLayers, layer);\n if (this._parent) {\n this._parent.registerChildLayer(layer);\n }\n }\n markDirtyLayer(deep = false) {\n super.markDirtyLayer();\n if (deep && this._childLayers) {\n $array.each(this._childLayers, layer => layer.dirty = true);\n }\n }\n _dispose() {\n super._dispose();\n if (this._childLayers) {\n $array.each(this._childLayers, layer => {\n layer.dirty = true;\n });\n }\n }\n}\n/**\r\n * @ignore\r\n */\nfunction setPoint(bounds, point) {\n bounds.left = Math.min(bounds.left, point.x);\n bounds.top = Math.min(bounds.top, point.y);\n bounds.right = Math.max(bounds.right, point.x);\n bounds.bottom = Math.max(bounds.bottom, point.y);\n}\n/**\r\n * @ignore\r\n */\nclass Op {\n colorize(_context, _forceColor) {}\n colorizeGhost(context, forceColor) {\n this.colorize(context, forceColor);\n }\n path(_context) {}\n pathGhost(context) {\n this.path(context);\n }\n addBounds(_bounds) {}\n}\n/**\r\n * @ignore\r\n */\nclass BeginPath extends Op {\n colorize(context, _forceColor) {\n context.beginPath();\n }\n}\n/**\r\n * @ignore\r\n */\nclass BeginFill extends Op {\n constructor(color) {\n super();\n Object.defineProperty(this, \"color\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: color\n });\n }\n colorize(context, forceColor) {\n if (forceColor !== undefined) {\n context.fillStyle = forceColor;\n } else {\n context.fillStyle = this.color;\n }\n }\n}\n/**\r\n * @ignore\r\n */\nclass EndFill extends Op {\n constructor(clearShadow) {\n super();\n Object.defineProperty(this, \"clearShadow\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: clearShadow\n });\n }\n colorize(context, _forceColor) {\n context.fill();\n if (this.clearShadow) {\n context.shadowColor = \"\";\n context.shadowBlur = 0;\n context.shadowOffsetX = 0;\n context.shadowOffsetY = 0;\n }\n }\n}\n/**\r\n * @ignore\r\n */\nclass EndStroke extends Op {\n colorize(context, _forceColor) {\n context.stroke();\n }\n}\n/**\r\n * @ignore\r\n */\nclass LineStyle extends Op {\n constructor(width, color, lineJoin, lineCap) {\n super();\n Object.defineProperty(this, \"width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: width\n });\n Object.defineProperty(this, \"color\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: color\n });\n Object.defineProperty(this, \"lineJoin\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: lineJoin\n });\n Object.defineProperty(this, \"lineCap\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: lineCap\n });\n }\n colorize(context, forceColor) {\n if (forceColor !== undefined) {\n context.strokeStyle = forceColor;\n } else {\n context.strokeStyle = this.color;\n }\n context.lineWidth = this.width;\n if (this.lineJoin) {\n context.lineJoin = this.lineJoin;\n }\n if (this.lineCap) {\n context.lineCap = this.lineCap;\n }\n }\n}\n/**\r\n * @ignore\r\n */\nclass LineDash extends Op {\n constructor(dash) {\n super();\n Object.defineProperty(this, \"dash\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: dash\n });\n }\n colorize(context, _forceColor) {\n context.setLineDash(this.dash);\n }\n}\n/**\r\n * @ignore\r\n */\nclass LineDashOffset extends Op {\n constructor(dashOffset) {\n super();\n Object.defineProperty(this, \"dashOffset\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: dashOffset\n });\n }\n colorize(context, _forceColor) {\n context.lineDashOffset = this.dashOffset;\n }\n}\n/**\r\n * @ignore\r\n */\nclass DrawRect extends Op {\n constructor(x, y, width, height) {\n super();\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n Object.defineProperty(this, \"width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: width\n });\n Object.defineProperty(this, \"height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: height\n });\n }\n path(context) {\n context.rect(this.x, this.y, this.width, this.height);\n }\n addBounds(bounds) {\n const l = this.x;\n const t = this.y;\n const r = l + this.width;\n const b = t + this.height;\n setPoint(bounds, {\n x: l,\n y: t\n });\n setPoint(bounds, {\n x: r,\n y: t\n });\n setPoint(bounds, {\n x: l,\n y: b\n });\n setPoint(bounds, {\n x: r,\n y: b\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass DrawCircle extends Op {\n constructor(x, y, radius) {\n super();\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n Object.defineProperty(this, \"radius\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: radius\n });\n }\n path(context) {\n context.moveTo(this.x + this.radius, this.y);\n context.arc(this.x, this.y, this.radius, 0, 2 * Math.PI);\n }\n // TODO handle skewing and rotation\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.x - this.radius,\n y: this.y - this.radius\n });\n setPoint(bounds, {\n x: this.x + this.radius,\n y: this.y + this.radius\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass DrawEllipse extends Op {\n constructor(x, y, radiusX, radiusY) {\n super();\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n Object.defineProperty(this, \"radiusX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: radiusX\n });\n Object.defineProperty(this, \"radiusY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: radiusY\n });\n }\n path(context) {\n context.ellipse(0, 0, this.radiusX, this.radiusY, 0, 0, Math.PI * 2);\n }\n // TODO handle skewing and rotation\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.x - this.radiusX,\n y: this.y - this.radiusY\n });\n setPoint(bounds, {\n x: this.x + this.radiusX,\n y: this.y + this.radiusY\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass Arc extends Op {\n constructor(cx, cy, radius, startAngle, endAngle, anticlockwise) {\n super();\n Object.defineProperty(this, \"cx\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cx\n });\n Object.defineProperty(this, \"cy\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cy\n });\n Object.defineProperty(this, \"radius\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: radius\n });\n Object.defineProperty(this, \"startAngle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: startAngle\n });\n Object.defineProperty(this, \"endAngle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: endAngle\n });\n Object.defineProperty(this, \"anticlockwise\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: anticlockwise\n });\n }\n path(context) {\n if (this.radius > 0) {\n context.arc(this.cx, this.cy, this.radius, this.startAngle, this.endAngle, this.anticlockwise);\n }\n }\n addBounds(bounds) {\n let arcBounds = $math.getArcBounds(this.cx, this.cy, this.startAngle * $math.DEGREES, this.endAngle * $math.DEGREES, this.radius);\n setPoint(bounds, {\n x: arcBounds.left,\n y: arcBounds.top\n });\n setPoint(bounds, {\n x: arcBounds.right,\n y: arcBounds.bottom\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass ArcTo extends Op {\n constructor(x1, y1, x2, y2, radius) {\n super();\n Object.defineProperty(this, \"x1\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x1\n });\n Object.defineProperty(this, \"y1\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y1\n });\n Object.defineProperty(this, \"x2\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x2\n });\n Object.defineProperty(this, \"y2\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y2\n });\n Object.defineProperty(this, \"radius\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: radius\n });\n }\n path(context) {\n if (this.radius > 0) {\n context.arcTo(this.x1, this.y1, this.x2, this.y2, this.radius);\n }\n }\n // TODO: add points\n addBounds(_bounds) {\n /*\r\n // not finished\r\n https://math.stackexchange.com/questions/1781438/finding-the-center-of-a-circle-given-two-points-and-a-radius-algebraically\r\n if (prevPoint) {\r\n let x1 = prevPoint.x;\r\n let y1 = prevPoint.y;\r\n let x2 = this.x2;\r\n let y2 = this.y2;\r\n let r = this.radius;\r\n let xa = (x2 - x1) / 2;\r\n let ya = (y2 - y1) / 2;\r\n let x0 = x1 + xa;\r\n let y0 = y1 + ya;\r\n let a = Math.hypot(xa, ya);\r\n let b = Math.sqrt(r * r - a * a);\r\n let cx = x0 + b * ya / a;\r\n let cy = y0 - b * xa / a;\r\n console.log(cx, cy);\r\n }*/\n }\n}\n/**\r\n * @ignore\r\n */\nclass LineTo extends Op {\n constructor(x, y) {\n super();\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n }\n path(context) {\n context.lineTo(this.x, this.y);\n }\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.x,\n y: this.y\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass MoveTo extends Op {\n constructor(x, y) {\n super();\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n }\n path(context) {\n context.moveTo(this.x, this.y);\n }\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.x,\n y: this.y\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass ClosePath extends Op {\n path(context) {\n context.closePath();\n }\n}\n/**\r\n * @ignore\r\n */\nclass BezierCurveTo extends Op {\n constructor(cpX, cpY, cpX2, cpY2, toX, toY) {\n super();\n Object.defineProperty(this, \"cpX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpX\n });\n Object.defineProperty(this, \"cpY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpY\n });\n Object.defineProperty(this, \"cpX2\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpX2\n });\n Object.defineProperty(this, \"cpY2\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpY2\n });\n Object.defineProperty(this, \"toX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: toX\n });\n Object.defineProperty(this, \"toY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: toY\n });\n }\n path(context) {\n context.bezierCurveTo(this.cpX, this.cpY, this.cpX2, this.cpY2, this.toX, this.toY);\n }\n // TODO: OK?\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.cpX,\n y: this.cpY\n });\n setPoint(bounds, {\n x: this.cpX2,\n y: this.cpY2\n });\n setPoint(bounds, {\n x: this.toX,\n y: this.toY\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass QuadraticCurveTo extends Op {\n constructor(cpX, cpY, toX, toY) {\n super();\n Object.defineProperty(this, \"cpX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpX\n });\n Object.defineProperty(this, \"cpY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: cpY\n });\n Object.defineProperty(this, \"toX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: toX\n });\n Object.defineProperty(this, \"toY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: toY\n });\n }\n path(context) {\n context.quadraticCurveTo(this.cpX, this.cpY, this.toX, this.toY);\n }\n // TODO: OK?\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.cpX,\n y: this.cpY\n });\n setPoint(bounds, {\n x: this.toX,\n y: this.toY\n });\n }\n}\n/**\r\n * @ignore\r\n */\nclass Shadow extends Op {\n constructor(color, blur, offsetX, offsetY, opacity) {\n super();\n Object.defineProperty(this, \"color\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: color\n });\n Object.defineProperty(this, \"blur\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: blur\n });\n Object.defineProperty(this, \"offsetX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: offsetX\n });\n Object.defineProperty(this, \"offsetY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: offsetY\n });\n Object.defineProperty(this, \"opacity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: opacity\n });\n }\n colorize(context, _forceColor) {\n if (this.opacity) {\n context.fillStyle = this.color;\n }\n context.shadowColor = this.color;\n context.shadowBlur = this.blur;\n context.shadowOffsetX = this.offsetX;\n context.shadowOffsetY = this.offsetY;\n }\n colorizeGhost(_context, _forceColor) {}\n}\n/**\r\n * @ignore\r\n */\nclass GraphicsImage extends Op {\n constructor(image, width, height, x, y) {\n super();\n Object.defineProperty(this, \"image\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: image\n });\n Object.defineProperty(this, \"width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: width\n });\n Object.defineProperty(this, \"height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: height\n });\n Object.defineProperty(this, \"x\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: x\n });\n Object.defineProperty(this, \"y\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: y\n });\n }\n path(context) {\n context.drawImage(this.image, this.x, this.y, this.width, this.height);\n }\n // TODO: OK?\n addBounds(bounds) {\n setPoint(bounds, {\n x: this.x,\n y: this.y\n });\n setPoint(bounds, {\n x: this.width,\n y: this.height\n });\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasGraphics extends CanvasDisplayObject {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_operations\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"blendMode\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: BlendMode.NORMAL\n });\n Object.defineProperty(this, \"_hasShadows\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_fillAlpha\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_strokeAlpha\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n clear() {\n super.clear();\n this._operations.length = 0;\n }\n _pushOp(op) {\n this._operations.push(op);\n }\n beginFill(color, alpha = 1) {\n this._fillAlpha = alpha;\n if (color) {\n if (color instanceof Color) {\n this._pushOp(new BeginFill(color.toCSS(alpha)));\n } else {\n this.isMeasured = true;\n this._pushOp(new BeginFill(color));\n }\n } else {\n this._pushOp(new BeginFill(\"rgba(0, 0, 0, \" + alpha + \")\"));\n }\n }\n endFill() {\n this._pushOp(new EndFill(this._hasShadows));\n }\n endStroke() {\n this._pushOp(new EndStroke());\n }\n beginPath() {\n this._pushOp(new BeginPath());\n }\n lineStyle(width = 0, color, alpha = 1, lineJoin, lineCap) {\n this._strokeAlpha = alpha;\n if (color) {\n if (color instanceof Color) {\n this._pushOp(new LineStyle(width, color.toCSS(alpha), lineJoin, lineCap));\n } else {\n this._pushOp(new LineStyle(width, color, lineJoin, lineCap));\n }\n } else {\n this._pushOp(new LineStyle(width, \"rgba(0, 0, 0, \" + alpha + \")\", lineJoin, lineCap));\n }\n }\n setLineDash(dash) {\n this._pushOp(new LineDash(dash ? dash : []));\n }\n setLineDashOffset(dashOffset = 0) {\n this._pushOp(new LineDashOffset(dashOffset));\n }\n drawRect(x, y, width, height) {\n this._pushOp(new DrawRect(x, y, width, height));\n }\n drawCircle(x, y, radius) {\n this._pushOp(new DrawCircle(x, y, radius));\n }\n drawEllipse(x, y, radiusX, radiusY) {\n this._pushOp(new DrawEllipse(x, y, radiusX, radiusY));\n }\n arc(cx, cy, radius, startAngle, endAngle, anticlockwise = false) {\n this._pushOp(new Arc(cx, cy, radius, startAngle, endAngle, anticlockwise));\n }\n arcTo(x1, y1, x2, y2, radius) {\n this._pushOp(new ArcTo(x1, y1, x2, y2, radius));\n }\n lineTo(x, y) {\n this._pushOp(new LineTo(x, y));\n }\n moveTo(x, y) {\n this._pushOp(new MoveTo(x, y));\n }\n bezierCurveTo(cpX, cpY, cpX2, cpY2, toX, toY) {\n this._pushOp(new BezierCurveTo(cpX, cpY, cpX2, cpY2, toX, toY));\n }\n quadraticCurveTo(cpX, cpY, toX, toY) {\n this._pushOp(new QuadraticCurveTo(cpX, cpY, toX, toY));\n }\n closePath() {\n this._pushOp(new ClosePath());\n }\n shadow(color, blur = 0, offsetX = 0, offsetY = 0, opacity) {\n this._hasShadows = true;\n this._pushOp(new Shadow(opacity ? color.toCSS(opacity) : color.toCSS(this._fillAlpha || this._strokeAlpha), blur, offsetX, offsetY));\n }\n image(image, width, height, x, y) {\n this._pushOp(new GraphicsImage(image, width, height, x, y));\n }\n // https://svgwg.org/svg2-draft/paths.html#DProperty\n // TODO better error checking\n svgPath(path) {\n let x = 0;\n let y = 0;\n let cpx = null;\n let cpy = null;\n let qcpx = null;\n let qcpy = null;\n const SEGMENTS_REGEXP = /([MmZzLlHhVvCcSsQqTtAa])([^MmZzLlHhVvCcSsQqTtAa]*)/g;\n const ARGS_REGEXP = /[\\u0009\\u0020\\u000A\\u000C\\u000D]*([\\+\\-]?[0-9]*\\.?[0-9]+(?:[eE][\\+\\-]?[0-9]+)?)[\\u0009\\u0020\\u000A\\u000C\\u000D]*,?/g;\n let match;\n while ((match = SEGMENTS_REGEXP.exec(path)) !== null) {\n const name = match[1];\n const rest = match[2];\n const args = [];\n while ((match = ARGS_REGEXP.exec(rest)) !== null) {\n args.push(match[1]);\n }\n // Reset control point\n if (name !== \"S\" && name !== \"s\" && name !== \"C\" && name !== \"c\") {\n cpx = null;\n cpy = null;\n }\n // Reset control point\n if (name !== \"Q\" && name !== \"q\" && name !== \"T\" && name !== \"t\") {\n qcpx = null;\n qcpy = null;\n }\n switch (name) {\n case \"M\":\n checkEvenArgs(name, args.length, 2);\n x = +args[0];\n y = +args[1];\n this.moveTo(x, y);\n for (let i = 2; i < args.length; i += 2) {\n x = +args[i];\n y = +args[i + 1];\n this.lineTo(x, y);\n }\n break;\n case \"m\":\n checkEvenArgs(name, args.length, 2);\n x += +args[0];\n y += +args[1];\n this.moveTo(x, y);\n for (let i = 2; i < args.length; i += 2) {\n x += +args[i];\n y += +args[i + 1];\n this.lineTo(x, y);\n }\n break;\n case \"L\":\n checkEvenArgs(name, args.length, 2);\n for (let i = 0; i < args.length; i += 2) {\n x = +args[i];\n y = +args[i + 1];\n this.lineTo(x, y);\n }\n break;\n case \"l\":\n checkEvenArgs(name, args.length, 2);\n for (let i = 0; i < args.length; i += 2) {\n x += +args[i];\n y += +args[i + 1];\n this.lineTo(x, y);\n }\n break;\n case \"H\":\n checkMinArgs(name, args.length, 1);\n for (let i = 0; i < args.length; ++i) {\n x = +args[i];\n this.lineTo(x, y);\n }\n break;\n case \"h\":\n checkMinArgs(name, args.length, 1);\n for (let i = 0; i < args.length; ++i) {\n x += +args[i];\n this.lineTo(x, y);\n }\n break;\n case \"V\":\n checkMinArgs(name, args.length, 1);\n for (let i = 0; i < args.length; ++i) {\n y = +args[i];\n this.lineTo(x, y);\n }\n break;\n case \"v\":\n checkMinArgs(name, args.length, 1);\n for (let i = 0; i < args.length; ++i) {\n y += +args[i];\n this.lineTo(x, y);\n }\n break;\n case \"C\":\n checkEvenArgs(name, args.length, 6);\n for (let i = 0; i < args.length; i += 6) {\n const x1 = +args[i];\n const y1 = +args[i + 1];\n cpx = +args[i + 2];\n cpy = +args[i + 3];\n x = +args[i + 4];\n y = +args[i + 5];\n this.bezierCurveTo(x1, y1, cpx, cpy, x, y);\n }\n break;\n case \"c\":\n checkEvenArgs(name, args.length, 6);\n for (let i = 0; i < args.length; i += 6) {\n const x1 = +args[i] + x;\n const y1 = +args[i + 1] + y;\n cpx = +args[i + 2] + x;\n cpy = +args[i + 3] + y;\n x += +args[i + 4];\n y += +args[i + 5];\n this.bezierCurveTo(x1, y1, cpx, cpy, x, y);\n }\n break;\n case \"S\":\n checkEvenArgs(name, args.length, 4);\n if (cpx === null || cpy === null) {\n cpx = x;\n cpy = y;\n }\n for (let i = 0; i < args.length; i += 4) {\n const x1 = 2 * x - cpx;\n const y1 = 2 * y - cpy;\n cpx = +args[i];\n cpy = +args[i + 1];\n x = +args[i + 2];\n y = +args[i + 3];\n this.bezierCurveTo(x1, y1, cpx, cpy, x, y);\n }\n break;\n case \"s\":\n checkEvenArgs(name, args.length, 4);\n if (cpx === null || cpy === null) {\n cpx = x;\n cpy = y;\n }\n for (let i = 0; i < args.length; i += 4) {\n const x1 = 2 * x - cpx;\n const y1 = 2 * y - cpy;\n cpx = +args[i] + x;\n cpy = +args[i + 1] + y;\n x += +args[i + 2];\n y += +args[i + 3];\n this.bezierCurveTo(x1, y1, cpx, cpy, x, y);\n }\n break;\n case \"Q\":\n checkEvenArgs(name, args.length, 4);\n for (let i = 0; i < args.length; i += 4) {\n qcpx = +args[i];\n qcpy = +args[i + 1];\n x = +args[i + 2];\n y = +args[i + 3];\n this.quadraticCurveTo(qcpx, qcpy, x, y);\n }\n break;\n case \"q\":\n checkEvenArgs(name, args.length, 4);\n for (let i = 0; i < args.length; i += 4) {\n qcpx = +args[i] + x;\n qcpy = +args[i + 1] + y;\n x += +args[i + 2];\n y += +args[i + 3];\n this.quadraticCurveTo(qcpx, qcpy, x, y);\n }\n break;\n case \"T\":\n checkEvenArgs(name, args.length, 2);\n if (qcpx === null || qcpy === null) {\n qcpx = x;\n qcpy = y;\n }\n for (let i = 0; i < args.length; i += 2) {\n qcpx = 2 * x - qcpx;\n qcpy = 2 * y - qcpy;\n x = +args[i];\n y = +args[i + 1];\n this.quadraticCurveTo(qcpx, qcpy, x, y);\n }\n break;\n case \"t\":\n checkEvenArgs(name, args.length, 2);\n if (qcpx === null || qcpy === null) {\n qcpx = x;\n qcpy = y;\n }\n for (let i = 0; i < args.length; i += 2) {\n qcpx = 2 * x - qcpx;\n qcpy = 2 * y - qcpy;\n x += +args[i];\n y += +args[i + 1];\n this.quadraticCurveTo(qcpx, qcpy, x, y);\n }\n break;\n case \"A\":\n case \"a\":\n const relative = name === \"a\";\n splitArcFlags(args);\n checkEvenArgs(name, args.length, 7);\n for (let i = 0; i < args.length; i += 7) {\n let cx = +args[i + 5];\n let cy = +args[i + 6];\n if (relative) {\n cx += x;\n cy += y;\n }\n const bs = arcToBezier({\n px: x,\n py: y,\n rx: +args[i],\n ry: +args[i + 1],\n xAxisRotation: +args[i + 2],\n largeArcFlag: assertBinary(+args[i + 3]),\n sweepFlag: assertBinary(+args[i + 4]),\n cx,\n cy\n });\n $array.each(bs, b => {\n this.bezierCurveTo(b.x1, b.y1, b.x2, b.y2, b.x, b.y);\n x = b.x;\n y = b.y;\n });\n }\n break;\n case \"Z\":\n case \"z\":\n checkArgs(name, args.length, 0);\n this.closePath();\n break;\n }\n }\n }\n _runPath(context) {\n context.beginPath();\n $array.each(this._operations, op => {\n op.path(context);\n });\n }\n _render(status) {\n super._render(status);\n const layerDirty = status.layer.dirty;\n const interactive = this._isInteractive(status);\n if (layerDirty || interactive) {\n const context = status.layer.context;\n const ghostContext = this._renderer._ghostLayer.context;\n if (layerDirty) {\n context.globalCompositeOperation = this.blendMode;\n context.beginPath();\n }\n let color;\n if (interactive) {\n ghostContext.beginPath();\n color = this._getColorId();\n }\n $array.each(this._operations, op => {\n if (layerDirty) {\n op.path(context);\n op.colorize(context, undefined);\n }\n if (interactive) {\n op.pathGhost(ghostContext);\n op.colorizeGhost(ghostContext, color);\n }\n });\n }\n }\n renderDetached(context) {\n if (this.visible) {\n this._setMatrix();\n context.save();\n // We must apply the mask before we transform the element\n const mask = this.mask;\n if (mask) {\n mask._setMatrix();\n mask._transform(context, 1);\n mask._runPath(context);\n context.clip();\n }\n // TODO handle compoundAlpha somehow ?\n context.globalAlpha = this.compoundAlpha * this.alpha;\n this._transform(context, 1);\n if (this.filter) {\n context.filter = this.filter;\n }\n context.globalCompositeOperation = this.blendMode;\n context.beginPath();\n $array.each(this._operations, op => {\n op.path(context);\n op.colorize(context, undefined);\n });\n context.restore();\n }\n }\n _addBounds(bounds) {\n if (this.visible && this.isMeasured) {\n $array.each(this._operations, op => {\n op.addBounds(bounds);\n });\n }\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasText extends CanvasDisplayObject {\n constructor(renderer, text, style) {\n super(renderer);\n Object.defineProperty(this, \"text\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"style\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"resolution\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n Object.defineProperty(this, \"textVisible\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"truncated\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_textInfo\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_originalScale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n this.text = text;\n this.style = style;\n }\n invalidateBounds() {\n super.invalidateBounds();\n this._textInfo = undefined;\n }\n _shared(context) {\n if (this.style.textAlign) {\n context.textAlign = this.style.textAlign;\n }\n if (this.style.direction) {\n context.direction = this.style.direction;\n }\n if (this.style.textBaseline) {\n context.textBaseline = this.style.textBaseline;\n }\n }\n _prerender(status, ignoreGhost = false, ignoreFontWeight = false) {\n super._render(status);\n const context = status.layer.context;\n const ghostContext = this._renderer._ghostLayer.context;\n // Font style\n const style = this.style;\n let fontStyle = this._getFontStyle(undefined, ignoreFontWeight);\n context.font = fontStyle;\n if (this._isInteractive(status) && !ignoreGhost) {\n ghostContext.font = fontStyle;\n }\n // Other parameters\n if (style.fill) {\n if (style.fill instanceof Color) {\n context.fillStyle = style.fill.toCSS(style.fillOpacity != undefined ? style.fillOpacity : 1);\n } else {\n context.fillStyle = style.fill;\n }\n }\n if (style.shadowColor) {\n status.layer.context.shadowColor = style.shadowColor.toCSS(style.shadowOpacity || 1);\n }\n if (style.shadowBlur) {\n status.layer.context.shadowBlur = style.shadowBlur;\n }\n if (style.shadowOffsetX) {\n status.layer.context.shadowOffsetX = style.shadowOffsetX;\n }\n if (style.shadowOffsetY) {\n status.layer.context.shadowOffsetY = style.shadowOffsetY;\n }\n this._shared(context);\n if (this._isInteractive(status) && !ignoreGhost) {\n ghostContext.fillStyle = this._getColorId();\n this._shared(ghostContext);\n }\n }\n _getFontStyle(style2, ignoreFontWeight = false) {\n // Process defaults\n const style = this.style;\n let fontStyle = [];\n if (style2 && style2.fontVariant) {\n fontStyle.push(style2.fontVariant);\n } else if (style.fontVariant) {\n fontStyle.push(style.fontVariant);\n }\n if (!ignoreFontWeight) {\n if (style2 && style2.fontWeight) {\n fontStyle.push(style2.fontWeight);\n } else if (style.fontWeight) {\n fontStyle.push(style.fontWeight);\n }\n }\n if (style2 && style2.fontStyle) {\n fontStyle.push(style2.fontStyle);\n } else if (style.fontStyle) {\n fontStyle.push(style.fontStyle);\n }\n if (style2 && style2.fontSize) {\n if ($type.isNumber(style2.fontSize)) {\n style2.fontSize = style2.fontSize + \"px\";\n }\n fontStyle.push(style2.fontSize);\n } else if (style.fontSize) {\n if ($type.isNumber(style.fontSize)) {\n style.fontSize = style.fontSize + \"px\";\n }\n fontStyle.push(style.fontSize);\n }\n if (style2 && style2.fontFamily) {\n fontStyle.push(style2.fontFamily);\n } else if (style.fontFamily) {\n fontStyle.push(style.fontFamily);\n } else if (fontStyle.length) {\n fontStyle.push(\"Arial\");\n }\n return fontStyle.join(\" \");\n }\n _render(status) {\n // We need measurements in order to properly position text for alignment\n if (!this._textInfo) {\n this._measure(status);\n }\n if (this.textVisible) {\n const interactive = this._isInteractive(status);\n const context = status.layer.context;\n const layerDirty = status.layer.dirty;\n const ghostContext = this._renderer._ghostLayer.context;\n context.save();\n ghostContext.save();\n this._prerender(status);\n // const lines = this.text.toString().replace(/\\r/g, \"\").split(/\\n/);\n // const x = this._localBounds && (this._localBounds.left < 0) ? Math.abs(this._localBounds.left) : 0;\n // Process text info produced by _measure()\n $array.each(this._textInfo, (line, _index) => {\n $array.each(line.textChunks, (chunk, _index) => {\n // Set style\n if (chunk.style) {\n context.save();\n ghostContext.save();\n context.font = chunk.style;\n if (this._isInteractive(status)) {\n ghostContext.font = chunk.style;\n }\n }\n if (chunk.fill) {\n context.save();\n context.fillStyle = chunk.fill.toCSS();\n // Color does not affect ghostContext so we not set it\n }\n // Draw text\n if (layerDirty) {\n context.fillText(chunk.text, chunk.offsetX, line.offsetY + chunk.offsetY);\n }\n // Draw underline\n if (chunk.textDecoration == \"underline\" || chunk.textDecoration == \"line-through\") {\n let thickness = 1;\n let offset = 1;\n let fontSize = chunk.height;\n const oversizedBehavior = this.style.oversizedBehavior || \"\";\n if ([\"truncate\", \"wrap\", \"wrap-no-break\"].indexOf(oversizedBehavior) > -1) {\n // Measure actual width of the text so the line fits\n const metrics = this._measureText(chunk.text, context);\n chunk.width = metrics.actualBoundingBoxLeft + metrics.actualBoundingBoxRight;\n }\n let offsetX = chunk.offsetX;\n switch (this.style.textAlign) {\n case \"right\":\n case \"end\":\n offsetX -= chunk.width;\n break;\n case \"center\":\n offsetX -= chunk.width / 2;\n break;\n }\n if (chunk.style) {\n const format = TextFormatter.getTextStyle(chunk.style);\n switch (format.fontWeight) {\n case \"bolder\":\n case \"bold\":\n case \"700\":\n case \"800\":\n case \"900\":\n thickness = 2;\n break;\n }\n }\n if (fontSize) {\n offset = fontSize / 20;\n }\n let y;\n if (chunk.textDecoration == \"line-through\") {\n y = thickness + line.offsetY + chunk.offsetY - chunk.height / 2;\n } else {\n y = thickness + offset * 1.5 + line.offsetY + chunk.offsetY;\n }\n context.save();\n context.beginPath();\n if (chunk.fill) {\n context.strokeStyle = chunk.fill.toCSS();\n } else if (this.style.fill && this.style.fill instanceof Color) {\n context.strokeStyle = this.style.fill.toCSS();\n }\n context.lineWidth = thickness * offset;\n context.moveTo(offsetX, y);\n context.lineTo(offsetX + chunk.width, y);\n context.stroke();\n context.restore();\n }\n if (interactive && this.interactive) {\n // Draw text in ghost canvas ONLY if it is set as interactive\n // explicitly. This way we avoid hit test anomalies caused by anti\n // aliasing of text.\n ghostContext.fillText(chunk.text, chunk.offsetX, line.offsetY + chunk.offsetY);\n }\n if (chunk.fill) {\n context.restore();\n // Color does not affect ghostContext so we not set it\n }\n // Reset style\n if (chunk.style) {\n context.restore();\n ghostContext.restore();\n }\n });\n });\n context.restore();\n ghostContext.restore();\n }\n }\n _addBounds(bounds) {\n if (this.visible && this.isMeasured) {\n //if (this._textVisible) {\n const x = this._measure({\n inactive: this.inactive,\n layer: this.getLayer()\n });\n setPoint(bounds, {\n x: x.left,\n y: x.top\n });\n setPoint(bounds, {\n x: x.right,\n y: x.bottom\n });\n //}\n }\n }\n _ignoreFontWeight() {\n return /apple/i.test(navigator.vendor);\n }\n _measure(status) {\n const context = status.layer.context;\n const ghostContext = this._renderer._ghostLayer.context;\n const rtl = this.style.direction == \"rtl\";\n // Reset text info\n this._textInfo = [];\n // Init\n const oversizedBehavior = this.style.oversizedBehavior;\n const maxWidth = this.style.maxWidth;\n const truncate = $type.isNumber(maxWidth) && oversizedBehavior == \"truncate\";\n const wrap = $type.isNumber(maxWidth) && (oversizedBehavior == \"wrap\" || oversizedBehavior == \"wrap-no-break\");\n // Pre-render\n context.save();\n ghostContext.save();\n this._prerender(status, true, this._ignoreFontWeight());\n // Get default font metrix\n const refText = \"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789 \";\n // Split up text into lines\n const lines = this.text.toString().replace(/\\r/g, \"\").split(/\\n/);\n let styleRestored = true;\n let minX = 0;\n let maxX = 0;\n // Iterate through the lines\n let offsetY = 0;\n let currentStyle;\n $array.each(lines, (line, _index) => {\n // Split up line into format/value chunks\n let chunks;\n if (line == \"\") {\n chunks = [{\n type: \"value\",\n text: \"\"\n }];\n } else {\n chunks = TextFormatter.chunk(line, false, this.style.ignoreFormatting);\n }\n while (chunks.length > 0) {\n // Init line object\n let lineInfo = {\n offsetY: offsetY,\n ascent: 0,\n width: 0,\n height: 0,\n left: 0,\n right: 0,\n textChunks: []\n };\n // Measure reference text\n const metrics = this._measureText(refText, context);\n const height = metrics.actualBoundingBoxAscent + metrics.actualBoundingBoxDescent;\n lineInfo.height = height;\n lineInfo.ascent = metrics.actualBoundingBoxAscent;\n let currentFormat;\n let currentDecoration = this.style.textDecoration;\n let currentFill;\n let currentChunkWidth;\n let skipFurtherText = false;\n let firstTextChunk = true;\n let leftoverChunks = [];\n let currentVerticalAlign;\n //let offsetX = 0;\n //let chunk;\n //while(chunk = chunks.shift()) {\n $array.eachContinue(chunks, (chunk, index) => {\n // Format chunk\n if (chunk.type == \"format\") {\n if (chunk.text == \"[/]\") {\n if (!styleRestored) {\n context.restore();\n ghostContext.restore();\n styleRestored = true;\n }\n currentFill = undefined;\n currentStyle = undefined;\n currentChunkWidth = undefined;\n currentDecoration = this.style.textDecoration;\n currentVerticalAlign = undefined;\n currentFormat = chunk.text;\n } else {\n if (!styleRestored) {\n context.restore();\n ghostContext.restore();\n }\n let format = TextFormatter.getTextStyle(chunk.text);\n const fontStyle = this._getFontStyle(format);\n context.save();\n ghostContext.save();\n context.font = fontStyle;\n currentStyle = fontStyle;\n currentFormat = chunk.text;\n if (format.textDecoration) {\n currentDecoration = format.textDecoration;\n }\n if (format.fill) {\n currentFill = format.fill;\n }\n if (format.width) {\n currentChunkWidth = $type.toNumber(format.width);\n }\n if (format.verticalAlign) {\n currentVerticalAlign = format.verticalAlign;\n }\n styleRestored = false;\n // Measure reference text after change of format\n const metrics = this._measureText(refText, context);\n const height = metrics.actualBoundingBoxAscent + metrics.actualBoundingBoxDescent;\n if (height > lineInfo.height) {\n lineInfo.height = height;\n }\n if (metrics.actualBoundingBoxAscent > lineInfo.ascent) {\n lineInfo.ascent = metrics.actualBoundingBoxAscent;\n }\n }\n }\n // Text chunk\n else if (chunk.type == \"value\" && !skipFurtherText) {\n // Measure\n const metrics = this._measureText(chunk.text, context);\n let chunkWidth = metrics.actualBoundingBoxLeft + metrics.actualBoundingBoxRight;\n // Check for fit\n if (truncate) {\n this.truncated = undefined;\n // Break words?\n let breakWords = firstTextChunk || this.style.breakWords || false;\n // Measure ellipsis and check if it fits\n const ellipsis = this.style.ellipsis || \"\";\n const ellipsisMetrics = this._measureText(ellipsis, context);\n const ellipsisWidth = ellipsisMetrics.actualBoundingBoxLeft + ellipsisMetrics.actualBoundingBoxRight;\n // Check fit\n if (lineInfo.width + chunkWidth > maxWidth) {\n const excessWidth = maxWidth - lineInfo.width - ellipsisWidth;\n chunk.text = this._truncateText(context, chunk.text, excessWidth, breakWords);\n chunk.text += ellipsis;\n skipFurtherText = true;\n this.truncated = true;\n }\n } else if (wrap) {\n // Check fit\n if (lineInfo.width + chunkWidth > maxWidth) {\n const excessWidth = maxWidth - lineInfo.width;\n const tmpText = this._truncateText(context, chunk.text, excessWidth, false, firstTextChunk && this.style.oversizedBehavior != \"wrap-no-break\");\n if (tmpText == \"\") {\n // Unable to fit a single letter - hide the whole label\n this.textVisible = true;\n return false;\n }\n //skipFurtherText = true;\n //Add remaining chunks for the next line\n leftoverChunks = chunks.slice(index + 1);\n //Add remaining text of current chunk if it was forced-cut\n if ($utils.trim(tmpText) != $utils.trim(chunk.text)) {\n leftoverChunks.unshift({\n type: \"value\",\n text: chunk.text.substr(tmpText.length)\n });\n if (currentFormat) {\n leftoverChunks.unshift({\n type: \"format\",\n text: currentFormat\n });\n }\n }\n // Set current chunk (truncated)\n chunk.text = $utils.trim(tmpText);\n chunks = [];\n skipFurtherText = true;\n }\n }\n // Chunk width?\n let leftBoundMod = 1;\n let rightBoundMod = 1;\n if (currentStyle && currentChunkWidth && currentChunkWidth > chunkWidth) {\n // increase horizontal bounding boxes accordingly\n const boundsMod = chunkWidth / currentChunkWidth;\n switch (this.style.textAlign) {\n case \"right\":\n case \"end\":\n leftBoundMod = boundsMod;\n break;\n case \"center\":\n leftBoundMod = boundsMod;\n rightBoundMod = boundsMod;\n break;\n default:\n rightBoundMod = boundsMod;\n }\n chunkWidth = currentChunkWidth;\n }\n const chunkHeight = metrics.actualBoundingBoxAscent + metrics.actualBoundingBoxDescent;\n if (chunkHeight > lineInfo.height) {\n lineInfo.height = chunkHeight;\n }\n if (metrics.actualBoundingBoxAscent > lineInfo.ascent) {\n lineInfo.ascent = metrics.actualBoundingBoxAscent;\n }\n lineInfo.width += chunkWidth;\n lineInfo.left += metrics.actualBoundingBoxLeft / leftBoundMod;\n lineInfo.right += metrics.actualBoundingBoxRight / rightBoundMod;\n lineInfo.textChunks.push({\n style: currentStyle,\n fill: currentFill,\n text: chunk.text,\n width: chunkWidth,\n height: chunkHeight,\n left: metrics.actualBoundingBoxLeft,\n right: metrics.actualBoundingBoxRight,\n ascent: metrics.actualBoundingBoxAscent,\n offsetX: 0,\n offsetY: 0,\n textDecoration: currentDecoration,\n verticalAlign: currentVerticalAlign\n });\n //offsetX += chunkWidth;\n firstTextChunk = false;\n }\n if (leftoverChunks) {\n //return false;\n }\n return true;\n //}\n });\n if (this.style.lineHeight instanceof Percent) {\n lineInfo.height *= this.style.lineHeight.value;\n lineInfo.ascent *= this.style.lineHeight.value;\n } else {\n lineInfo.height *= this.style.lineHeight || 1.2;\n lineInfo.ascent *= this.style.lineHeight || 1.2;\n }\n if (minX < lineInfo.left) {\n minX = lineInfo.left;\n }\n if (maxX < lineInfo.right) {\n maxX = lineInfo.right;\n }\n this._textInfo.push(lineInfo);\n //lineInfo.offsetY += lineInfo.ascent;\n offsetY += lineInfo.height;\n // Reset chunks so that it can proceed to the next line\n chunks = leftoverChunks || [];\n }\n });\n if (!styleRestored) {\n context.restore();\n ghostContext.restore();\n }\n // Adjust chunk internal offsets\n $array.each(this._textInfo, (lineInfo, _index) => {\n let currentChunkOffset = 0;\n $array.each(lineInfo.textChunks, chunk => {\n chunk.offsetX = currentChunkOffset + chunk.left - lineInfo.left;\n chunk.offsetY += lineInfo.height - lineInfo.height * (this.style.baselineRatio || 0.19);\n currentChunkOffset += chunk.width;\n if (chunk.verticalAlign) {\n switch (chunk.verticalAlign) {\n case \"super\":\n chunk.offsetY -= lineInfo.height / 2 - chunk.height / 2;\n break;\n case \"sub\":\n chunk.offsetY += chunk.height / 2;\n break;\n }\n }\n });\n });\n const bounds = {\n left: rtl ? -maxX : -minX,\n top: 0,\n right: rtl ? minX : maxX,\n bottom: offsetY\n };\n // We need to fit?\n if (oversizedBehavior !== \"none\") {\n const ratio = this._fitRatio(bounds);\n if (ratio < 1) {\n if (oversizedBehavior == \"fit\") {\n if ($type.isNumber(this.style.minScale) && ratio < this.style.minScale) {\n this.textVisible = false;\n bounds.left = 0;\n bounds.top = 0;\n bounds.right = 0;\n bounds.bottom = 0;\n } else {\n if (!this._originalScale) {\n this._originalScale = this.scale;\n }\n this.scale = ratio;\n this.textVisible = true;\n }\n } else if (oversizedBehavior == \"hide\") {\n this.textVisible = false;\n bounds.left = 0;\n bounds.top = 0;\n bounds.right = 0;\n bounds.bottom = 0;\n } else {\n switch (this.style.textAlign) {\n case \"right\":\n case \"end\":\n bounds.left = rtl ? maxWidth : -maxWidth;\n bounds.right = 0;\n break;\n case \"center\":\n bounds.left = -maxWidth / 2;\n bounds.right = maxWidth / 2;\n break;\n default:\n bounds.left = 0;\n bounds.right = rtl ? -maxWidth : maxWidth;\n }\n this.scale = this._originalScale || 1;\n this._originalScale = undefined;\n this.textVisible = true;\n }\n } else {\n this.scale = this._originalScale || 1;\n this._originalScale = undefined;\n this.textVisible = true;\n }\n }\n context.restore();\n ghostContext.restore();\n return bounds;\n }\n _fitRatio(bounds) {\n const maxW = this.style.maxWidth;\n const maxH = this.style.maxHeight;\n if (!$type.isNumber(maxW) && !$type.isNumber(maxH)) {\n return 1;\n }\n const w = bounds.right - bounds.left;\n const h = bounds.bottom - bounds.top;\n return Math.min(maxW / w || 1, maxH / h || 1);\n }\n _truncateText(context, text, maxWidth, breakWords = false, fallbackBreakWords = true) {\n let width;\n do {\n if (breakWords) {\n text = text.slice(0, -1);\n } else {\n let tmp = text.replace(/[^,;:!?\\\\\\/\\s​]+[,;:!?\\\\\\/\\s​]*$/g, \"\");\n if ((tmp == \"\" || tmp === text) && fallbackBreakWords) {\n breakWords = true;\n } else if (tmp == \"\") {\n return text;\n } else {\n text = tmp;\n }\n }\n const metrics = this._measureText(text, context);\n width = metrics.actualBoundingBoxLeft + metrics.actualBoundingBoxRight;\n } while (width > maxWidth && text != \"\");\n return text;\n }\n _measureText(text, context) {\n let metrics = context.measureText(text);\n let fakeMetrics = {};\n if (metrics.actualBoundingBoxAscent == null) {\n const div = document.createElement(\"div\");\n div.innerText = text;\n div.style.visibility = \"hidden\";\n div.style.position = \"absolute\";\n div.style.top = \"-1000000px;\";\n div.style.fontFamily = this.style.fontFamily || \"\";\n div.style.fontSize = this.style.fontSize + \"\";\n document.body.appendChild(div);\n const bbox = div.getBoundingClientRect();\n document.body.removeChild(div);\n const h = bbox.height;\n const w = metrics.width;\n let left = 0;\n let right = w;\n fakeMetrics = {\n actualBoundingBoxAscent: h,\n actualBoundingBoxDescent: 0,\n actualBoundingBoxLeft: left,\n actualBoundingBoxRight: right,\n fontBoundingBoxAscent: h,\n fontBoundingBoxDescent: 0,\n width: w\n };\n //return fake;\n } else {\n fakeMetrics = {\n actualBoundingBoxAscent: metrics.actualBoundingBoxAscent,\n actualBoundingBoxDescent: metrics.actualBoundingBoxDescent,\n actualBoundingBoxLeft: metrics.actualBoundingBoxLeft,\n actualBoundingBoxRight: metrics.actualBoundingBoxRight,\n fontBoundingBoxAscent: metrics.actualBoundingBoxAscent,\n fontBoundingBoxDescent: metrics.actualBoundingBoxDescent,\n width: metrics.width\n };\n }\n const w = metrics.width;\n switch (this.style.textAlign) {\n case \"right\":\n case \"end\":\n fakeMetrics.actualBoundingBoxLeft = w;\n fakeMetrics.actualBoundingBoxRight = 0;\n break;\n case \"center\":\n fakeMetrics.actualBoundingBoxLeft = w / 2;\n fakeMetrics.actualBoundingBoxRight = w / 2;\n break;\n default:\n fakeMetrics.actualBoundingBoxLeft = 0;\n fakeMetrics.actualBoundingBoxRight = w;\n }\n return fakeMetrics;\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasTextStyle {\n constructor() {\n //public wordWrapWidth: number = 100;\n Object.defineProperty(this, \"fill\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fillOpacity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"textAlign\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fontFamily\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fontSize\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fontWeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fontStyle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"fontVariant\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"textDecoration\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowColor\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowBlur\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOffsetX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOffsetY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOpacity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n // leading?: number;\n // letterSpacing?: number;\n Object.defineProperty(this, \"lineHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: percent(120)\n });\n Object.defineProperty(this, \"baselineRatio\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0.19\n });\n // padding?: number;\n // stroke?: number;\n // strokeThickness?: number;\n // trim?: number;\n // wordWrap?: boolean;\n Object.defineProperty(this, \"direction\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"textBaseline\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"oversizedBehavior\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"none\"\n });\n Object.defineProperty(this, \"breakWords\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"ellipsis\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"…\"\n });\n Object.defineProperty(this, \"maxWidth\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"maxHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"minScale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"ignoreFormatting\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasRadialText extends CanvasText {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"textType\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"circular\"\n });\n Object.defineProperty(this, \"radius\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"startAngle\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"inside\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"orientation\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"auto\"\n });\n Object.defineProperty(this, \"kerning\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_textReversed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n _render(status) {\n switch (this.textType) {\n case \"circular\":\n this._renderCircular(status);\n break;\n default:\n super._render(status);\n break;\n }\n }\n _renderCircular(status) {\n if (this.textVisible) {\n this._prerender(status);\n const interactive = this._isInteractive(status);\n const context = status.layer.context;\n const layerDirty = status.layer.dirty;\n const ghostContext = this._renderer._ghostLayer.context;\n // Savepoint\n context.save();\n if (interactive) {\n ghostContext.save();\n }\n // We need measurements in order to properly position text for alignment\n if (!this._textInfo) {\n this._measure(status);\n }\n // Init\n let radius = this.radius || 0;\n let startAngle = this.startAngle || 0;\n let deltaAngle = 0;\n let orientation = this.orientation;\n let inward = orientation == \"auto\" ? \"auto\" : orientation == \"inward\";\n const inside = this.inside;\n const align = this.style.textAlign || \"left\";\n const kerning = this.kerning || 0;\n let clockwise = align == \"left\" ? 1 : -1;\n const shouldReverse = !this._textReversed;\n // Check if we need to invert the whole stuff\n if (inward == \"auto\") {\n // Calc max angle so we know whether we need to flip it\n let maxAngle = 0;\n let midAngle = 0;\n $array.each(this._textInfo, (line, _index) => {\n const deltaAngle = startAngle + line.width / (radius - line.height) / 2 * -clockwise;\n if (deltaAngle > maxAngle) {\n maxAngle = deltaAngle;\n }\n });\n if (align == \"left\") {\n midAngle = (maxAngle + deltaAngle / 2) * $math.DEGREES;\n } else if (align == \"right\") {\n midAngle = (maxAngle - deltaAngle / 2) * $math.DEGREES;\n } else {\n midAngle = startAngle * $math.DEGREES;\n }\n midAngle = $math.normalizeAngle(midAngle);\n inward = midAngle >= 270 || midAngle <= 90;\n }\n if (inward == true && shouldReverse) {\n this._textInfo.reverse();\n this._textReversed = true;\n }\n // if ((inward == false && align == \"left\") || (inward == true && align == \"right\")) {\n // \tclockwise *= -1;\n // }\n // Process text info produced by _measure()\n $array.each(this._textInfo, (line, _index) => {\n const textHeight = line.height;\n // Adjust radius (for `inside = false`)\n // Radius adjustment for `inside = false` is below the line calculation\n if (!inside) {\n radius += textHeight;\n }\n // Reverse letters if we're painting them counter-clockwise\n if ((clockwise == -1 && inward || clockwise == 1 && !inward) && shouldReverse) {\n line.textChunks.reverse();\n }\n // Init angles\n let lineStartAngle = startAngle;\n deltaAngle = 0;\n // Adjust for center-align\n if (align == \"center\") {\n lineStartAngle += line.width / (radius - textHeight) / 2 * -clockwise;\n deltaAngle = lineStartAngle - startAngle;\n }\n // if (inward == \"auto\") {\n // \tlet midAngle;\n // \tif (align == \"left\") {\n // \t\tmidAngle = (lineStartAngle + deltaAngle / 2) * $math.DEGREES;\n // \t}\n // \telse if () {\n // \t\tmidAngle = (lineStartAngle - deltaAngle / 2) * $math.DEGREES;\n // \t}\n // \tinward = (midAngle >= 270) || (midAngle <= 90);\n // }\n // Rotate letters if they are facing outward\n lineStartAngle += Math.PI * (inward ? 0 : 1); // Rotate 180 if outward\n // Savepoint\n context.save();\n if (interactive) {\n ghostContext.save();\n }\n // Assume starting angle\n context.rotate(lineStartAngle);\n if (interactive) {\n ghostContext.rotate(lineStartAngle);\n }\n let angleShift = 0;\n $array.each(line.textChunks, (chunk, _index) => {\n // Draw the letter\n const char = chunk.text;\n const charWidth = chunk.width;\n // Rotate half a letter\n angleShift = charWidth / 2 / (radius - textHeight) * clockwise;\n context.rotate(angleShift);\n if (interactive) {\n ghostContext.rotate(angleShift);\n }\n // Set style\n if (chunk.style) {\n context.save();\n ghostContext.save();\n context.font = chunk.style;\n if (interactive) {\n ghostContext.font = chunk.style;\n }\n }\n if (chunk.fill) {\n context.save();\n context.fillStyle = chunk.fill.toCSS();\n // Color does not affect ghostContext so we not set it\n }\n // Center letters\n context.textBaseline = \"middle\";\n context.textAlign = \"center\";\n if (interactive) {\n ghostContext.textBaseline = \"middle\";\n ghostContext.textAlign = \"center\";\n }\n // Plop the letter\n if (layerDirty) {\n context.fillText(char, 0, (inward ? 1 : -1) * (0 - radius + textHeight / 2));\n }\n if (interactive) {\n ghostContext.fillText(char, 0, (inward ? 1 : -1) * (0 - radius + textHeight / 2));\n }\n if (chunk.fill) {\n context.restore();\n // Color does not affect ghostContext so we not set it\n }\n // Reset style\n if (chunk.style) {\n context.restore();\n ghostContext.restore();\n }\n // Rotate half a letter and add spacing\n angleShift = (charWidth / 2 + kerning) / (radius - textHeight) * clockwise;\n context.rotate(angleShift);\n if (interactive) {\n ghostContext.rotate(angleShift);\n }\n });\n // Restore angle\n context.restore();\n if (interactive) {\n ghostContext.restore();\n }\n // Adjust radius (for `inside = true`)\n if (inside) {\n radius -= textHeight;\n }\n });\n // Restore\n context.restore();\n if (interactive) {\n ghostContext.restore();\n }\n }\n }\n _measure(status) {\n switch (this.textType) {\n case \"circular\":\n return this._measureCircular(status);\n default:\n return super._measure(status);\n }\n }\n _measureCircular(status) {\n const context = status.layer.context;\n const ghostContext = this._renderer._ghostLayer.context;\n const rtl = this.style.direction == \"rtl\";\n const oversizedBehavior = this.style.oversizedBehavior;\n const maxWidth = this.style.maxWidth;\n const truncate = $type.isNumber(maxWidth) && oversizedBehavior == \"truncate\";\n const ellipsis = this.style.ellipsis || \"\";\n let ellipsisMetrics;\n //const wrap = $type.isNumber(maxWidth) && (oversizedBehavior == \"wrap\" || oversizedBehavior == \"wrap-no-break\");\n // Reset text info\n this.textVisible = true;\n this._textInfo = [];\n this._textReversed = false;\n // Pre-render\n context.save();\n ghostContext.save();\n this._prerender(status, true);\n // Split up text into lines\n const lines = this.text.toString().replace(/\\r/g, \"\").split(/\\n/);\n let styleRestored = true;\n let totalWidth = 0;\n // Iterate through the lines\n let offsetY = 0;\n $array.each(lines, (line, _index) => {\n // Split up line into format/value chunks\n let chunks = TextFormatter.chunk(line, false, this.style.ignoreFormatting);\n // Init line object\n let lineInfo = {\n offsetY: offsetY,\n ascent: 0,\n width: 0,\n height: 0,\n left: 0,\n right: 0,\n textChunks: []\n };\n let currentStyle;\n let currentFill;\n let currentChunkWidth;\n //while(chunk = chunks.shift()) {\n $array.each(chunks, (chunk, _index) => {\n // Format chunk\n if (chunk.type == \"format\") {\n if (chunk.text == \"[/]\") {\n if (!styleRestored) {\n context.restore();\n ghostContext.restore();\n styleRestored = true;\n }\n currentFill = undefined;\n currentStyle = undefined;\n currentChunkWidth = undefined;\n } else {\n let format = TextFormatter.getTextStyle(chunk.text);\n const fontStyle = this._getFontStyle(format);\n context.save();\n ghostContext.save();\n context.font = fontStyle;\n currentStyle = fontStyle;\n if (format.fill) {\n currentFill = format.fill;\n }\n if (format.width) {\n currentChunkWidth = $type.toNumber(format.width);\n }\n styleRestored = false;\n }\n if (truncate) {\n ellipsisMetrics = this._measureText(ellipsis, context);\n }\n }\n // Text format\n else if (chunk.type == \"value\") {\n // Measure each letter\n let chars = chunk.text.match(/./ug) || [];\n if (rtl) {\n chars = $utils.splitString(chunk.text);\n chars.reverse();\n }\n for (let i = 0; i < chars.length; i++) {\n const char = chars[i];\n // Measure\n const metrics = this._measureText(char, context);\n let chunkWidth = metrics.width;\n // Chunk width?\n if (currentStyle && currentChunkWidth && currentChunkWidth > chunkWidth) {\n chunkWidth = currentChunkWidth;\n }\n const chunkHeight = metrics.actualBoundingBoxAscent + metrics.actualBoundingBoxDescent;\n if (chunkHeight > lineInfo.height) {\n lineInfo.height = chunkHeight;\n }\n if (metrics.actualBoundingBoxAscent > lineInfo.ascent) {\n lineInfo.ascent = metrics.actualBoundingBoxAscent;\n }\n totalWidth += chunkWidth;\n // Handle oversized behavior\n if (truncate) {\n // Measure ellipsis and check if it fits\n if (!ellipsisMetrics) {\n ellipsisMetrics = this._measureText(ellipsis, context);\n }\n const ellipsisWidth = ellipsisMetrics.actualBoundingBoxLeft + ellipsisMetrics.actualBoundingBoxRight;\n //totalWidth += ellipsisWidth;\n if (totalWidth + ellipsisWidth > maxWidth) {\n if (lineInfo.textChunks.length == 1) {\n this.textVisible = false;\n } else {\n lineInfo.width += ellipsisWidth;\n lineInfo.left += ellipsisMetrics.actualBoundingBoxLeft;\n lineInfo.right += ellipsisMetrics.actualBoundingBoxRight;\n lineInfo.textChunks.push({\n style: currentStyle,\n fill: currentFill,\n text: ellipsis,\n width: ellipsisWidth,\n height: chunkHeight + ellipsisMetrics.actualBoundingBoxDescent,\n left: ellipsisMetrics.actualBoundingBoxLeft,\n right: ellipsisMetrics.actualBoundingBoxRight,\n ascent: ellipsisMetrics.actualBoundingBoxAscent,\n offsetX: 0,\n offsetY: chunkHeight,\n textDecoration: undefined\n });\n }\n break;\n }\n }\n lineInfo.width += chunkWidth;\n lineInfo.left += metrics.actualBoundingBoxLeft;\n lineInfo.right += metrics.actualBoundingBoxRight;\n lineInfo.textChunks.push({\n style: currentStyle,\n fill: currentFill,\n text: char,\n width: chunkWidth,\n height: chunkHeight + metrics.actualBoundingBoxDescent,\n left: metrics.actualBoundingBoxLeft,\n right: metrics.actualBoundingBoxRight,\n ascent: metrics.actualBoundingBoxAscent,\n offsetX: 0,\n offsetY: chunkHeight,\n textDecoration: undefined\n });\n if (rtl) {\n // @todo still needed?\n //break;\n }\n }\n }\n });\n if (this.style.lineHeight instanceof Percent) {\n lineInfo.height *= this.style.lineHeight.value;\n } else {\n lineInfo.height *= this.style.lineHeight || 1.2;\n }\n this._textInfo.push(lineInfo);\n //lineInfo.offsetY += lineInfo.ascent;\n offsetY += lineInfo.height;\n });\n if (!styleRestored) {\n context.restore();\n ghostContext.restore();\n }\n if (oversizedBehavior == \"hide\" && totalWidth > maxWidth) {\n this.textVisible = false;\n }\n // Adjust chunk internal offsets\n $array.each(this._textInfo, lineInfo => {\n $array.each(lineInfo.textChunks, chunk => {\n chunk.offsetY += Math.round((lineInfo.height - chunk.height + (lineInfo.ascent - chunk.ascent)) / 2);\n });\n });\n context.restore();\n ghostContext.restore();\n return {\n left: 0,\n top: 0,\n right: 0,\n bottom: 0\n };\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasImage extends CanvasDisplayObject {\n constructor(renderer, image) {\n super(renderer);\n Object.defineProperty(this, \"width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"image\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"tainted\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowColor\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowBlur\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOffsetX\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOffsetY\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"shadowOpacity\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_imageMask\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this.image = image;\n }\n _dispose() {\n super._dispose();\n if (this._imageMask) {\n clearCanvas(this._imageMask);\n }\n }\n getLocalBounds() {\n if (!this._localBounds) {\n let w = 0;\n let h = 0;\n if (this.width) {\n w = this.width;\n }\n if (this.height) {\n h = this.height;\n }\n this._localBounds = {\n left: 0,\n top: 0,\n right: w,\n bottom: h\n };\n this._addBounds(this._localBounds);\n }\n return this._localBounds;\n }\n _render(status) {\n super._render(status);\n if (this.image) {\n if (this.tainted === undefined) {\n this.tainted = isTainted(this.image);\n status.layer.tainted = true;\n }\n if (this.tainted && this._renderer._omitTainted) {\n return;\n }\n if (status.layer.dirty) {\n if (this.shadowColor) {\n status.layer.context.shadowColor = this.shadowColor.toCSS(this.shadowOpacity || 1);\n }\n if (this.shadowBlur) {\n status.layer.context.shadowBlur = this.shadowBlur;\n }\n if (this.shadowOffsetX) {\n status.layer.context.shadowOffsetX = this.shadowOffsetX;\n }\n if (this.shadowOffsetY) {\n status.layer.context.shadowOffsetY = this.shadowOffsetY;\n }\n // TODO should this round ?\n const width = this.width || this.image.naturalWidth;\n const height = this.height || this.image.naturalHeight;\n status.layer.context.drawImage(this.image, 0, 0, width, height);\n }\n if (this.interactive && this._isInteractive(status)) {\n const mask = this._getMask(this.image);\n this._renderer._ghostLayer.context.drawImage(mask, 0, 0);\n }\n }\n }\n clear() {\n super.clear();\n this.image = undefined;\n this._imageMask = undefined;\n }\n _getMask(image) {\n if (this._imageMask === undefined) {\n // TODO should this round ?\n const width = this.width || image.naturalWidth;\n const height = this.height || image.naturalHeight;\n // We need to create a second canvas because destination-in clears out the entire canvas\n const canvas = document.createElement(\"canvas\");\n canvas.width = width;\n canvas.height = height;\n const context = canvas.getContext(\"2d\");\n context.imageSmoothingEnabled = false;\n context.fillStyle = this._getColorId();\n context.fillRect(0, 0, width, height);\n if (!isTainted(image)) {\n context.globalCompositeOperation = \"destination-in\";\n context.drawImage(image, 0, 0, width, height);\n }\n this._imageMask = canvas;\n }\n return this._imageMask;\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasRendererEvent {\n constructor(event, originalPoint, point, bbox) {\n Object.defineProperty(this, \"event\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: event\n });\n Object.defineProperty(this, \"originalPoint\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: originalPoint\n });\n Object.defineProperty(this, \"point\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: point\n });\n Object.defineProperty(this, \"bbox\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: bbox\n });\n Object.defineProperty(this, \"id\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"simulated\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"native\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n if ($utils.supports(\"touchevents\") && event instanceof Touch) {\n this.id = event.identifier;\n } else {\n this.id = null;\n }\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasRenderer extends ArrayDisposer {\n constructor(resolution) {\n super();\n Object.defineProperty(this, \"view\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: document.createElement(\"div\")\n });\n Object.defineProperty(this, \"_layerDom\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: document.createElement(\"div\")\n });\n Object.defineProperty(this, \"layers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_dirtyLayers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"defaultLayer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this.getLayer(0)\n });\n Object.defineProperty(this, \"_ghostLayer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new GhostLayer()\n });\n Object.defineProperty(this, \"_patternCanvas\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: document.createElement(\"canvas\")\n });\n Object.defineProperty(this, \"_patternContext\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._patternCanvas.getContext(\"2d\")\n });\n Object.defineProperty(this, \"_realWidth\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_realHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_calculatedWidth\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_calculatedHeight\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"resolution\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"interactionsEnabled\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"_listeners\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_colorId\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_colorMap\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_forceInteractive\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_omitTainted\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n // TODO this should store the Id as well\n Object.defineProperty(this, \"_hovering\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new Set()\n });\n Object.defineProperty(this, \"_dragging\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_mousedown\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_lastPointerMoveEvent\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"tapToActivate\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"tapToActivateTimeout\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 3000\n });\n Object.defineProperty(this, \"_touchActive\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_touchActiveTimeout\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n if (resolution == null) {\n this.resolution = window.devicePixelRatio;\n } else {\n this.resolution = resolution;\n }\n this.view.style.position = \"absolute\";\n this.view.setAttribute(\"aria-hidden\", \"true\");\n this.view.appendChild(this._layerDom);\n this._disposers.push(new Disposer(() => {\n $object.each(this._events, (_key, events) => {\n events.disposer.dispose();\n });\n $array.each(this.layers, layer => {\n clearCanvas(layer.view);\n if (layer.exportableView) {\n clearCanvas(layer.exportableView);\n }\n });\n clearCanvas(this._ghostLayer.view);\n clearCanvas(this._patternCanvas);\n }));\n /*\r\n this._disposers.push($utils.addEventListener(this._ghostLayer.view, \"click\", (originalEvent: MouseEvent) => {\r\n const event = this.getEvent(originalEvent);\r\n const target = this._getHitTarget(event.originalPoint, event.bbox);\r\n console.debug(target);\r\n }));\r\n */\n // Monitor for possible pixel ratio changes (when page is zoomed)\n this._disposers.push($utils.onZoom(() => {\n if (resolution == null) {\n this.resolution = window.devicePixelRatio;\n }\n }));\n // We need this in order top prevent default touch gestures when dragging\n // draggable elements\n if ($utils.supports(\"touchevents\")) {\n const listener = ev => {\n if (this._dragging.length !== 0) {\n $array.eachContinue(this._dragging, item => {\n if (item.value.shouldCancelTouch()) {\n ev.preventDefault();\n return false;\n }\n return true;\n });\n }\n // If touch down happends, delay touch out\n if (this._touchActiveTimeout) {\n this._delayTouchDeactivate();\n }\n };\n this._disposers.push($utils.addEventListener(window, \"touchstart\", listener, {\n passive: false\n }));\n this._disposers.push($utils.addEventListener(this.view, \"touchstart\", listener, {\n passive: false\n }));\n this._disposers.push($utils.addEventListener(this.view, \"touchmove\", () => {\n // If touch is moving, delay touch out\n if (this._touchActiveTimeout) {\n this._delayTouchDeactivate();\n }\n }, {\n passive: true\n }));\n this._disposers.push($utils.addEventListener(window, \"click\", _ev => {\n this._touchActive = false;\n }, {\n passive: true\n }));\n this._disposers.push($utils.addEventListener(this.view, \"click\", _ev => {\n window.setTimeout(() => {\n this._touchActive = true;\n this._delayTouchDeactivate();\n }, 100);\n }, {\n passive: true\n }));\n }\n // Prevent scrolling of the window when hovering on \"wheelable\" object\n if ($utils.supports(\"wheelevents\")) {\n this._disposers.push($utils.addEventListener(this.view, \"wheel\", ev => {\n let prevent = false;\n this._hovering.forEach(obj => {\n if (obj.wheelable) {\n prevent = true;\n return false;\n }\n });\n if (prevent) {\n ev.preventDefault();\n }\n }, {\n passive: false\n }));\n }\n }\n /*protected _mouseMoveThrottler: Throttler = new Throttler(() => {\r\n this._dispatchGlobalMousemove(this._lastPointerMoveEvent.event, this._lastPointerMoveEvent.native);\r\n });\r\n */\n resetImageArray() {\n this._ghostLayer.imageArray = undefined;\n }\n _delayTouchDeactivate() {\n if (this._touchActiveTimeout) {\n clearTimeout(this._touchActiveTimeout);\n }\n if (this.tapToActivateTimeout > 0) {\n this._touchActiveTimeout = window.setTimeout(() => {\n this._touchActive = false;\n }, this.tapToActivateTimeout);\n }\n }\n get debugGhostView() {\n return !!this._ghostLayer.view.parentNode;\n }\n set debugGhostView(value) {\n if (value) {\n if (!this._ghostLayer.view.parentNode) {\n this.view.appendChild(this._ghostLayer.view);\n }\n } else {\n if (this._ghostLayer.view.parentNode) {\n this._ghostLayer.view.parentNode.removeChild(this._ghostLayer.view);\n }\n }\n }\n createLinearGradient(x1, y1, x2, y2) {\n return this.defaultLayer.context.createLinearGradient(x1, y1, x2, y2);\n }\n createRadialGradient(x1, y1, radius1, x2, y2, radius2) {\n return this.defaultLayer.context.createRadialGradient(x1, y1, radius1, x2, y2, radius2);\n }\n createPattern(graphics, background, repetition, width, height) {\n // const patternCanvas = document.createElement(\"canvas\");\n // const patternContext = patternCanvas.getContext(\"2d\")!;\n // patternCanvas.width = width;\n // patternCanvas.height = height;\n // if (fill) {\n // \tpatternContext.fillStyle = fill.toCSS();\n // \tpatternContext.fillRect(0, 0, patternCanvas.width, patternCanvas.height);\n // }\n // const layer = {\n // \tview: patternCanvas,\n // \tcontext: patternContext,\n // \tvisible: true,\n // \torder: 0,\n // \twidth: width,\n // \theight: height,\n // \tdirty: true\n // };\n // // patternContext.arc(0, 0, 50, 0, .5 * Math.PI);\n // // patternContext.stroke();\n // image.targetLayer = layer;\n // image.render(layer);\n //this._layerDom.appendChild(patternCanvas);\n this._patternCanvas.width = width;\n this._patternCanvas.height = height;\n this._patternContext.clearRect(0, 0, width, height);\n // patternCanvas.style.width = width * this.resolution + \"px\";\n // patternCanvas.style.height = height * this.resolution + \"px\";\n background.renderDetached(this._patternContext);\n graphics.renderDetached(this._patternContext);\n return this._patternContext.createPattern(this._patternCanvas, repetition);\n }\n makeContainer() {\n return new CanvasContainer(this);\n }\n makeGraphics() {\n return new CanvasGraphics(this);\n }\n makeText(text, style) {\n return new CanvasText(this, text, style);\n }\n makeTextStyle() {\n return new CanvasTextStyle();\n }\n makeRadialText(text, style) {\n return new CanvasRadialText(this, text, style);\n }\n makePicture(image) {\n return new CanvasImage(this, image);\n }\n resizeLayer(layer) {\n layer.resize(this._calculatedWidth, this._calculatedHeight, this._calculatedWidth, this._calculatedHeight, this.resolution);\n }\n resizeGhost() {\n this._ghostLayer.resize(this._calculatedWidth, this._calculatedHeight, this._calculatedWidth, this._calculatedHeight, this.resolution);\n }\n resize(realWidth, realHeight, calculatedWidth, calculatedHeight) {\n this._realWidth = realWidth;\n this._realHeight = realHeight;\n this._calculatedWidth = calculatedWidth;\n this._calculatedHeight = calculatedHeight;\n $array.each(this.layers, layer => {\n if (layer) {\n layer.dirty = true;\n this.resizeLayer(layer);\n }\n });\n this.resizeGhost();\n this.view.style.width = calculatedWidth + \"px\";\n this.view.style.height = calculatedHeight + \"px\";\n }\n createDetachedLayer(willReadFrequently = false) {\n const view = document.createElement(\"canvas\");\n const context = view.getContext(\"2d\", {\n willReadFrequently: willReadFrequently\n });\n const layer = new CanvasLayer(view, context);\n view.style.position = \"absolute\";\n view.style.top = \"0px\";\n view.style.left = \"0px\";\n return layer;\n }\n getLayerByOrder(order) {\n const layers = this.layers;\n const length = layers.length;\n for (let i = 0; i < length; i++) {\n const layer = layers[i];\n if (layer.order == order) {\n return layer;\n }\n }\n }\n getLayer(order, visible = true) {\n let existingLayer = this.getLayerByOrder(order);\n if (existingLayer) {\n return existingLayer;\n }\n const layer = this.createDetachedLayer(order == 99);\n layer.order = order;\n layer.visible = visible;\n layer.view.className = \"am5-layer-\" + order;\n if (layer.visible) {\n this.resizeLayer(layer);\n }\n const layers = this.layers;\n layers.push(layer);\n layers.sort((a, b) => {\n if (a.order > b.order) {\n return 1;\n } else if (a.order < b.order) {\n return -1;\n } else {\n return 0;\n }\n });\n const length = layers.length;\n const layerIndex = $array.indexOf(layers, layer);\n let next;\n for (let i = layerIndex + 1; i < length; i++) {\n if (layers[i].visible) {\n next = layers[i];\n break;\n }\n }\n if (layer.visible) {\n if (next === undefined) {\n this._layerDom.appendChild(layer.view);\n } else {\n this._layerDom.insertBefore(layer.view, next.view);\n }\n }\n return layer;\n }\n render(root) {\n this._dirtyLayers.length = 0;\n $array.each(this.layers, layer => {\n if (layer) {\n if (layer.dirty && layer.visible) {\n this._dirtyLayers.push(layer);\n layer.clear();\n }\n }\n });\n this._ghostLayer.clear();\n root.render({\n inactive: null,\n layer: this.defaultLayer\n });\n this._ghostLayer.context.restore();\n //setTimeout(() => {\n // Remove this after the Chrome bug is fixed:\n // https://bugs.chromium.org/p/chromium/issues/detail?id=1279394\n $array.each(this.layers, layer => {\n if (layer) {\n const context = layer.context;\n context.beginPath();\n context.moveTo(0, 0);\n context.stroke();\n }\n });\n $array.each(this._dirtyLayers, layer => {\n layer.context.restore();\n layer.dirty = false;\n });\n //}, 100)\n if (this._hovering.size && this._lastPointerMoveEvent) {\n const {\n events,\n target,\n native\n } = this._lastPointerMoveEvent;\n //this._mouseMoveThrottler.run();\n $array.each(events, event => {\n this._dispatchGlobalMousemove(event, target, native);\n });\n }\n }\n paintId(obj) {\n const id = distributeId(++this._colorId);\n const color = Color.fromHex(id).toCSS();\n this._colorMap[color] = obj;\n return color;\n }\n _removeObject(obj) {\n if (obj._colorId !== undefined) {\n delete this._colorMap[obj._colorId];\n }\n }\n // protected _identifyObjectByColor(colorId: number): CanvasDisplayObject | undefined {\n // \treturn this._colorMap[colorId];\n // }\n _adjustBoundingBox(bbox) {\n const margin = this._ghostLayer.margin;\n return new DOMRect(-margin.left, -margin.top, bbox.width + margin.left + margin.right, bbox.height + margin.top + margin.bottom);\n }\n getEvent(originalEvent, adjustPoint = true) {\n const bbox = this.view.getBoundingClientRect();\n const x = originalEvent.clientX || 0;\n const y = originalEvent.clientY || 0;\n const widthScale = this._calculatedWidth / this._realWidth;\n const heightScale = this._calculatedHeight / this._realHeight;\n const originalPoint = {\n x: x - bbox.left,\n y: y - bbox.top\n };\n const point = {\n x: (x - (adjustPoint ? bbox.left : 0)) * widthScale,\n y: (y - (adjustPoint ? bbox.top : 0)) * heightScale\n };\n return new CanvasRendererEvent(originalEvent, originalPoint, point, this._adjustBoundingBox(bbox));\n }\n _getHitTarget(point, bbox, target) {\n if (bbox.width === 0 || bbox.height === 0 || point.x < bbox.left || point.x > bbox.right || point.y < bbox.top || point.y > bbox.bottom) {\n return;\n }\n if (!target || !this._layerDom.contains(target)) {\n return;\n }\n const pixel = this._ghostLayer.getImageData(point, bbox);\n if (pixel.data[0] === 0 && pixel.data[1] === 0 && pixel.data[2] === 0) {\n return false;\n }\n const colorId = Color.fromRGB(pixel.data[0], pixel.data[1], pixel.data[2]).toCSS();\n const hit = this._colorMap[colorId];\n return hit;\n }\n getObjectAtPoint(point) {\n const data = this._ghostLayer.getImageArray(point);\n if (data[0] === 0 && data[1] === 0 && data[2] === 0) {\n return undefined;\n }\n const colorId = Color.fromRGB(data[0], data[1], data[2]).toCSS();\n const hit = this._colorMap[colorId];\n return hit;\n }\n _withEvents(key, f) {\n const events = this._events[key];\n if (events !== undefined) {\n events.dispatching = true;\n try {\n f(events);\n } finally {\n events.dispatching = false;\n if (events.cleanup) {\n events.cleanup = false;\n $array.keepIf(events.callbacks, callback => {\n return !callback.disposed;\n });\n if (events.callbacks.length === 0) {\n events.disposer.dispose();\n delete this._events[key];\n }\n }\n }\n }\n }\n _dispatchEventAll(key, event) {\n if (!this.interactionsEnabled) {\n return;\n }\n this._withEvents(key, events => {\n $array.each(events.callbacks, callback => {\n if (!callback.disposed) {\n callback.callback.call(callback.context, event);\n }\n });\n });\n }\n _dispatchEvent(key, target, event) {\n if (!this.interactionsEnabled) {\n return false;\n }\n let dispatched = false;\n this._withEvents(key, events => {\n $array.each(events.callbacks, callback => {\n if (!callback.disposed && callback.object === target) {\n callback.callback.call(callback.context, event);\n dispatched = true;\n }\n });\n });\n return dispatched;\n }\n _dispatchMousedown(originalEvent, originalTarget) {\n const button = originalEvent.button;\n if (button != 0 && button != 2 && button != 1 && button !== undefined) {\n // Ignore non-primary mouse buttons\n return;\n }\n const event = this.getEvent(originalEvent);\n const target = this._getHitTarget(event.originalPoint, event.bbox, originalTarget);\n if (target) {\n const id = event.id;\n let dragged = false;\n eachTargets(target, obj => {\n const info = {\n id: id,\n value: obj\n };\n this._mousedown.push(info);\n if (!dragged && this._dispatchEvent(\"pointerdown\", obj, event)) {\n // Only dispatch the first element which matches\n dragged = true;\n const has = this._dragging.some(x => {\n return x.value === obj && x.id === id;\n });\n if (!has) {\n this._dragging.push(info);\n }\n }\n return true;\n });\n }\n }\n _dispatchGlobalMousemove(originalEvent, originalTarget, native) {\n const event = this.getEvent(originalEvent);\n const target = this._getHitTarget(event.originalPoint, event.bbox, originalTarget);\n event.native = native;\n if (target) {\n this._hovering.forEach(obj => {\n if (!obj.contains(target)) {\n this._hovering.delete(obj);\n if (obj.cursorOverStyle) {\n $utils.setStyle(document.body, \"cursor\", obj._replacedCursorStyle);\n }\n this._dispatchEvent(\"pointerout\", obj, event);\n }\n });\n if (event.native) {\n eachTargets(target, obj => {\n if (!this._hovering.has(obj)) {\n this._hovering.add(obj);\n if (obj.cursorOverStyle) {\n obj._replacedCursorStyle = $utils.getStyle(document.body, \"cursor\");\n $utils.setStyle(document.body, \"cursor\", obj.cursorOverStyle);\n }\n this._dispatchEvent(\"pointerover\", obj, event);\n }\n return true;\n });\n }\n //} else if (target === false) {\n } else {\n this._hovering.forEach(obj => {\n if (obj.cursorOverStyle) {\n $utils.setStyle(document.body, \"cursor\", obj._replacedCursorStyle);\n }\n this._dispatchEvent(\"pointerout\", obj, event);\n });\n this._hovering.clear();\n }\n this._dispatchEventAll(\"globalpointermove\", event);\n }\n removeHovering(graphics) {\n this._hovering.delete(graphics);\n if (graphics.cursorOverStyle) {\n $utils.setStyle(document.body, \"cursor\", graphics._replacedCursorStyle);\n }\n }\n _dispatchGlobalMouseup(originalEvent, native) {\n const event = this.getEvent(originalEvent);\n event.native = native;\n //const target = this._getHitTarget(event.originalPoint);\n this._dispatchEventAll(\"globalpointerup\", event);\n }\n _dispatchDragMove(originalEvent) {\n if (this._dragging.length !== 0) {\n const event = this.getEvent(originalEvent);\n const id = event.id;\n this._dragging.forEach(obj => {\n if (obj.id === id) {\n this._dispatchEvent(\"pointermove\", obj.value, event);\n }\n });\n }\n }\n _dispatchDragEnd(originalEvent, originalTarget) {\n const button = originalEvent.button;\n let clickevent;\n if (button == 0 || button === undefined) {\n clickevent = \"click\";\n } else if (button == 2) {\n clickevent = \"rightclick\";\n } else if (button == 1) {\n clickevent = \"middleclick\";\n } else {\n // Ignore non-primary mouse buttons\n return;\n }\n const event = this.getEvent(originalEvent);\n const id = event.id;\n if (this._mousedown.length !== 0) {\n const target = this._getHitTarget(event.originalPoint, event.bbox, originalTarget);\n if (target) {\n this._mousedown.forEach(obj => {\n if (obj.id === id && obj.value.contains(target)) {\n this._dispatchEvent(clickevent, obj.value, event);\n }\n });\n }\n this._mousedown.length = 0;\n }\n if (this._dragging.length !== 0) {\n this._dragging.forEach(obj => {\n if (obj.id === id) {\n this._dispatchEvent(\"pointerup\", obj.value, event);\n }\n });\n this._dragging.length = 0;\n }\n }\n _dispatchDoubleClick(originalEvent, originalTarget) {\n const event = this.getEvent(originalEvent);\n const target = this._getHitTarget(event.originalPoint, event.bbox, originalTarget);\n if (target) {\n eachTargets(target, obj => {\n if (this._dispatchEvent(\"dblclick\", obj, event)) {\n return false;\n } else {\n return true;\n }\n });\n }\n }\n _dispatchWheel(originalEvent, originalTarget) {\n const event = this.getEvent(originalEvent);\n const target = this._getHitTarget(event.originalPoint, event.bbox, originalTarget);\n if (target) {\n eachTargets(target, obj => {\n if (this._dispatchEvent(\"wheel\", obj, event)) {\n return false;\n } else {\n return true;\n }\n });\n }\n }\n _makeSharedEvent(key, f) {\n if (this._listeners[key] === undefined) {\n const listener = f();\n this._listeners[key] = new CounterDisposer(() => {\n delete this._listeners[key];\n listener.dispose();\n });\n }\n return this._listeners[key].increment();\n }\n _onPointerEvent(name, f) {\n let native = false;\n let timer = null;\n function clear() {\n timer = null;\n native = false;\n }\n return new MultiDisposer([new Disposer(() => {\n if (timer !== null) {\n clearTimeout(timer);\n }\n clear();\n }), $utils.addEventListener(this.view, $utils.getRendererEvent(name), _ => {\n native = true;\n if (timer !== null) {\n clearTimeout(timer);\n }\n timer = window.setTimeout(clear, 0);\n }), onPointerEvent(window, name, (ev, target) => {\n if (timer !== null) {\n clearTimeout(timer);\n timer = null;\n }\n f(ev, target, native);\n native = false;\n })]);\n }\n // This ensures that only a single DOM event is added (e.g. only a single mousemove event listener)\n _initEvent(key) {\n switch (key) {\n case \"globalpointermove\":\n case \"pointerover\":\n case \"pointerout\":\n return this._makeSharedEvent(\"pointermove\", () => {\n const listener = (events, target, native) => {\n this._lastPointerMoveEvent = {\n events,\n target,\n native\n };\n $array.each(events, event => {\n this._dispatchGlobalMousemove(event, target, native);\n });\n };\n return new MultiDisposer([this._onPointerEvent(\"pointerdown\", listener), this._onPointerEvent(\"pointermove\", listener)]);\n });\n case \"globalpointerup\":\n return this._makeSharedEvent(\"pointerup\", () => {\n const mouseup = this._onPointerEvent(\"pointerup\", (events, target, native) => {\n $array.each(events, event => {\n this._dispatchGlobalMouseup(event, native);\n });\n this._lastPointerMoveEvent = {\n events,\n target,\n native\n };\n });\n const pointercancel = this._onPointerEvent(\"pointercancel\", (events, target, native) => {\n $array.each(events, event => {\n this._dispatchGlobalMouseup(event, native);\n });\n this._lastPointerMoveEvent = {\n events,\n target,\n native\n };\n });\n return new Disposer(() => {\n mouseup.dispose();\n pointercancel.dispose();\n });\n });\n case \"click\":\n case \"rightclick\":\n case \"middleclick\":\n case \"pointerdown\":\n /*\r\n return this._makeSharedEvent(\"pointerdown\", () => {\r\n return this._onPointerEvent(\"pointerdown\", (event, target, native) => {\r\n this._lastPointerMoveEvent = { event, target, native };\r\n this._dispatchMousedown(event)\r\n });\r\n });\r\n */\n case \"pointermove\":\n case \"pointerup\":\n return this._makeSharedEvent(\"pointerdown\", () => {\n //const throttler = new Throttler();\n const mousedown = this._onPointerEvent(\"pointerdown\", (events, target) => {\n $array.each(events, ev => {\n this._dispatchMousedown(ev, target);\n });\n });\n // TODO handle throttling properly for multitouch\n const mousemove = this._onPointerEvent(\"pointermove\", ev => {\n //throttler.throttle(() => {\n $array.each(ev, ev => {\n this._dispatchDragMove(ev);\n });\n //});\n });\n const mouseup = this._onPointerEvent(\"pointerup\", (ev, target) => {\n $array.each(ev, ev => {\n this._dispatchDragEnd(ev, target);\n });\n });\n const pointercancel = this._onPointerEvent(\"pointercancel\", (ev, target) => {\n $array.each(ev, ev => {\n this._dispatchDragEnd(ev, target);\n });\n });\n return new Disposer(() => {\n mousedown.dispose();\n mousemove.dispose();\n mouseup.dispose();\n pointercancel.dispose();\n });\n });\n case \"dblclick\":\n return this._makeSharedEvent(\"dblclick\", () => {\n return this._onPointerEvent(\"dblclick\", (ev, target) => {\n $array.each(ev, ev => {\n this._dispatchDoubleClick(ev, target);\n });\n });\n });\n case \"wheel\":\n return this._makeSharedEvent(\"wheel\", () => {\n return $utils.addEventListener(this.view, $utils.getRendererEvent(\"wheel\"), event => {\n this._dispatchWheel(event, $utils.getEventTarget(event));\n }, {\n passive: false\n });\n });\n }\n }\n _addEvent(object, key, callback, context) {\n let events = this._events[key];\n if (events === undefined) {\n events = this._events[key] = {\n disposer: this._initEvent(key),\n callbacks: [],\n dispatching: false,\n cleanup: false\n };\n }\n const listener = {\n object,\n context,\n callback,\n disposed: false\n };\n events.callbacks.push(listener);\n return new Disposer(() => {\n listener.disposed = true;\n if (events.dispatching) {\n events.cleanup = true;\n } else {\n $array.removeFirst(events.callbacks, listener);\n if (events.callbacks.length === 0) {\n events.disposer.dispose();\n delete this._events[key];\n }\n }\n });\n }\n getCanvas(root, options) {\n // Make sure everything is rendered\n this.render(root);\n if (!options) {\n options = {};\n }\n let scale = this.resolution;\n let canvasWidth = Math.floor(this._calculatedWidth * this.resolution);\n let canvasHeight = Math.floor(this._calculatedHeight * this.resolution);\n // Check if we need to scale\n if (options.minWidth && options.minWidth > canvasWidth) {\n let minScale = options.minWidth / canvasWidth;\n if (minScale > scale) {\n scale = minScale * this.resolution;\n }\n }\n if (options.minHeight && options.minHeight > canvasHeight) {\n let minScale = options.minHeight / canvasHeight;\n if (minScale > scale) {\n scale = minScale * this.resolution;\n }\n }\n if (options.maxWidth && options.maxWidth < canvasWidth) {\n let maxScale = options.maxWidth / canvasWidth;\n if (maxScale < scale) {\n scale = maxScale * this.resolution;\n }\n }\n if (options.maxHeight && options.maxHeight > canvasHeight) {\n let maxScale = options.maxHeight / canvasHeight;\n if (maxScale < scale) {\n scale = maxScale * this.resolution;\n }\n }\n // Check if we need to compensate for pixel ratio\n if (options.maintainPixelRatio) {\n scale /= this.resolution;\n }\n // Init list canvases to remove from DOM after export\n const canvases = [];\n // Set up new canvas for export\n let forceRender = false;\n const canvas = document.createElement(\"canvas\");\n if (scale != this.resolution) {\n forceRender = true;\n canvasWidth = canvasWidth * scale / this.resolution;\n canvasHeight = canvasHeight * scale / this.resolution;\n }\n canvas.width = canvasWidth;\n canvas.height = canvasHeight;\n // Add to DOM so it inherits CSS\n canvas.style.position = \"fixed\";\n canvas.style.top = \"-10000px\";\n this.view.appendChild(canvas);\n canvases.push(canvas);\n // Context\n const context = canvas.getContext(\"2d\");\n let width = 0;\n let height = 0;\n let needRerender = false;\n $array.each(this.layers, layer => {\n if (layer && layer.visible) {\n if (layer.tainted || forceRender) {\n needRerender = true;\n layer.exportableView = layer.view;\n layer.exportableContext = layer.context;\n layer.view = document.createElement(\"canvas\");\n // Add to DOM so it inherits CSS\n layer.view.style.position = \"fixed\";\n layer.view.style.top = \"-10000px\";\n this.view.appendChild(layer.view);\n canvases.push(layer.view);\n let extraX = 0;\n let extraY = 0;\n if (layer.margin) {\n extraX += layer.margin.left || 0 + layer.margin.right || 0;\n extraY += layer.margin.top || 0 + layer.margin.bottom || 0;\n }\n layer.view.width = canvasWidth + extraX;\n layer.view.height = canvasHeight + extraY;\n layer.context = layer.view.getContext(\"2d\");\n layer.dirty = true;\n layer.scale = scale;\n }\n }\n });\n if (needRerender) {\n this._omitTainted = true;\n this.render(root);\n this._omitTainted = false;\n }\n $array.each(this.layers, layer => {\n if (layer && layer.visible) {\n // Layer is fine. Just plop it into our target canvas\n let x = 0;\n let y = 0;\n if (layer.margin) {\n x = -(layer.margin.left || 0) * this.resolution;\n y = -(layer.margin.top || 0) * this.resolution;\n }\n context.drawImage(layer.view, x, y);\n // Restore layer original canvas\n if (layer.exportableView) {\n layer.view = layer.exportableView;\n layer.exportableView = undefined;\n }\n if (layer.exportableContext) {\n layer.context = layer.exportableContext;\n layer.exportableContext = undefined;\n }\n if (width < layer.view.clientWidth) {\n width = layer.view.clientWidth;\n }\n if (height < layer.view.clientHeight) {\n height = layer.view.clientHeight;\n }\n layer.scale = undefined;\n }\n });\n canvas.style.width = width + \"px\";\n canvas.style.height = height + \"px\";\n $array.each(canvases, canvas => {\n canvas.style.position = \"\";\n canvas.style.top = \"\";\n this.view.removeChild(canvas);\n });\n return canvas;\n }\n}\nclass GhostLayer {\n constructor() {\n Object.defineProperty(this, \"view\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"context\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"margin\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {\n left: 0,\n right: 0,\n top: 0,\n bottom: 0\n }\n });\n Object.defineProperty(this, \"_resolution\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 1\n });\n Object.defineProperty(this, \"_width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"imageArray\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this.view = document.createElement(\"canvas\");\n this.context = this.view.getContext(\"2d\", {\n alpha: false,\n willReadFrequently: true\n });\n this.context.imageSmoothingEnabled = false;\n this.view.style.position = \"absolute\";\n this.view.style.top = \"0px\";\n this.view.style.left = \"0px\";\n }\n resize(canvasWidth, canvasHeight, domWidth, domHeight, resolution) {\n this._resolution = resolution;\n canvasWidth += this.margin.left + this.margin.right;\n canvasHeight += this.margin.top + this.margin.bottom;\n // TODO this should take into account calculateSize\n domWidth += this.margin.left + this.margin.right;\n domHeight += this.margin.top + this.margin.bottom;\n this.view.style.left = -this.margin.left + \"px\";\n this.view.style.top = -this.margin.top + \"px\";\n this._width = Math.floor(canvasWidth * resolution);\n this._height = Math.floor(canvasHeight * resolution);\n this.view.width = this._width;\n this.view.style.width = domWidth + \"px\";\n this.view.height = this._height;\n this.view.style.height = domHeight + \"px\";\n }\n getImageData(point, bbox) {\n return this.context.getImageData(\n // TODO should this round ?\n Math.round((point.x - bbox.left) / bbox.width * this._width), Math.round((point.y - bbox.top) / bbox.height * this._height), 1, 1);\n }\n getImageArray(point) {\n if (!this.imageArray) {\n this.imageArray = this.context.getImageData(0, 0, this._width, this._height).data;\n }\n const data = this.imageArray;\n const x = Math.round(point.x * this._resolution);\n const y = Math.round(point.y * this._resolution);\n const i = (y * this._width + x) * 4;\n return [data[i], data[i + 1], data[i + 2], data[i + 3]];\n }\n setMargin(layers) {\n this.margin.left = 0;\n this.margin.right = 0;\n this.margin.top = 0;\n this.margin.bottom = 0;\n $array.each(layers, layer => {\n if (layer.margin) {\n this.margin.left = Math.max(this.margin.left, layer.margin.left);\n this.margin.right = Math.max(this.margin.right, layer.margin.right);\n this.margin.top = Math.max(this.margin.top, layer.margin.top);\n this.margin.bottom = Math.max(this.margin.bottom, layer.margin.bottom);\n }\n });\n }\n clear() {\n this.context.save();\n this.context.fillStyle = '#000';\n this.context.fillRect(0, 0, this._width, this._height);\n }\n}\n/**\r\n * @ignore\r\n */\nexport class CanvasLayer {\n constructor(view, context) {\n Object.defineProperty(this, \"view\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"context\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"tainted\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"margin\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"order\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"visible\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"scale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"dirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"exportableView\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"exportableContext\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_width\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n Object.defineProperty(this, \"_height\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n this.view = view;\n this.context = context;\n }\n resize(canvasWidth, canvasHeight, domWidth, domHeight, resolution) {\n // TODO should this take into account calculateSize ?\n if (this.width != null) {\n canvasWidth = this.width;\n domWidth = this.width;\n }\n // TODO should this take into account calculateSize ?\n if (this.height != null) {\n canvasHeight = this.height;\n domHeight = this.height;\n }\n if (this.margin) {\n canvasWidth += this.margin.left + this.margin.right;\n canvasHeight += this.margin.top + this.margin.bottom;\n // TODO this should take into account calculateSize\n domWidth += this.margin.left + this.margin.right;\n domHeight += this.margin.top + this.margin.bottom;\n this.view.style.left = -this.margin.left + \"px\";\n this.view.style.top = -this.margin.top + \"px\";\n } else {\n this.view.style.left = \"0px\";\n this.view.style.top = \"0px\";\n }\n this._width = Math.floor(canvasWidth * resolution);\n this._height = Math.floor(canvasHeight * resolution);\n this.view.width = this._width;\n this.view.style.width = domWidth + \"px\";\n this.view.height = this._height;\n this.view.style.height = domHeight + \"px\";\n }\n clear() {\n this.context.save();\n this.context.clearRect(0, 0, this._width, this._height);\n }\n}\n","import { AnimationState } from \"./util/Animation\";\nimport { Container } from \"./render/Container\";\nimport { Text } from \"./render/Text\";\nimport { HorizontalLayout } from \"./render/HorizontalLayout\";\nimport { VerticalLayout } from \"./render/VerticalLayout\";\nimport { GridLayout } from \"./render/GridLayout\";\nimport { Disposer } from \"./util/Disposer\";\nimport { ResizeSensor } from \"./util/ResizeSensor\";\nimport { InterfaceColors } from \"./util/InterfaceColors\";\nimport { Graphics } from \"./render/Graphics\";\nimport { Rectangle } from \"./render/Rectangle\";\nimport { Tooltip } from \"./render/Tooltip\";\nimport { NumberFormatter } from \"./util/NumberFormatter\";\nimport { DateFormatter } from \"./util/DateFormatter\";\nimport { DurationFormatter } from \"./util/DurationFormatter\";\nimport { Language } from \"./util/Language\";\nimport { EventDispatcher } from \"./util/EventDispatcher\";\nimport { DefaultTheme } from \"../themes/DefaultTheme\";\nimport { CanvasRenderer } from \"./render/backend/CanvasRenderer\";\nimport { p100, percent, isPercent, Percent } from \"./util/Percent\";\nimport { color } from \"./util/Color\";\nimport { populateString } from \"./util/PopulateString\";\nimport { registry } from \"./Registry\";\nimport * as $order from \"./util/Order\";\nimport * as $array from \"./util/Array\";\nimport * as $object from \"./util/Object\";\nimport * as $utils from \"./util/Utils\";\nimport * as $type from \"./util/Type\";\nimport en from \"../../locales/en\";\nfunction rAF(fps, callback) {\n if (fps == null) {\n requestAnimationFrame(callback);\n } else {\n setTimeout(() => {\n requestAnimationFrame(callback);\n }, 1000 / fps);\n }\n}\n// TODO implement Disposer\n/**\r\n * Root element of the chart.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/#Root_element} for more info\r\n */\nexport class Root {\n constructor(id, settings = {}, isReal) {\n /**\r\n * A reference to original chart container (div element).\r\n */\n Object.defineProperty(this, \"dom\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_inner\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_settings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_isDirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_isDirtyParents\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_isDirtyAnimation\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_dirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dirtyParents\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dirtyBounds\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_dirtyPositions\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: {}\n });\n Object.defineProperty(this, \"_ticker\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: null\n });\n Object.defineProperty(this, \"_tickers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_updateTick\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n /**\r\n * Root's event dispatcher.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/events/} for more info\r\n */\n Object.defineProperty(this, \"events\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new EventDispatcher()\n });\n /**\r\n * @ignore\r\n * @todo needs description\r\n */\n Object.defineProperty(this, \"animationTime\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: null\n });\n Object.defineProperty(this, \"_animations\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_renderer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_rootContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * Main content container.\r\n */\n Object.defineProperty(this, \"container\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * A [[Container]] used to display tooltips in.\r\n */\n Object.defineProperty(this, \"tooltipContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipContainerSettings\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltip\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n // Locale-related\n /**\r\n * @ignore\r\n */\n Object.defineProperty(this, \"language\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Language.new(this, {})\n });\n /**\r\n * Locale used by the chart.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/locales/}\r\n */\n Object.defineProperty(this, \"locale\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: en\n });\n // Date-time related\n /**\r\n * Use UTC when formatting date/time.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-dates/#utc-and-time-zones} for more info\r\n */\n Object.defineProperty(this, \"utc\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n /**\r\n * If set, will format date/time in specific time zone.\r\n *\r\n * The value should be named time zone, e.g.:\r\n * `\"America/Vancouver\"`, `\"Australia/Sydney\"`, `\"UTC\"`.\r\n *\r\n * NOTE: Using time zone feature may noticeable affect performance of the\r\n * chart, especially with large data sets, since every single date will need\r\n * to be recalculated.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/root-element/#time-zone} for more info\r\n * @since 5.1.0\r\n */\n Object.defineProperty(this, \"timezone\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * The maximum FPS that the Root will run at.\r\n *\r\n * If `undefined` it will run at the highest FPS.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/root-element/#Performance} for more info\r\n */\n Object.defineProperty(this, \"fps\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * Number formatter.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-numbers/} for more info\r\n */\n Object.defineProperty(this, \"numberFormatter\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: NumberFormatter.new(this, {})\n });\n /**\r\n * Date/time formatter.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-dates/} for more info\r\n */\n Object.defineProperty(this, \"dateFormatter\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: DateFormatter.new(this, {})\n });\n /**\r\n * Duration formatter.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/formatters/formatting-dates/} for more info\r\n */\n Object.defineProperty(this, \"durationFormatter\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: DurationFormatter.new(this, {})\n });\n // Accessibility\n /**\r\n * Global tab index for using for the whole chart\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/accessibility/} for more info\r\n */\n Object.defineProperty(this, \"tabindex\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: 0\n });\n //@todo maybe make this better\n Object.defineProperty(this, \"_tabindexes\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_a11yD\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_focusElementDirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_focusElementContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_focusedSprite\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_isShift\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_keyboardDragPoint\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipElementContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_readerAlertElement\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_logo\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltipDiv\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * Used for dynamically-created CSS and JavaScript with strict source policies.\r\n */\n Object.defineProperty(this, \"nonce\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * Special color set to be used for various controls.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/colors-gradients-and-patterns/#Interface_colors} for more info\r\n */\n Object.defineProperty(this, \"interfaceColors\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * An instance of vertical layout object that can be used to set `layout` setting\r\n * of a [[Container]].\r\n *\r\n * @default VerticalLayout.new()\r\n */\n Object.defineProperty(this, \"verticalLayout\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: VerticalLayout.new(this, {})\n });\n /**\r\n * An instance of horizontal layout object that can be used to set `layout` setting\r\n * of a [[Container]].\r\n *\r\n * @default HorizontalLayout.new()\r\n */\n Object.defineProperty(this, \"horizontalLayout\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: HorizontalLayout.new(this, {})\n });\n /**\r\n * An instance of grid layout object that can be used to set `layout` setting\r\n * of a [[Container]].\r\n *\r\n * @default VerticalLayout.new()\r\n */\n Object.defineProperty(this, \"gridLayout\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: GridLayout.new(this, {})\n });\n Object.defineProperty(this, \"_paused\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n /**\r\n * Indicates whether chart should resized automatically when parent container\r\n * width and/or height changes.\r\n *\r\n * If disabled (`autoResize = false`) you can make the chart resize manually\r\n * by calling root element's `resize()` method.\r\n */\n Object.defineProperty(this, \"autoResize\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: true\n });\n Object.defineProperty(this, \"_fontHash\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"\"\n });\n Object.defineProperty(this, \"_isDisposed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_disposers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_resizeSensorDisposer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_tooltips\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_htmlElementContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_htmlEnabledContainers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n if (!isReal) {\n throw new Error(\"You cannot use `new Class()`, instead use `Class.new()`\");\n }\n this._settings = settings;\n if (settings.accessible == false) {\n this._a11yD = true;\n }\n if (settings.useSafeResolution == null) {\n settings.useSafeResolution = true;\n }\n let resolution;\n if (settings.useSafeResolution) {\n resolution = $utils.getSafeResolution();\n }\n this._renderer = new CanvasRenderer(resolution);\n let dom;\n if (id instanceof HTMLElement) {\n dom = id;\n } else {\n dom = document.getElementById(id);\n }\n $array.each(registry.rootElements, root => {\n if (root.dom === dom) {\n throw new Error(\"You cannot have multiple Roots on the same DOM node\");\n }\n });\n this.interfaceColors = InterfaceColors.new(this, {});\n if (dom === null) {\n throw new Error(\"Could not find HTML element with id `\" + id + \"`\");\n }\n this.dom = dom;\n let inner = document.createElement(\"div\");\n inner.style.position = \"relative\";\n inner.style.width = \"100%\";\n inner.style.height = \"100%\";\n dom.appendChild(inner);\n const tooltipContainerBounds = settings.tooltipContainerBounds;\n if (tooltipContainerBounds) {\n this._tooltipContainerSettings = tooltipContainerBounds;\n }\n this._inner = inner;\n this._updateComputedStyles();\n registry.rootElements.push(this);\n }\n static new(id, settings) {\n const root = new Root(id, settings, true);\n root._init();\n return root;\n }\n moveDOM(id) {\n let dom;\n if (id instanceof HTMLElement) {\n dom = id;\n } else {\n dom = document.getElementById(id);\n }\n if (dom) {\n while (this.dom.childNodes.length > 0) {\n dom.appendChild(this.dom.childNodes[0]);\n }\n this.dom = dom;\n this._initResizeSensor();\n this.resize();\n }\n }\n _handleLogo() {\n if (this._logo) {\n const w = this.dom.offsetWidth;\n const h = this.dom.offsetHeight;\n if (w <= 150 || h <= 60) {\n this._logo.hide();\n } else {\n this._logo.show();\n }\n }\n }\n _showBranding() {\n if (!this._logo) {\n const logo = this.tooltipContainer.children.push(Container.new(this, {\n interactive: true,\n interactiveChildren: false,\n position: \"absolute\",\n setStateOnChildren: true,\n paddingTop: 9,\n paddingRight: 9,\n paddingBottom: 9,\n paddingLeft: 9,\n scale: .6,\n y: percent(100),\n centerY: p100,\n tooltipText: \"Created using amCharts 5\",\n tooltipX: p100,\n cursorOverStyle: \"pointer\",\n background: Rectangle.new(this, {\n fill: color(0x474758),\n fillOpacity: 0,\n tooltipY: 5\n })\n }));\n const tooltip = Tooltip.new(this, {\n pointerOrientation: \"horizontal\",\n paddingTop: 4,\n paddingRight: 7,\n paddingBottom: 4,\n paddingLeft: 7\n });\n tooltip.label.setAll({\n fontSize: 12\n });\n tooltip.get(\"background\").setAll({\n fill: this.interfaceColors.get(\"background\"),\n stroke: this.interfaceColors.get(\"grid\"),\n strokeOpacity: 0.3\n });\n logo.set(\"tooltip\", tooltip);\n logo.events.on(\"click\", () => {\n window.open(\"https://www.amcharts.com/\", \"_blank\");\n });\n logo.states.create(\"hover\", {});\n const m = logo.children.push(Graphics.new(this, {\n stroke: color(0xcccccc),\n strokeWidth: 3,\n svgPath: \"M5 25 L13 25h13.6c3.4 0 6 0 10.3-4.3s5.2-12 8.6-12c3.4 0 4.3 8.6 7.7 8.6M83.4 25H79.8c-3.4 0-6 0-10.3-4.3s-5.2-12-8.6-12-4.3 8.6-7.7 8.6\"\n }));\n m.states.create(\"hover\", {\n stroke: color(0x3CABFF)\n });\n const a = logo.children.push(Graphics.new(this, {\n stroke: color(0x888888),\n strokeWidth: 3,\n svgPath: \"M83.4 25h-31C37 25 39.5 4.4 28.4 4.4S18.9 24.2 4.3 25H0\"\n }));\n a.states.create(\"hover\", {\n stroke: color(0x474758)\n });\n //logo.set(\"tooltip\", this._tooltip);\n //logo.setPrivate(\"tooltipTarget\", logo.get(\"background\"));\n this._logo = logo;\n this._handleLogo();\n }\n }\n _getRealSize() {\n return this.dom.getBoundingClientRect();\n }\n _getCalculatedSize(rect) {\n if (this._settings.calculateSize) {\n return this._settings.calculateSize(rect);\n } else {\n return {\n width: rect.width,\n height: rect.height\n };\n }\n }\n _init() {\n const settings = this._settings;\n if (settings.accessible !== false) {\n if (settings.focusable) {\n this._inner.setAttribute(\"focusable\", \"true\");\n this._inner.setAttribute(\"tabindex\", this.tabindex + \"\");\n }\n if (settings.ariaLabel) {\n this._inner.setAttribute(\"aria-label\", settings.ariaLabel);\n }\n if (settings.role) {\n this._inner.setAttribute(\"role\", settings.role);\n }\n }\n const renderer = this._renderer;\n const rect = this._getRealSize();\n const size = this._getCalculatedSize(rect);\n const width = Math.floor(size.width);\n const height = Math.floor(size.height);\n const realWidth = Math.floor(rect.width);\n const realHeight = Math.floor(rect.height);\n const rootContainer = Container.new(this, {\n visible: true,\n width: width,\n height: height\n });\n this._rootContainer = rootContainer;\n this._rootContainer._defaultThemes.push(DefaultTheme.new(this));\n const container = rootContainer.children.push(Container.new(this, {\n visible: true,\n width: p100,\n height: p100\n }));\n this.container = container;\n renderer.resize(realWidth, realHeight, width, height);\n //@todo: better appendChild - refer\n this._inner.appendChild(renderer.view);\n // TODO: TMP TMP TMP for testing only, remove\n //renderer.debugGhostView = true;\n this._initResizeSensor();\n // HTML content holder\n const htmlElementContainer = document.createElement(\"div\");\n this._htmlElementContainer = htmlElementContainer;\n htmlElementContainer.className = \"am5-html-container\";\n htmlElementContainer.style.position = \"absolute\";\n htmlElementContainer.style.pointerEvents = \"none\";\n if (!this._tooltipContainerSettings) {\n htmlElementContainer.style.overflow = \"hidden\";\n }\n this._inner.appendChild(htmlElementContainer);\n if (this._a11yD !== true) {\n // Create element which is used to make announcements to screen reader\n const readerAlertElement = document.createElement(\"div\");\n readerAlertElement.className = \"am5-reader-container\";\n readerAlertElement.setAttribute(\"role\", \"alert\");\n // readerAlertElement.style.zIndex = \"-100000\";\n // readerAlertElement.style.opacity = \"0\";\n // readerAlertElement.style.top = \"0\";\n readerAlertElement.style.position = \"absolute\";\n readerAlertElement.style.width = \"1px\";\n readerAlertElement.style.height = \"1px\";\n readerAlertElement.style.overflow = \"hidden\";\n readerAlertElement.style.clip = \"rect(1px, 1px, 1px, 1px)\";\n this._readerAlertElement = readerAlertElement;\n this._inner.appendChild(this._readerAlertElement);\n const focusElementContainer = document.createElement(\"div\");\n focusElementContainer.className = \"am5-focus-container\";\n focusElementContainer.style.position = \"absolute\";\n focusElementContainer.style.pointerEvents = \"none\";\n focusElementContainer.style.top = \"0px\";\n focusElementContainer.style.left = \"0px\";\n focusElementContainer.style.overflow = \"hidden\";\n focusElementContainer.style.width = width + \"px\";\n focusElementContainer.style.height = height + \"px\";\n focusElementContainer.setAttribute(\"role\", \"graphics-document\");\n $utils.setInteractive(focusElementContainer, false);\n this._focusElementContainer = focusElementContainer;\n this._inner.appendChild(this._focusElementContainer);\n const tooltipElementContainer = document.createElement(\"div\");\n this._tooltipElementContainer = tooltipElementContainer;\n tooltipElementContainer.className = \"am5-tooltip-container\";\n this._inner.appendChild(tooltipElementContainer);\n // Add keyboard events for accessibility, e.g. simulating drag with arrow\n // keys and click with ENTER\n if ($utils.supports(\"keyboardevents\")) {\n this._disposers.push($utils.addEventListener(window, \"keydown\", ev => {\n const eventKey = $utils.getEventKey(ev);\n if (eventKey == \"Shift\") {\n this._isShift = true;\n } else if (eventKey == \"Tab\") {\n this._isShift = ev.shiftKey;\n }\n }));\n this._disposers.push($utils.addEventListener(window, \"keyup\", ev => {\n const eventKey = $utils.getEventKey(ev);\n if (eventKey == \"Shift\") {\n this._isShift = false;\n }\n }));\n this._disposers.push($utils.addEventListener(focusElementContainer, \"click\", () => {\n // Some screen readers convert ENTER (and some SPACE) press whil on\n // focused element to a \"click\" event, preventing actual \"keydown\"\n // event from firing. We're using this \"click\" event to still\n // generate internal click events.\n const focusedSprite = this._focusedSprite;\n if (focusedSprite) {\n const announceText = focusedSprite.get(\"clickAnnounceText\", \"\");\n if (announceText !== \"\") {\n this.readerAlert(announceText);\n }\n const downEvent = renderer.getEvent(new MouseEvent(\"click\"));\n focusedSprite.events.dispatch(\"click\", {\n type: \"click\",\n originalEvent: downEvent.event,\n point: downEvent.point,\n simulated: true,\n target: focusedSprite\n });\n }\n }));\n this._disposers.push($utils.addEventListener(focusElementContainer, \"keydown\", ev => {\n const focusedSprite = this._focusedSprite;\n if (focusedSprite) {\n if (ev.key == \"Escape\") {\n // ESC pressed - lose current focus\n $utils.blur();\n this._focusedSprite = undefined;\n }\n let dragOffsetX = 0;\n let dragOffsetY = 0;\n // TODO: figure out if using bogus MouseEvent is fine, or it will\n // fail on some platforms\n const eventKey = $utils.getEventKey(ev);\n switch (eventKey) {\n case \"Enter\":\n case \" \":\n const announceText = focusedSprite.get(\"clickAnnounceText\", \"\");\n if (announceText !== \"\") {\n this.readerAlert(announceText);\n }\n if (eventKey == \" \" && focusedSprite.get(\"role\") != \"checkbox\") {\n return;\n }\n ev.preventDefault();\n const downEvent = renderer.getEvent(new MouseEvent(\"mouse\"));\n focusedSprite.events.dispatch(\"click\", {\n type: \"click\",\n originalEvent: downEvent.event,\n point: downEvent.point,\n simulated: true,\n target: focusedSprite\n });\n return;\n case \"ArrowLeft\":\n dragOffsetX = -6;\n break;\n case \"ArrowRight\":\n dragOffsetX = 6;\n break;\n case \"ArrowUp\":\n dragOffsetY = -6;\n break;\n case \"ArrowDown\":\n dragOffsetY = 6;\n break;\n default:\n return;\n }\n if (dragOffsetX != 0 || dragOffsetY != 0) {\n ev.preventDefault();\n if (!focusedSprite.isDragging()) {\n // Start dragging\n this._keyboardDragPoint = {\n x: 0,\n y: 0\n };\n const downEvent = renderer.getEvent(new MouseEvent(\"mousedown\", {\n clientX: 0,\n clientY: 0\n }));\n downEvent.point = {\n x: 0,\n y: 0\n };\n if (focusedSprite.events.isEnabled(\"pointerdown\")) {\n focusedSprite.events.dispatch(\"pointerdown\", {\n type: \"pointerdown\",\n originalEvent: downEvent.event,\n point: downEvent.point,\n simulated: true,\n target: focusedSprite\n });\n }\n } else {\n // Move focus marker\n //this._positionFocusElement(focusedSprite);\n }\n // Move incrementally\n const dragPoint = this._keyboardDragPoint;\n dragPoint.x += dragOffsetX;\n dragPoint.y += dragOffsetY;\n const moveEvent = renderer.getEvent(new MouseEvent(\"mousemove\", {\n clientX: dragPoint.x,\n clientY: dragPoint.y\n }), false);\n if (focusedSprite.events.isEnabled(\"globalpointermove\")) {\n focusedSprite.events.dispatch(\"globalpointermove\", {\n type: \"globalpointermove\",\n originalEvent: moveEvent.event,\n point: moveEvent.point,\n simulated: true,\n target: focusedSprite\n });\n }\n }\n }\n }));\n this._disposers.push($utils.addEventListener(focusElementContainer, \"keyup\", ev => {\n if (this._focusedSprite) {\n const focusedSprite = this._focusedSprite;\n const eventKey = $utils.getEventKey(ev);\n switch (eventKey) {\n case \"ArrowLeft\":\n case \"ArrowRight\":\n case \"ArrowUp\":\n case \"ArrowDown\":\n if (focusedSprite.isDragging()) {\n // Simulate drag stop\n const dragPoint = this._keyboardDragPoint;\n const upEvent = renderer.getEvent(new MouseEvent(\"mouseup\", {\n clientX: dragPoint.x,\n clientY: dragPoint.y\n }));\n if (focusedSprite.events.isEnabled(\"globalpointerup\")) {\n focusedSprite.events.dispatch(\"globalpointerup\", {\n type: \"globalpointerup\",\n originalEvent: upEvent.event,\n point: upEvent.point,\n simulated: true,\n target: focusedSprite\n });\n }\n //this._positionFocusElement(focusedSprite);\n this._keyboardDragPoint = undefined;\n // @todo dispatch mouseup event instead of calling dragStop?\n // this._dispatchEvent(\"globalpointerup\", target, upEvent);\n return;\n } else if (focusedSprite.get(\"focusableGroup\")) {\n // Find next item in focusable group\n const group = focusedSprite.get(\"focusableGroup\");\n const items = this._tabindexes.filter(item => {\n return item.get(\"focusableGroup\") == group && item.getPrivate(\"focusable\") !== false && item.isVisibleDeep() ? true : false;\n });\n let index = items.indexOf(focusedSprite);\n const lastIndex = items.length - 1;\n index += eventKey == \"ArrowRight\" || eventKey == \"ArrowDown\" ? 1 : -1;\n if (index < 0) {\n index = lastIndex;\n } else if (index > lastIndex) {\n index = 0;\n }\n $utils.focus(items[index].getPrivate(\"focusElement\").dom);\n }\n break;\n case \"Tab\":\n const group = focusedSprite.get(\"focusableGroup\");\n if (group && this._isShift) {\n this._focusNext(focusedSprite.getPrivate(\"focusElement\").dom, -1, group);\n return;\n }\n break;\n }\n }\n }));\n }\n }\n this._startTicker();\n this.setThemes([]);\n this._addTooltip();\n if (!this._hasLicense()) {\n this._showBranding();\n }\n }\n _initResizeSensor() {\n if (this._resizeSensorDisposer) {\n this._resizeSensorDisposer.dispose();\n }\n this._resizeSensorDisposer = new ResizeSensor(this.dom, () => {\n if (this.autoResize) {\n this.resize();\n }\n });\n this._disposers.push(this._resizeSensorDisposer);\n }\n /**\r\n * If automatic resizing of char is disabled (`root.autoResize = false`), it\r\n * can be resized manually by calling this method.\r\n */\n resize() {\n const rect = this._getRealSize();\n const size = this._getCalculatedSize(rect);\n const w = Math.floor(size.width);\n const h = Math.floor(size.height);\n if (w > 0 && h > 0) {\n const realWidth = Math.floor(rect.width);\n const realHeight = Math.floor(rect.height);\n const htmlElementContainer = this._htmlElementContainer;\n htmlElementContainer.style.width = w + \"px\";\n htmlElementContainer.style.height = h + \"px\";\n if (this._a11yD !== true) {\n const focusElementContainer = this._focusElementContainer;\n focusElementContainer.style.width = w + \"px\";\n focusElementContainer.style.height = h + \"px\";\n }\n this._renderer.resize(realWidth, realHeight, w, h);\n const rootContainer = this._rootContainer;\n rootContainer.setPrivate(\"width\", w);\n rootContainer.setPrivate(\"height\", h);\n this._render();\n this._handleLogo();\n }\n }\n _render() {\n this._renderer.render(this._rootContainer._display);\n if (this._focusElementDirty) {\n this._updateCurrentFocus();\n this._focusElementDirty = false;\n }\n }\n _runTickers(currentTime) {\n $array.each(this._tickers, f => {\n f(currentTime);\n });\n }\n _runAnimations(currentTime) {\n let running = 0;\n $array.keepIf(this._animations, animation => {\n const state = animation._runAnimation(currentTime);\n if (state === AnimationState.Stopped) {\n return false;\n } else if (state === AnimationState.Playing) {\n ++running;\n return true;\n } else {\n return true;\n }\n });\n this._isDirtyAnimation = false;\n return running === 0;\n }\n _runDirties() {\n //console.log(\"tick **************************************************************\");\n let allParents = {};\n while (this._isDirtyParents) {\n // This must be before calling _prepareChildren\n this._isDirtyParents = false;\n $object.keys(this._dirtyParents).forEach(key => {\n const parent = this._dirtyParents[key];\n delete this._dirtyParents[key];\n if (!parent.isDisposed()) {\n allParents[parent.uid] = parent;\n parent._prepareChildren();\n }\n });\n }\n $object.keys(allParents).forEach(key => {\n allParents[key]._updateChildren();\n });\n const objects = [];\n //\t\tconsole.log(\"_beforeChanged\")\n $object.keys(this._dirty).forEach(key => {\n const entity = this._dirty[key];\n if (entity.isDisposed()) {\n delete this._dirty[entity.uid];\n } else {\n objects.push(entity);\n entity._beforeChanged();\n }\n });\n //\t\tconsole.log(\"_changed\")\n objects.forEach(entity => {\n entity._changed();\n delete this._dirty[entity.uid];\n entity._clearDirty();\n });\n this._isDirty = false;\n const depths = {};\n const bounds = [];\n $object.keys(this._dirtyBounds).forEach(key => {\n const entity = this._dirtyBounds[key];\n delete this._dirtyBounds[key];\n if (!entity.isDisposed()) {\n depths[entity.uid] = entity.depth();\n bounds.push(entity);\n }\n });\n this._positionHTMLElements();\n // High depth -> low depth\n bounds.sort((x, y) => {\n return $order.compare(depths[y.uid], depths[x.uid]);\n });\n //\t\tconsole.log(\"_updateBounds\")\n bounds.forEach(entity => {\n entity._updateBounds();\n });\n //\t\tconsole.log(\"_updatePosition\")\n const dirtyPositions = this._dirtyPositions;\n $object.keys(dirtyPositions).forEach(key => {\n const sprite = dirtyPositions[key];\n delete dirtyPositions[key];\n if (!sprite.isDisposed()) {\n sprite._updatePosition();\n }\n });\n //\t\tconsole.log(\"_afterChanged\")\n objects.forEach(entity => {\n entity._afterChanged();\n });\n }\n _renderFrame(currentTime) {\n if (this._updateTick) {\n if (this.events.isEnabled(\"framestarted\")) {\n this.events.dispatch(\"framestarted\", {\n type: \"framestarted\",\n target: this,\n timestamp: currentTime\n });\n }\n this._checkComputedStyles();\n this._runTickers(currentTime);\n const animationDone = this._runAnimations(currentTime);\n this._runDirties();\n this._render();\n this._renderer.resetImageArray();\n this._positionHTMLElements();\n if (this.events.isEnabled(\"frameended\")) {\n this.events.dispatch(\"frameended\", {\n type: \"frameended\",\n target: this,\n timestamp: currentTime\n });\n }\n return this._tickers.length === 0 && animationDone && !this._isDirtyAnimation && !this._isDirty;\n } else {\n return true;\n }\n }\n _runTicker(currentTime, now) {\n if (!this.isDisposed()) {\n this.animationTime = currentTime;\n const done = this._renderFrame(currentTime);\n // No more work to do\n if (done) {\n this._ticker = null;\n this.animationTime = null;\n } else {\n if (!this._paused) {\n if (now) {\n this._ticker;\n } else {\n rAF(this.fps, this._ticker);\n }\n }\n }\n }\n }\n _runTickerNow(timeout = 10000) {\n if (!this.isDisposed()) {\n const endTime = performance.now() + timeout;\n for (;;) {\n const currentTime = performance.now();\n if (currentTime >= endTime) {\n this.animationTime = null;\n break;\n }\n this.animationTime = currentTime;\n const done = this._renderFrame(currentTime);\n if (done) {\n this.animationTime = null;\n break;\n }\n }\n }\n }\n _startTicker() {\n if (this._ticker === null) {\n this.animationTime = null;\n this._ticker = currentTime => {\n this._runTicker(currentTime);\n };\n rAF(this.fps, this._ticker);\n }\n }\n /**\r\n * Returns whether the root is updating or not.\r\n */\n get updateTick() {\n return this._updateTick;\n }\n /**\r\n * Enables or disables the root updating.\r\n */\n set updateTick(value) {\n this._updateTick = value;\n if (value) {\n this._startTicker();\n }\n }\n _addDirtyEntity(entity) {\n this._isDirty = true;\n if (this._dirty[entity.uid] === undefined) {\n this._dirty[entity.uid] = entity;\n }\n this._startTicker();\n }\n _addDirtyParent(parent) {\n this._isDirty = true;\n this._isDirtyParents = true;\n if (this._dirtyParents[parent.uid] === undefined) {\n this._dirtyParents[parent.uid] = parent;\n }\n this._startTicker();\n }\n _addDirtyBounds(entity) {\n this._isDirty = true;\n if (this._dirtyBounds[entity.uid] === undefined) {\n this._dirtyBounds[entity.uid] = entity;\n }\n this._startTicker();\n }\n _addDirtyPosition(sprite) {\n this._isDirty = true;\n if (this._dirtyPositions[sprite.uid] === undefined) {\n this._dirtyPositions[sprite.uid] = sprite;\n }\n this._startTicker();\n }\n _addAnimation(animation) {\n this._isDirtyAnimation = true;\n // TODO use numeric id instead\n if (this._animations.indexOf(animation) === -1) {\n this._animations.push(animation);\n }\n this._startTicker();\n }\n _markDirty() {\n this._isDirty = true;\n }\n _markDirtyRedraw() {\n this.events.once(\"frameended\", () => {\n this._isDirty = true;\n this._startTicker();\n });\n }\n eachFrame(f) {\n this._tickers.push(f);\n this._startTicker();\n return new Disposer(() => {\n $array.removeFirst(this._tickers, f);\n });\n }\n markDirtyGlobal(container) {\n if (!container) {\n container = this.container;\n }\n container.walkChildren(child => {\n if (child instanceof Container) {\n this.markDirtyGlobal(child);\n }\n child.markDirty();\n child.markDirtyBounds();\n });\n }\n /**\r\n * Returns width of the target container, in pixels.\r\n *\r\n * @return Width\r\n */\n width() {\n // TODO make this more efficient, maybe just return the renderer's width ?\n return Math.floor(this._getCalculatedSize(this._getRealSize()).width);\n }\n /**\r\n * Returns height of the target container, in pixels.\r\n *\r\n * @return Height\r\n */\n height() {\n // TODO make this more efficient, maybe just return the renderer's height ?\n return Math.floor(this._getCalculatedSize(this._getRealSize()).height);\n }\n /**\r\n * Disposes root and all the content in it.\r\n */\n dispose() {\n if (!this._isDisposed) {\n this._isDisposed = true;\n this._rootContainer.dispose();\n this._renderer.dispose();\n this.horizontalLayout.dispose();\n this.verticalLayout.dispose();\n this.interfaceColors.dispose();\n $array.each(this._disposers, x => {\n x.dispose();\n });\n if (this._inner) {\n $utils.removeElement(this._inner);\n }\n $array.remove(registry.rootElements, this);\n }\n }\n /**\r\n * Returns `true` if root element is disposed.\r\n *\r\n * @return Disposed?\r\n */\n isDisposed() {\n return this._isDisposed;\n }\n /**\r\n * Triggers screen reader read out a message.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/accessibility/} for more info\r\n * @param text Alert text\r\n */\n readerAlert(text) {\n if (this._a11yD !== true) {\n this._readerAlertElement.innerHTML = $utils.stripTags(text);\n }\n }\n /**\r\n * Sets themes to be used for the chart.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/themes/} for more info\r\n * @param themes A list of themes\r\n */\n setThemes(themes) {\n this._rootContainer.set(\"themes\", themes);\n // otherwise new themes are not applied\n const tooltipContainer = this.tooltipContainer;\n if (tooltipContainer) {\n tooltipContainer._applyThemes();\n }\n // @todo review this\n const interfaceColors = this.interfaceColors;\n if (interfaceColors) {\n interfaceColors._applyThemes();\n }\n }\n _addTooltip() {\n if (!this.tooltipContainer) {\n const tooltipContainerSettings = this._tooltipContainerSettings;\n const tooltipContainer = this._rootContainer.children.push(Container.new(this, {\n position: \"absolute\",\n isMeasured: false,\n width: p100,\n height: p100,\n layer: tooltipContainerSettings ? 35 : 30,\n layerMargin: tooltipContainerSettings ? tooltipContainerSettings : undefined\n }));\n this.tooltipContainer = tooltipContainer;\n const tooltip = Tooltip.new(this, {});\n this.container.set(\"tooltip\", tooltip);\n tooltip.hide(0);\n this._tooltip = tooltip;\n }\n }\n /**\r\n * Accesibility\r\n */\n _registerTabindexOrder(target) {\n if (this._a11yD == true) {\n return;\n }\n if (target.get(\"focusable\")) {\n $array.pushOne(this._tabindexes, target);\n } else {\n $array.remove(this._tabindexes, target);\n }\n this._invalidateTabindexes();\n }\n _unregisterTabindexOrder(target) {\n if (this._a11yD == true) {\n return;\n }\n $array.remove(this._tabindexes, target);\n this._invalidateTabindexes();\n }\n _invalidateTabindexes() {\n if (this._a11yD == true) {\n return;\n }\n this._tabindexes.sort((a, b) => {\n const aindex = a.get(\"tabindexOrder\", 0);\n const bindex = b.get(\"tabindexOrder\", 0);\n if (aindex == bindex) {\n return 0;\n } else if (aindex > bindex) {\n return 1;\n } else {\n return -1;\n }\n });\n const groups = [];\n $array.each(this._tabindexes, (item, index) => {\n if (!item.getPrivate(\"focusElement\")) {\n this._makeFocusElement(index, item);\n } else {\n this._moveFocusElement(index, item);\n }\n const group = item.get(\"focusableGroup\");\n if (group && item.getPrivate(\"focusable\") !== false) {\n if (groups.indexOf(group) !== -1) {\n // Non-first element in the group, make it not directly focusable\n item.getPrivate(\"focusElement\").dom.setAttribute(\"tabindex\", \"-1\");\n } else {\n groups.push(group);\n }\n }\n });\n }\n _updateCurrentFocus() {\n if (this._a11yD == true) {\n return;\n }\n if (this._focusedSprite) {\n this._decorateFocusElement(this._focusedSprite);\n this._positionFocusElement(this._focusedSprite);\n }\n }\n _decorateFocusElement(target, focusElement) {\n if (this._a11yD == true) {\n return;\n }\n // Decorate with proper accessibility attributes\n if (!focusElement) {\n focusElement = target.getPrivate(\"focusElement\").dom;\n }\n if (!focusElement) {\n return;\n }\n const role = target.get(\"role\");\n if (role) {\n focusElement.setAttribute(\"role\", role);\n } else {\n focusElement.removeAttribute(\"role\");\n }\n const ariaLabel = target.get(\"ariaLabel\");\n if (ariaLabel) {\n const label = populateString(target, ariaLabel);\n focusElement.setAttribute(\"aria-label\", label);\n } else {\n focusElement.removeAttribute(\"aria-label\");\n }\n const ariaLive = target.get(\"ariaLive\");\n if (ariaLive) {\n focusElement.setAttribute(\"aria-live\", ariaLive);\n } else {\n focusElement.removeAttribute(\"aria-live\");\n }\n const ariaChecked = target.get(\"ariaChecked\");\n if (ariaChecked != null && role && [\"checkbox\", \"option\", \"radio\", \"menuitemcheckbox\", \"menuitemradio\", \"treeitem\"].indexOf(role) !== -1) {\n focusElement.setAttribute(\"aria-checked\", ariaChecked ? \"true\" : \"false\");\n } else {\n focusElement.removeAttribute(\"aria-checked\");\n }\n const ariaCurrent = target.get(\"ariaCurrent\");\n if (ariaCurrent != null) {\n focusElement.setAttribute(\"aria-current\", ariaCurrent);\n } else {\n focusElement.removeAttribute(\"aria-current\");\n }\n const ariaSelected = target.get(\"ariaSelected\");\n if (ariaSelected != null && role && [\"gridcell\", \"option\", \"row\", \"tab\", \"columnheader\", \"rowheader\", \"treeitem\"].indexOf(role) !== -1) {\n focusElement.setAttribute(\"aria-selected\", ariaSelected ? \"true\" : \"false\");\n } else {\n focusElement.removeAttribute(\"aria-selected\");\n }\n if (target.get(\"ariaHidden\")) {\n focusElement.setAttribute(\"aria-hidden\", \"true\");\n } else {\n focusElement.removeAttribute(\"aria-hidden\");\n }\n const ariaOrientation = target.get(\"ariaOrientation\");\n if (ariaOrientation) {\n focusElement.setAttribute(\"aria-orientation\", ariaOrientation);\n } else {\n focusElement.removeAttribute(\"aria-orientation\");\n }\n const ariaValueNow = target.get(\"ariaValueNow\");\n if (ariaValueNow) {\n focusElement.setAttribute(\"aria-valuenow\", ariaValueNow);\n } else {\n focusElement.removeAttribute(\"aria-valuenow\");\n }\n const ariaValueMin = target.get(\"ariaValueMin\");\n if (ariaValueMin) {\n focusElement.setAttribute(\"aria-valuemin\", ariaValueMin);\n } else {\n focusElement.removeAttribute(\"aria-valuemin\");\n }\n const ariaValueMax = target.get(\"ariaValueMax\");\n if (ariaValueMax) {\n focusElement.setAttribute(\"aria-valuemax\", ariaValueMax);\n } else {\n focusElement.removeAttribute(\"aria-valuemax\");\n }\n const ariaValueText = target.get(\"ariaValueText\");\n if (ariaValueText) {\n focusElement.setAttribute(\"aria-valuetext\", ariaValueText);\n } else {\n focusElement.removeAttribute(\"aria-valuetext\");\n }\n const ariaControls = target.get(\"ariaControls\");\n if (ariaControls) {\n focusElement.setAttribute(\"aria-controls\", ariaControls);\n } else {\n focusElement.removeAttribute(\"aria-controls\");\n }\n if (target.get(\"visible\") && target.get(\"opacity\") !== 0 && target.get(\"role\") != \"tooltip\" && !target.isHidden() && target.getPrivate(\"focusable\") !== false) {\n if (focusElement.getAttribute(\"tabindex\") != \"-1\") {\n focusElement.setAttribute(\"tabindex\", \"\" + this.tabindex);\n }\n focusElement.removeAttribute(\"aria-hidden\");\n } else {\n focusElement.removeAttribute(\"tabindex\");\n focusElement.setAttribute(\"aria-hidden\", \"true\");\n }\n }\n _makeFocusElement(index, target) {\n if (target.getPrivate(\"focusElement\") || this._a11yD == true) {\n return;\n }\n // Init\n const focusElement = document.createElement(\"div\");\n if (target.get(\"role\") != \"tooltip\") {\n focusElement.tabIndex = this.tabindex;\n }\n focusElement.style.position = \"absolute\";\n $utils.setInteractive(focusElement, false);\n const disposers = [];\n target.setPrivate(\"focusElement\", {\n dom: focusElement,\n disposers\n });\n this._decorateFocusElement(target);\n disposers.push($utils.addEventListener(focusElement, \"focus\", ev => {\n this._handleFocus(ev);\n }));\n disposers.push($utils.addEventListener(focusElement, \"blur\", ev => {\n this._handleBlur(ev);\n }));\n this._moveFocusElement(index, target);\n }\n _removeFocusElement(target) {\n if (this._a11yD == true) {\n return;\n }\n $array.remove(this._tabindexes, target);\n const focusElement = target.getPrivate(\"focusElement\");\n if (focusElement) {\n const container = this._focusElementContainer;\n container.removeChild(focusElement.dom);\n $array.each(focusElement.disposers, x => {\n x.dispose();\n });\n }\n }\n _hideFocusElement(target) {\n if (this._a11yD == true) {\n return;\n }\n const focusElement = target.getPrivate(\"focusElement\");\n focusElement.dom.style.display = \"none\";\n }\n _moveFocusElement(index, target) {\n if (this._a11yD == true) {\n return;\n }\n // Get container\n const container = this._focusElementContainer;\n const focusElement = target.getPrivate(\"focusElement\").dom;\n if (focusElement === this._focusElementContainer.children[index]) {\n // Nothing to do\n return;\n }\n const next = this._focusElementContainer.children[index + 1];\n if (next) {\n container.insertBefore(focusElement, next);\n } else {\n container.append(focusElement);\n }\n }\n _positionFocusElement(target) {\n if (this._a11yD == true || target == undefined) {\n return;\n }\n const bounds = target.globalBounds();\n let width = bounds.right == bounds.left ? target.width() : bounds.right - bounds.left;\n let height = bounds.top == bounds.bottom ? target.height() : bounds.bottom - bounds.top;\n const padding = this._settings.focusPadding !== undefined ? this._settings.focusPadding : 2;\n let x = bounds.left - padding;\n let y = bounds.top - padding;\n if (width < 0) {\n x += width;\n width = Math.abs(width);\n }\n if (height < 0) {\n y += height;\n height = Math.abs(height);\n }\n const focusElement = target.getPrivate(\"focusElement\").dom;\n focusElement.style.top = y + \"px\";\n focusElement.style.left = x + \"px\";\n focusElement.style.width = width + padding * 2 + \"px\";\n focusElement.style.height = height + padding * 2 + \"px\";\n }\n _getSpriteByFocusElement(target) {\n let found;\n $array.eachContinue(this._tabindexes, (item, _index) => {\n if (item.getPrivate(\"focusElement\").dom === target) {\n found = item;\n return false;\n }\n return true;\n });\n return found;\n }\n _handleFocus(ev) {\n if (this._a11yD == true) {\n return;\n }\n // Get element\n //const focused = this._tabindexes[index];\n const focused = this._getSpriteByFocusElement(ev.target);\n if (!focused) {\n return;\n }\n // Jump over hidden elements\n if (!focused.isVisibleDeep()) {\n this._focusNext(ev.target, this._isShift ? -1 : 1);\n return;\n }\n // Size and position\n this._positionFocusElement(focused);\n //this._decorateFocusElement(focused);\n this._focusedSprite = focused;\n if (focused.events.isEnabled(\"focus\")) {\n focused.events.dispatch(\"focus\", {\n type: \"focus\",\n originalEvent: ev,\n target: focused\n });\n }\n }\n _focusNext(el, direction, group) {\n if (this._a11yD == true) {\n return;\n }\n const focusableElements = Array.from(document.querySelectorAll(['a[href]', 'area[href]', 'button:not([disabled])', 'details', 'input:not([disabled])', 'iframe:not([disabled])', 'select:not([disabled])', 'textarea:not([disabled])', '[contentEditable=\"\"]', '[contentEditable=\"true\"]', '[contentEditable=\"TRUE\"]', '[tabindex]:not([tabindex^=\"-\"])'\n //':not([disabled])'\n ].join(',')));\n let index = focusableElements.indexOf(el) + direction;\n if (index < 0) {\n index = focusableElements.length - 1;\n } else if (index >= focusableElements.length) {\n index = 0;\n }\n const targetElement = focusableElements[index];\n if (group && direction == -1) {\n const target = this._getSpriteByFocusElement(targetElement);\n if (target && target.get(\"focusableGroup\") == group) {\n this._focusNext(targetElement, direction);\n return;\n }\n }\n targetElement.focus();\n }\n _handleBlur(ev) {\n if (this._a11yD == true) {\n return;\n }\n const focused = this._focusedSprite;\n if (focused && !focused.isDisposed() && focused.events.isEnabled(\"blur\")) {\n focused.events.dispatch(\"blur\", {\n type: \"blur\",\n originalEvent: ev,\n target: focused\n });\n }\n this._focusedSprite = undefined;\n }\n /**\r\n * @ignore\r\n */\n updateTooltip(target) {\n if (this._a11yD == true) {\n return;\n }\n const text = $utils.stripTags(target._getText());\n let tooltipElement = target.getPrivate(\"tooltipElement\");\n if (target.get(\"role\") == \"tooltip\" && text != \"\") {\n if (!tooltipElement) {\n tooltipElement = this._makeTooltipElement(target);\n }\n if (tooltipElement.innerHTML != text) {\n tooltipElement.innerHTML = text;\n }\n tooltipElement.setAttribute(\"aria-hidden\", target.isVisibleDeep() ? \"false\" : \"true\");\n } else if (tooltipElement) {\n tooltipElement.remove();\n target.removePrivate(\"tooltipElement\");\n }\n }\n _makeTooltipElement(target) {\n const container = this._tooltipElementContainer;\n const tooltipElement = document.createElement(\"div\");\n tooltipElement.style.position = \"absolute\";\n tooltipElement.style.width = \"1px\";\n tooltipElement.style.height = \"1px\";\n tooltipElement.style.overflow = \"hidden\";\n tooltipElement.style.clip = \"rect(1px, 1px, 1px, 1px)\";\n $utils.setInteractive(tooltipElement, false);\n this._decorateFocusElement(target, tooltipElement);\n container.append(tooltipElement);\n target.setPrivate(\"tooltipElement\", tooltipElement);\n return tooltipElement;\n }\n _removeTooltipElement(target) {\n if (this._a11yD == true) {\n return;\n }\n const tooltipElement = target.getPrivate(\"tooltipElement\");\n if (tooltipElement) {\n const parent = tooltipElement.parentElement;\n if (parent) {\n parent.removeChild(tooltipElement);\n }\n }\n }\n _invalidateAccessibility(target) {\n if (this._a11yD == true) {\n return;\n }\n this._focusElementDirty = true;\n const focusElement = target.getPrivate(\"focusElement\");\n if (target.get(\"focusable\")) {\n if (focusElement) {\n this._decorateFocusElement(target);\n this._positionFocusElement(target);\n }\n // else {\n // \tthis._renderer._makeFocusElement(0, this);\n // }\n } else if (focusElement) {\n this._removeFocusElement(target);\n }\n //this.updateCurrentFocus();\n }\n /**\r\n * Returns `true` if `target` is currently focused.\r\n *\r\n * @param target Target\r\n * @return Focused?\r\n */\n focused(target) {\n return this._focusedSprite === target;\n }\n /**\r\n * Converts document coordinates to coordinates withing root element.\r\n *\r\n * @param point Document point\r\n * @return Root point\r\n */\n documentPointToRoot(point) {\n const rect = this._getRealSize();\n const size = this._getCalculatedSize(rect);\n const scaleWidth = size.width / rect.width;\n const scaleHeight = size.height / rect.height;\n return {\n x: (point.x - rect.left) * scaleWidth,\n y: (point.y - rect.top) * scaleHeight\n };\n }\n /**\r\n * Converts root coordinates to document\r\n *\r\n * @param point Document point\r\n * @return Root point\r\n */\n rootPointToDocument(point) {\n const rect = this._getRealSize();\n const size = this._getCalculatedSize(rect);\n const scaleWidth = size.width / rect.width;\n const scaleHeight = size.height / rect.height;\n return {\n x: point.x / scaleWidth + rect.left,\n y: point.y / scaleHeight + rect.top\n };\n }\n /**\r\n * @ignore\r\n */\n addDisposer(disposer) {\n this._disposers.push(disposer);\n return disposer;\n }\n _updateComputedStyles() {\n const styles = window.getComputedStyle(this.dom);\n let fontHash = \"\";\n $object.each(styles, (key, val) => {\n if ($type.isString(key) && key.match(/^font/)) {\n fontHash += val;\n }\n });\n const changed = fontHash != this._fontHash;\n if (changed) {\n this._fontHash = fontHash;\n }\n return changed;\n }\n _checkComputedStyles() {\n if (this._updateComputedStyles()) {\n this._invalidateLabelBounds(this.container);\n }\n }\n _invalidateLabelBounds(target) {\n if (target instanceof Container) {\n target.children.each(child => {\n this._invalidateLabelBounds(child);\n });\n } else if (target instanceof Text) {\n target.markDirtyBounds();\n }\n }\n /**\r\n * To all the clever heads out there. Yes, we did not make any attempts to\r\n * scramble this.\r\n *\r\n * This is a part of a tool meant for our users to manage their commercial\r\n * licenses for removal of amCharts branding from charts.\r\n *\r\n * The only legit way to do so is to purchase a commercial license for amCharts:\r\n * https://www.amcharts.com/online-store/\r\n *\r\n * Removing or altering this code, or disabling amCharts branding in any other\r\n * way is against the license and thus illegal.\r\n */\n _hasLicense() {\n for (let i = 0; i < registry.licenses.length; i++) {\n if (registry.licenses[i].match(/^AM5C.{5,}/i)) {\n return true;\n }\n }\n return false;\n }\n _licenseApplied() {\n if (this._logo) {\n this._logo.set(\"forceHidden\", true);\n }\n }\n /**\r\n * @ignore\r\n */\n get debugGhostView() {\n return this._renderer.debugGhostView;\n }\n /**\r\n * @ignore\r\n */\n set debugGhostView(value) {\n this._renderer.debugGhostView = value;\n }\n /**\r\n * Set this to `true` if you need chart to require first a tap onto it before\r\n * touch gesture related functionality like zoom/pan is turned on.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/root-element/#Touch_related_options} for more info\r\n * @default false\r\n * @since 5.2.9\r\n * @param value Needs a tap to activate touch functions\r\n */\n set tapToActivate(value) {\n this._renderer.tapToActivate = value;\n }\n /**\r\n * @return Needs a tap to activate touch functions\r\n */\n get tapToActivate() {\n return this._renderer.tapToActivate;\n }\n /**\r\n * If `tapToActivate` is set to `true`, this setting will determine number\r\n * of milliseconds the chart will stay \"active\", before releasing the\r\n * controls back to the page.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/getting-started/root-element/#Touch_related_options} for more info\r\n * @default 3000\r\n * @since 5.2.9\r\n * @param value Timeout\r\n */\n set tapToActivateTimeout(value) {\n this._renderer.tapToActivateTimeout = value;\n }\n /**\r\n * @return Timeout\r\n */\n get tapToActivateTimeout() {\n return this._renderer.tapToActivateTimeout;\n }\n _makeHTMLElement(target) {\n // Get container\n const container = this._htmlElementContainer;\n // Init\n const htmlElement = document.createElement(\"div\");\n target.setPrivate(\"htmlElement\", htmlElement);\n //htmlElement.tabIndex = this.tabindex;\n htmlElement.style.position = \"absolute\";\n htmlElement.style.overflow = \"auto\";\n htmlElement.style.boxSizing = \"border-box\";\n $utils.setInteractive(htmlElement, target.get(\"interactive\", false));\n // Translate events\n if (target.events.isEnabled(\"click\")) {\n $utils.setInteractive(htmlElement, true);\n this._disposers.push($utils.addEventListener(htmlElement, \"click\", ev => {\n const downEvent = this._renderer.getEvent(ev);\n target.events.dispatch(\"click\", {\n type: \"click\",\n originalEvent: downEvent.event,\n point: downEvent.point,\n simulated: false,\n target: target\n });\n }));\n }\n this._positionHTMLElement(target);\n container.append(htmlElement);\n $array.pushOne(this._htmlEnabledContainers, target);\n return htmlElement;\n }\n _positionHTMLElements() {\n $array.each(this._htmlEnabledContainers, target => {\n this._positionHTMLElement(target);\n });\n }\n _positionHTMLElement(target) {\n const htmlElement = target.getPrivate(\"htmlElement\");\n if (htmlElement) {\n // Translate settings\n const visualSettings = [\"paddingTop\", \"paddingRight\", \"paddingBottom\", \"paddingLeft\", \"minWidth\", \"minHeight\", \"maxWidth\", \"maxHeight\"];\n $array.each(visualSettings, setting => {\n const value = target.get(setting);\n if (value) {\n htmlElement.style[setting] = value + \"px\";\n } else {\n htmlElement.style[setting] = \"\";\n }\n });\n const strtingSettings = [\"fontFamily\", \"fontSize\", \"fontStyle\", \"fontWeight\", \"fontStyle\", \"fontVariant\", \"textDecoration\"];\n $array.each(strtingSettings, setting => {\n const value = target.get(setting);\n if (value) {\n if (setting == \"fontSize\" && !$type.isString(value)) {\n htmlElement.style[setting] = value + \"px\";\n } else {\n htmlElement.style[setting] = value + \"\";\n }\n } else {\n htmlElement.style[setting] = \"\";\n }\n });\n // Init and reset scale / rotation\n const scale = target.compositeScale() || 1;\n const rotation = target.compositeRotation() || 0;\n htmlElement.style.transform = \"\";\n htmlElement.style.transformOrigin = \"\";\n // Deal with opacity\n const opacity = target.compositeOpacity();\n setTimeout(() => {\n htmlElement.style.opacity = opacity + \"\";\n }, 10);\n const visible = target.isVisibleDeep();\n if (visible) {\n htmlElement.style.display = \"block\";\n }\n // Deal with position\n // const bounds = target.globalBounds();\n // htmlElement.style.top = (bounds.top) + \"px\";\n // htmlElement.style.left = (bounds.left) + \"px\";\n let pos = {\n x: target.x() + target.get(\"dx\", 0),\n y: target.y() + target.get(\"dy\", 0)\n };\n if (target.parent) {\n pos = target.parent.toGlobal(pos);\n }\n htmlElement.style.top = pos.y + \"px\";\n htmlElement.style.left = pos.x + \"px\";\n // Use width/height if those are set\n const width = target.get(\"width\");\n const height = target.get(\"height\");\n let w = 0;\n let h = 0;\n if (width) {\n w = target.width();\n }\n if (height) {\n h = target.height();\n }\n if (!width || !height) {\n htmlElement.style.position = \"fixed\";\n htmlElement.style.width = \"\";\n htmlElement.style.height = \"\";\n const bbox = htmlElement.getBoundingClientRect();\n htmlElement.style.position = \"absolute\";\n if (!width) w = bbox.width;\n if (!height) h = bbox.height;\n let lw = w / scale;\n let lh = h / scale;\n let cx = target.get(\"centerX\", 0);\n let cy = target.get(\"centerY\", 0);\n let ll = 0;\n let lr = 0;\n let lt = 0;\n let lb = 0;\n if (cx instanceof Percent) {\n ll = -cx.value * lw;\n lr = (1 - cx.value) * lw;\n } else {\n ll = -cx;\n lr = lw - cx;\n }\n if (cy instanceof Percent) {\n lt = -cy.value * lh;\n lb = (1 - cy.value) * lh;\n } else {\n lt = -cy;\n lb = lh - cy;\n }\n target._localBounds = {\n left: ll,\n right: lr,\n top: lt,\n bottom: lb\n };\n let previousBounds = target._adjustedLocalBounds;\n let newBounds = target._display.getAdjustedBounds(target._localBounds);\n target._adjustedLocalBounds = newBounds;\n // compare each value of the bounds\n if (previousBounds.left !== newBounds.left || previousBounds.right !== newBounds.right || previousBounds.top !== newBounds.top || previousBounds.bottom !== newBounds.bottom) {\n target.markDirtyBounds();\n }\n }\n if (w > 0) {\n htmlElement.style.minWidth = w + \"px\";\n }\n if (h > 0) {\n htmlElement.style.minHeight = h + \"px\";\n }\n // Hide or show\n if (!visible || opacity == 0) {\n htmlElement.style.display = \"none\";\n }\n // Center position\n const x = target.get(\"centerX\", 0);\n const originX = isPercent(x) ? x.percent + \"%\" : x + \"px\";\n const y = target.get(\"centerY\", 0);\n const originY = isPercent(y) ? y.percent + \"%\" : y + \"px\";\n if (x || y) {\n htmlElement.style.transform = \"translate(-\" + originX + \", -\" + originY + \")\" + htmlElement.style.transform;\n }\n // Deal with scale\n if (scale != 1) {\n htmlElement.style.transform += \"scale(\" + scale + \")\";\n }\n if (rotation != 0) {\n htmlElement.style.transform += \" rotate(\" + rotation + \"deg)\";\n }\n if (htmlElement.style.transform != \"\") {\n htmlElement.style.transformOrigin = originX + \" \" + originY;\n //htmlElement.style.transformOrigin = \"0% 0%\";\n }\n }\n }\n _setHTMLContent(target, html) {\n let htmlElement = target.getPrivate(\"htmlElement\");\n if (!htmlElement) {\n htmlElement = this._makeHTMLElement(target);\n }\n if (htmlElement.innerHTML != html) {\n htmlElement.innerHTML = html;\n }\n }\n _removeHTMLContent(target) {\n let htmlElement = target.getPrivate(\"htmlElement\");\n if (htmlElement) {\n this._htmlElementContainer.removeChild(htmlElement);\n target.removePrivate(\"htmlElement\");\n }\n $array.remove(this._htmlEnabledContainers, target);\n }\n}\n","import { Entity } from \"../../core/util/Entity\";\n/**\r\n * A universal placeholder for bullet elements.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/bullets/} for more info\r\n */\nexport class Bullet extends Entity {\n constructor() {\n super(...arguments);\n // used by MapPolygons where one data item can have multiple bullets of the same kind\n Object.defineProperty(this, \"_index\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * Target series object if it's a bullet for series.\r\n */\n Object.defineProperty(this, \"series\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n _afterNew() {\n // Applying themes because bullet will not have parent\n super._afterNewApplyThemes();\n }\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"sprite\")) {\n const sprite = this.get(\"sprite\");\n if (sprite) {\n sprite.setAll({\n position: \"absolute\",\n role: \"figure\"\n });\n this._disposers.push(sprite);\n }\n }\n if (this.isDirty(\"locationX\") || this.isDirty(\"locationY\")) {\n if (this.series) {\n this.series._positionBullet(this);\n }\n }\n }\n}\nObject.defineProperty(Bullet, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Bullet\"\n});\nObject.defineProperty(Bullet, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Entity.classNames.concat([Bullet.className])\n});\n","import { Graphics } from \"./Graphics\";\n/**\r\n * Draws a circle.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/graphics/} for more info\r\n * @important\r\n */\nexport class Circle extends Graphics {\n _afterNew() {\n super._afterNew();\n this._display.isMeasured = true;\n this.setPrivateRaw(\"trustBounds\", true);\n }\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"radius\")) {\n this._clear = true;\n }\n }\n _changed() {\n super._changed();\n if (this._clear) {\n this._display.drawCircle(0, 0, Math.abs(this.get(\"radius\", 10)));\n }\n }\n}\nObject.defineProperty(Circle, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Circle\"\n});\nObject.defineProperty(Circle, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Graphics.classNames.concat([Circle.className])\n});\n","import { List } from \"./List\";\n/**\r\n * A [[List]] that holds components data.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/data/} for more info\r\n */\nexport class ListData extends List {\n constructor() {\n super(...arguments);\n /**\r\n * An optional processor for data.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/data/#Pre_processing_data} for more info\r\n */\n Object.defineProperty(this, \"processor\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n }\n /**\r\n * @ignore\r\n */\n incrementRef() {}\n /**\r\n * @ignore\r\n */\n decrementRef() {}\n _onPush(newValue) {\n if (this.processor) {\n this.processor.processRow(newValue);\n }\n super._onPush(newValue);\n }\n _onInsertIndex(index, newValue) {\n if (this.processor) {\n this.processor.processRow(newValue);\n }\n super._onInsertIndex(index, newValue);\n }\n _onSetIndex(index, oldValue, newValue) {\n if (this.processor) {\n this.processor.processRow(newValue);\n }\n super._onSetIndex(index, oldValue, newValue);\n }\n}\n/**\r\n * @deprecated\r\n * @todo remove\r\n */\nexport class JsonData {\n constructor(value) {\n Object.defineProperty(this, \"processor\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_value\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this._value = value;\n }\n incrementRef() {}\n decrementRef() {}\n}\n","import { __awaiter } from \"tslib\";\nimport { Settings } from \"../util/Entity\";\nimport { Container } from \"./Container\";\nimport { ListData } from \"../util/Data\";\nimport * as $array from \"../util/Array\";\nimport * as $object from \"../util/Object\";\n/**\r\n * A base element that holds data bit (data item) for any [[Component]].\r\n */\nexport class DataItem extends Settings {\n constructor(component, dataContext, settings) {\n super(settings);\n /**\r\n * A data item's owener [[Component]].\r\n */\n Object.defineProperty(this, \"component\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * A reference to actual item in source data this item is based on.\r\n */\n Object.defineProperty(this, \"dataContext\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * @todo requires description\r\n */\n Object.defineProperty(this, \"bullets\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * A set of \"open\" values.\r\n */\n Object.defineProperty(this, \"open\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * A set of \"close\" values.\r\n */\n Object.defineProperty(this, \"close\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n this.dataContext = dataContext;\n this.component = component;\n this._settings.visible = true;\n this._checkDirty();\n }\n /**\r\n * @ignore\r\n */\n markDirty() {\n this.component.markDirtyValues(this);\n }\n _startAnimation() {\n this.component._root._addAnimation(this);\n }\n _animationTime() {\n return this.component._root.animationTime;\n }\n _dispose() {\n if (this.component) {\n this.component.disposeDataItem(this);\n }\n super._dispose();\n }\n /**\r\n * Shows a data item that's currently hidden.\r\n */\n show(duration) {\n this.setRaw(\"visible\", true);\n if (this.component) {\n this.component.showDataItem(this, duration);\n }\n }\n /**\r\n * Hides a data item that's currently visible.\r\n */\n hide(duration) {\n this.setRaw(\"visible\", false);\n if (this.component) {\n this.component.hideDataItem(this, duration);\n }\n }\n isHidden() {\n return !this.get(\"visible\");\n }\n}\n/**\r\n * A base class for elements that make use of data.\r\n */\nexport class Component extends Container {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_data\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new ListData()\n });\n Object.defineProperty(this, \"_dataItems\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"_mainDataItems\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this._dataItems\n });\n Object.defineProperty(this, \"valueFields\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: []\n });\n Object.defineProperty(this, \"fields\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: [\"id\"]\n });\n Object.defineProperty(this, \"_valueFields\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_valueFieldsF\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_fields\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_fieldsF\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_valuesDirty\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_dataChanged\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_dataGrouped\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n /**\r\n * Indicates if the component has already been initialized.\r\n */\n Object.defineProperty(this, \"inited\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n }\n /**\r\n * Component's data.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/data/} for more info\r\n */\n set data(data) {\n data.incrementRef();\n this._data.decrementRef();\n this._data = data;\n }\n /**\r\n * @return Data\r\n */\n get data() {\n return this._data;\n }\n _dispose() {\n super._dispose();\n this._data.decrementRef();\n }\n _onDataClear() {}\n _afterNew() {\n super._afterNew();\n this._data.incrementRef();\n this._updateFields();\n this._disposers.push(this.data.events.onAll(change => {\n const dataItems = this._mainDataItems;\n this.markDirtyValues();\n this._markDirtyGroup();\n this._dataChanged = true;\n if (change.type === \"clear\") {\n $array.each(dataItems, dataItem => {\n dataItem.dispose();\n });\n dataItems.length = 0;\n this._onDataClear();\n } else if (change.type === \"push\") {\n const dataItem = new DataItem(this, change.newValue, this._makeDataItem(change.newValue));\n dataItems.push(dataItem);\n this.processDataItem(dataItem);\n } else if (change.type === \"setIndex\") {\n const dataItem = dataItems[change.index];\n const properties = this._makeDataItem(change.newValue);\n if (dataItem.bullets && dataItem.bullets.length == 0) {\n dataItem.bullets = undefined;\n }\n $object.keys(properties).forEach(key => {\n dataItem.animate({\n key: key,\n to: properties[key],\n duration: this.get(\"interpolationDuration\", 0),\n easing: this.get(\"interpolationEasing\")\n });\n });\n dataItem.dataContext = change.newValue;\n } else if (change.type === \"insertIndex\") {\n const dataItem = new DataItem(this, change.newValue, this._makeDataItem(change.newValue));\n dataItems.splice(change.index, 0, dataItem);\n this.processDataItem(dataItem);\n } else if (change.type === \"removeIndex\") {\n const dataItem = dataItems[change.index];\n dataItem.dispose();\n dataItems.splice(change.index, 1);\n } else if (change.type === \"moveIndex\") {\n const dataItem = dataItems[change.oldIndex];\n dataItems.splice(change.oldIndex, 1);\n dataItems.splice(change.newIndex, 0, dataItem);\n } else {\n throw new Error(\"Unknown IStreamEvent type\");\n }\n this._afterDataChange();\n }));\n }\n _updateFields() {\n if (this.valueFields) {\n this._valueFields = [];\n this._valueFieldsF = {};\n $array.each(this.valueFields, key => {\n const field = this.get(key + \"Field\");\n if (field) {\n this._valueFields.push(key);\n this._valueFieldsF[key] = {\n fieldKey: key + \"Field\",\n workingKey: key + \"Working\"\n };\n }\n });\n }\n if (this.fields) {\n this._fields = [];\n this._fieldsF = {};\n $array.each(this.fields, key => {\n const field = this.get(key + \"Field\");\n if (field) {\n this._fields.push(key);\n this._fieldsF[key] = key + \"Field\";\n }\n });\n }\n }\n /**\r\n * A list of component's data items.\r\n *\r\n * @return Data items\r\n */\n get dataItems() {\n return this._dataItems;\n }\n processDataItem(_dataItem) {}\n _makeDataItem(data) {\n //const output: this[\"_dataItemSettings\"] = {};\n const output = {}; // temporary to solve error\n if (this._valueFields) {\n $array.each(this._valueFields, key => {\n const field = this.get(this._valueFieldsF[key].fieldKey);\n output[key] = data[field];\n output[this._valueFieldsF[key].workingKey] = output[key];\n });\n }\n if (this._fields) {\n $array.each(this._fields, key => {\n const field = this.get(this._fieldsF[key]);\n output[key] = data[field];\n });\n }\n return output;\n }\n /**\r\n * Creates a new data item and processes it.\r\n *\r\n * @param data Data item settings\r\n * @param dataContext Data context\r\n * @return New data item\r\n */\n makeDataItem(data, dataContext) {\n let dataItem = new DataItem(this, dataContext, data);\n this.processDataItem(dataItem);\n return dataItem;\n }\n /**\r\n * Adds new explicit data item to series.\r\n *\r\n * @param data Data item settings\r\n * @param dataContext Data context\r\n * @return New data item\r\n */\n pushDataItem(data, dataContext) {\n const dataItem = this.makeDataItem(data, dataContext);\n this._mainDataItems.push(dataItem);\n return dataItem;\n }\n /**\r\n * @ignore\r\n */\n disposeDataItem(_dataItem) {}\n /**\r\n * Shows component's data item.\r\n *\r\n * @param dataItem Data item\r\n * @param _duration Animation duration in milliseconds\r\n * @return Promise\r\n */\n showDataItem(dataItem, _duration) {\n return __awaiter(this, void 0, void 0, function* () {\n dataItem.set(\"visible\", true);\n });\n }\n /**\r\n * Hides component's data item.\r\n *\r\n * @param dataItem Data item\r\n * @param _duration Animation duration in milliseconds\r\n * @return Promise\r\n */\n hideDataItem(dataItem, _duration) {\n return __awaiter(this, void 0, void 0, function* () {\n dataItem.set(\"visible\", false);\n });\n }\n _clearDirty() {\n super._clearDirty();\n this._valuesDirty = false;\n }\n _afterDataChange() {}\n _afterChanged() {\n super._afterChanged();\n if (this._dataChanged) {\n const type = \"datavalidated\";\n if (this.events.isEnabled(type)) {\n this.events.dispatch(type, {\n type: type,\n target: this\n });\n }\n this._dataChanged = false;\n }\n this.inited = true;\n }\n /**\r\n * Forces a repaint of the element which relies on data.\r\n *\r\n * @since 5.0.21\r\n */\n markDirtyValues(_dataItem) {\n this.markDirty();\n this._valuesDirty = true;\n }\n _markDirtyGroup() {\n this._dataGrouped = false;\n }\n /**\r\n * @ignore\r\n */\n markDirtySize() {\n this._sizeDirty = true;\n this.markDirty();\n }\n}\nObject.defineProperty(Component, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Component\"\n});\nObject.defineProperty(Component, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Container.classNames.concat([Component.className])\n});\n","/**\r\n * ============================================================================\r\n * IMPORTS\r\n * ============================================================================\r\n * @hidden\r\n */\nimport * as $type from \"./Type\";\nimport * as $utils from \"./Utils\";\n/**\r\n * Returns a `Promise` which can be used to execute code after number of\r\n * milliseconds.\r\n *\r\n * @param ms Sleep duration in ms\r\n * @return Promise\r\n */\nexport function sleep(ms) {\n return new Promise((resolve, _reject) => {\n setTimeout(resolve, ms);\n });\n}\n/**\r\n * Maps time period names to their numeric representations in milliseconds.\r\n *\r\n * @ignore Exclude from docs\r\n */\nexport let timeUnitDurations = {\n millisecond: 1,\n second: 1000,\n minute: 60000,\n hour: 3600000,\n day: 86400000,\n week: 604800000,\n month: 365.242 / 12 * 86400000,\n year: 31536000000\n};\n/**\r\n * Returns the next time unit that goes after source `unit`.\r\n *\r\n * E.g. \"hour\" is the next unit after \"minute\", etc.\r\n *\r\n * @ignore Exclude from docs\r\n * @param unit Source time unit\r\n * @return Next time unit\r\n */\nexport function getNextUnit(unit) {\n switch (unit) {\n case \"year\":\n return;\n case \"month\":\n return \"year\";\n case \"week\":\n return \"month\";\n case \"day\":\n return \"month\";\n // not a mistake\n case \"hour\":\n return \"day\";\n case \"minute\":\n return \"hour\";\n case \"second\":\n return \"minute\";\n case \"millisecond\":\n return \"second\";\n }\n}\n/**\r\n * Returns number of milliseconds in the `count` of time `unit`.\r\n *\r\n * Available units: \"millisecond\", \"second\", \"minute\", \"hour\", \"day\", \"week\",\r\n * \"month\", and \"year\".\r\n *\r\n * @param unit Time unit\r\n * @param count Number of units\r\n * @return Milliseconds\r\n */\nexport function getDuration(unit, count) {\n if (count == null) {\n count = 1;\n }\n return timeUnitDurations[unit] * count;\n}\n/**\r\n * @ignore\r\n */\nexport function getIntervalDuration(interval) {\n if (interval) {\n return timeUnitDurations[interval.timeUnit] * interval.count;\n }\n return 0;\n}\nexport function getDateIntervalDuration(interval, date, firstDateOfWeek, utc, timezone) {\n const unit = interval.timeUnit;\n const count = interval.count;\n if (unit == \"hour\" || unit == \"minute\" || unit == \"second\" || unit == \"millisecond\") {\n return timeUnitDurations[interval.timeUnit] * interval.count;\n } else {\n const firstTime = round(new Date(date.getTime()), unit, count, firstDateOfWeek, utc, undefined, timezone).getTime();\n let lastTime = firstTime + count * getDuration(unit) * 1.05;\n lastTime = round(new Date(lastTime), unit, 1, firstDateOfWeek, utc, undefined, timezone).getTime();\n return lastTime - firstTime;\n }\n}\n/**\r\n * Returns current `Date` object.\r\n *\r\n * @return Current date\r\n */\nexport function now() {\n return new Date();\n}\n/**\r\n * Returns current timestamp.\r\n *\r\n * @return Current timestamp\r\n */\nexport function getTime() {\n return now().getTime();\n}\n/**\r\n * Returns a copy of the `Date` object.\r\n *\r\n * @param date Source date\r\n * @return Copy\r\n */\nexport function copy(date) {\n return new Date(date.getTime()); // todo: check if this is ok. new Date(date) used to strip milliseconds on FF in v3\n}\n/**\r\n * Checks if the `unit` part of two `Date` objects do not match. Two dates\r\n * represent a \"range\" of time, rather the same time date.\r\n *\r\n * @param timeOne timestamp\r\n * @param timeTwo timestamp\r\n * @param unit Time unit to check\r\n * @return Range?\r\n */\nexport function checkChange(timeOne, timeTwo, unit, utc, timezone) {\n // quick\n if (timeTwo - timeOne > getDuration(unit, 1.2)) {\n return true;\n }\n let dateOne = new Date(timeOne);\n let dateTwo = new Date(timeTwo);\n if (timezone) {\n dateOne = timezone.convertLocal(dateOne);\n dateTwo = timezone.convertLocal(dateTwo);\n }\n let timeZoneOffset1 = 0;\n let timeZoneOffset2 = 0;\n if (!utc && unit != \"millisecond\") {\n timeZoneOffset1 = dateOne.getTimezoneOffset();\n dateOne.setUTCMinutes(dateOne.getUTCMinutes() - timeZoneOffset1);\n timeZoneOffset2 = dateTwo.getTimezoneOffset();\n dateTwo.setUTCMinutes(dateTwo.getUTCMinutes() - timeZoneOffset2);\n }\n let changed = false;\n switch (unit) {\n case \"year\":\n if (dateOne.getUTCFullYear() != dateTwo.getUTCFullYear()) {\n changed = true;\n }\n break;\n case \"month\":\n if (dateOne.getUTCFullYear() != dateTwo.getUTCFullYear()) {\n changed = true;\n } else if (dateOne.getUTCMonth() != dateTwo.getUTCMonth()) {\n changed = true;\n }\n break;\n case \"day\":\n if (dateOne.getUTCMonth() != dateTwo.getUTCMonth()) {\n changed = true;\n } else if (dateOne.getUTCDate() != dateTwo.getUTCDate()) {\n changed = true;\n }\n break;\n case \"hour\":\n if (dateOne.getUTCHours() != dateTwo.getUTCHours()) {\n changed = true;\n }\n break;\n case \"minute\":\n if (dateOne.getUTCMinutes() != dateTwo.getUTCMinutes()) {\n changed = true;\n }\n break;\n case \"second\":\n if (dateOne.getUTCSeconds() != dateTwo.getUTCSeconds()) {\n changed = true;\n }\n break;\n case \"millisecond\":\n if (dateOne.getTime() != dateTwo.getTime()) {\n changed = true;\n }\n break;\n }\n if (changed) {\n return changed;\n }\n let nextUnit = getNextUnit(unit);\n if (nextUnit) {\n return checkChange(timeOne, timeTwo, nextUnit, utc, timezone);\n } else {\n return false;\n }\n}\n/**\r\n * Adds `count` of time `unit` to the source date. Returns a modified `Date` object.\r\n *\r\n * @param date Source date\r\n * @param unit Time unit\r\n * @param count Number of units to add\r\n * @return Modified date\r\n */\nexport function add(date, unit, count, utc, timezone) {\n let timeZoneOffset = 0;\n if (!utc && unit != \"millisecond\") {\n timeZoneOffset = date.getTimezoneOffset();\n if (timezone) {\n timeZoneOffset -= timezone.offsetUTC(date);\n }\n date.setUTCMinutes(date.getUTCMinutes() - timeZoneOffset);\n }\n switch (unit) {\n case \"day\":\n let day = date.getUTCDate();\n date.setUTCDate(day + count);\n break;\n case \"second\":\n let seconds = date.getUTCSeconds();\n date.setUTCSeconds(seconds + count);\n break;\n case \"millisecond\":\n let milliseconds = date.getUTCMilliseconds();\n date.setUTCMilliseconds(milliseconds + count);\n break;\n case \"hour\":\n let hours = date.getUTCHours();\n date.setUTCHours(hours + count);\n break;\n case \"minute\":\n let minutes = date.getUTCMinutes();\n date.setUTCMinutes(minutes + count);\n break;\n case \"year\":\n let year = date.getUTCFullYear();\n date.setUTCFullYear(year + count);\n break;\n case \"month\":\n const endDays = date.getUTCDate();\n const startDays = new Date(date.getUTCFullYear(), date.getUTCMonth(), 0).getUTCDate();\n let month = date.getUTCMonth();\n if (endDays > startDays) {\n date.setUTCMonth(month + count, startDays);\n } else {\n date.setUTCMonth(month + count);\n }\n break;\n case \"week\":\n let wday = date.getUTCDate();\n date.setUTCDate(wday + count * 7);\n break;\n }\n if (!utc && unit != \"millisecond\") {\n date.setUTCMinutes(date.getUTCMinutes() + timeZoneOffset);\n if (unit == \"day\" || unit == \"week\" || unit == \"month\" || unit == \"year\") {\n let newTimeZoneOffset = date.getTimezoneOffset();\n if (timezone) {\n newTimeZoneOffset += timezone.offsetUTC(date);\n }\n if (newTimeZoneOffset != timeZoneOffset) {\n let diff = newTimeZoneOffset - timeZoneOffset;\n date.setUTCMinutes(date.getUTCMinutes() + diff);\n // solves issues if new time falls back to old time zone\n if (date.getTimezoneOffset() != newTimeZoneOffset) {\n date.setUTCMinutes(date.getUTCMinutes() - diff);\n }\n }\n }\n }\n return date;\n}\n/**\r\n * @ignore\r\n */\nexport function roun(time, unit, count, root, firstTime) {\n let firstDate;\n if (firstTime != null) {\n firstDate = new Date(firstTime);\n }\n return round(new Date(time), unit, count, root.locale.firstDayOfWeek, root.utc, firstDate, root.timezone).getTime();\n}\n/**\r\n * \"Rounds\" the date to specific time unit.\r\n *\r\n * @param date Source date\r\n * @param unit Time unit\r\n * @param count Number of units to round to\r\n * @param firstDateOfWeek First day of week\r\n * @param utc Use UTC timezone\r\n * @param firstDate First date to round to\r\n * @param roundMinutes Minutes to round to (some timezones use non-whole hour)\r\n * @param timezone Use specific named timezone when rounding\r\n * @return New date\r\n */\nexport function round(date, unit, count, firstDateOfWeek, utc, firstDate, timezone) {\n if (!timezone || utc) {\n let timeZoneOffset = 0;\n if (!utc && unit != \"millisecond\") {\n timeZoneOffset = date.getTimezoneOffset();\n date.setUTCMinutes(date.getUTCMinutes() - timeZoneOffset);\n }\n switch (unit) {\n case \"day\":\n let day = date.getUTCDate();\n if (count > 1) {\n //\tday = Math.floor(day / count) * count;\n if (firstDate) {\n firstDate = round(firstDate, \"day\", 1);\n let difference = date.getTime() - firstDate.getTime();\n let unitCount = Math.floor(difference / getDuration(\"day\") / count);\n let duration = getDuration(\"day\", unitCount * count);\n date.setTime(firstDate.getTime() + duration - timeZoneOffset * getDuration(\"minute\"));\n }\n } else {\n date.setUTCDate(day);\n }\n date.setUTCHours(0, 0, 0, 0);\n break;\n case \"second\":\n let seconds = date.getUTCSeconds();\n if (count > 1) {\n seconds = Math.floor(seconds / count) * count;\n }\n date.setUTCSeconds(seconds, 0);\n break;\n case \"millisecond\":\n if (count == 1) {\n return date; // much better for perf!\n }\n let milliseconds = date.getUTCMilliseconds();\n milliseconds = Math.floor(milliseconds / count) * count;\n date.setUTCMilliseconds(milliseconds);\n break;\n case \"hour\":\n let hours = date.getUTCHours();\n if (count > 1) {\n hours = Math.floor(hours / count) * count;\n }\n date.setUTCHours(hours, 0, 0, 0);\n break;\n case \"minute\":\n let minutes = date.getUTCMinutes();\n if (count > 1) {\n minutes = Math.floor(minutes / count) * count;\n }\n date.setUTCMinutes(minutes, 0, 0);\n break;\n case \"month\":\n let month = date.getUTCMonth();\n if (count > 1) {\n month = Math.floor(month / count) * count;\n }\n date.setUTCMonth(month, 1);\n date.setUTCHours(0, 0, 0, 0);\n break;\n case \"year\":\n let year = date.getUTCFullYear();\n if (count > 1) {\n year = Math.floor(year / count) * count;\n }\n date.setUTCFullYear(year, 0, 1);\n date.setUTCHours(0, 0, 0, 0);\n break;\n case \"week\":\n if (count > 1) {\n if (firstDate) {\n firstDate = round(firstDate, \"week\", 1);\n let difference = date.getTime() - firstDate.getTime();\n let unitCount = Math.floor(difference / getDuration(\"week\") / count);\n let duration = getDuration(\"week\", unitCount * count);\n date.setTime(firstDate.getTime() + duration - timeZoneOffset * getDuration(\"minute\"));\n }\n }\n let wday = date.getUTCDate();\n let weekDay = date.getUTCDay();\n if (!$type.isNumber(firstDateOfWeek)) {\n firstDateOfWeek = 1;\n }\n if (weekDay >= firstDateOfWeek) {\n wday = wday - weekDay + firstDateOfWeek;\n } else {\n wday = wday - (7 + weekDay) + firstDateOfWeek;\n }\n date.setUTCDate(wday);\n date.setUTCHours(0, 0, 0, 0);\n break;\n }\n if (!utc && unit != \"millisecond\") {\n date.setUTCMinutes(date.getUTCMinutes() + timeZoneOffset);\n if (unit == \"day\" || unit == \"week\" || unit == \"month\" || unit == \"year\") {\n let newTimeZoneOffset = date.getTimezoneOffset();\n if (newTimeZoneOffset != timeZoneOffset) {\n let diff = newTimeZoneOffset - timeZoneOffset;\n date.setUTCMinutes(date.getUTCMinutes() + diff);\n }\n }\n }\n return date;\n } else {\n if (isNaN(date.getTime())) {\n return date;\n }\n let initialTime = date.getTime();\n let tzoffset = timezone.offsetUTC(date);\n let timeZoneOffset = date.getTimezoneOffset();\n let parsedDate = timezone.parseDate(date);\n let year = parsedDate.year;\n let month = parsedDate.month;\n let day = parsedDate.day;\n let hour = parsedDate.hour;\n let minute = parsedDate.minute;\n let second = parsedDate.second;\n let millisecond = parsedDate.millisecond;\n let weekday = parsedDate.weekday;\n let offsetDif = tzoffset - timeZoneOffset;\n switch (unit) {\n case \"day\":\n if (count > 1 && firstDate) {\n firstDate = round(firstDate, \"day\", 1, firstDateOfWeek, utc, undefined, timezone);\n let difference = date.getTime() - firstDate.getTime();\n let unitCount = Math.floor(difference / getDuration(\"day\") / count);\n let duration = getDuration(\"day\", unitCount * count);\n date.setTime(firstDate.getTime() + duration);\n parsedDate = timezone.parseDate(date);\n year = parsedDate.year;\n month = parsedDate.month;\n day = parsedDate.day;\n }\n hour = 0;\n minute = offsetDif;\n second = 0;\n millisecond = 0;\n break;\n case \"second\":\n minute += offsetDif;\n if (count > 1) {\n second = Math.floor(second / count) * count;\n }\n millisecond = 0;\n break;\n case \"millisecond\":\n minute += offsetDif;\n if (count > 1) {\n millisecond = Math.floor(millisecond / count) * count;\n }\n break;\n case \"hour\":\n if (count > 1) {\n hour = Math.floor(hour / count) * count;\n }\n minute = offsetDif;\n second = 0;\n millisecond = 0;\n break;\n case \"minute\":\n if (count > 1) {\n minute = Math.floor(minute / count) * count;\n }\n minute += offsetDif;\n second = 0;\n millisecond = 0;\n break;\n case \"month\":\n if (count > 1) {\n month = Math.floor(month / count) * count;\n }\n day = 1;\n hour = 0;\n minute = offsetDif;\n second = 0;\n millisecond = 0;\n break;\n case \"year\":\n if (count > 1) {\n year = Math.floor(year / count) * count;\n }\n month = 0;\n day = 1;\n hour = 0;\n minute = offsetDif;\n second = 0;\n millisecond = 0;\n break;\n case \"week\":\n if (!$type.isNumber(firstDateOfWeek)) {\n firstDateOfWeek = 1;\n }\n if (weekday >= firstDateOfWeek) {\n day = day - weekday + firstDateOfWeek;\n } else {\n day = day - (7 + weekday) + firstDateOfWeek;\n }\n hour = 0;\n minute = offsetDif;\n second = 0;\n millisecond = 0;\n break;\n }\n date = new Date(year, month, day, hour, minute, second, millisecond);\n // fix to solve #101989\n const newTime = date.getTime();\n let hDuration = 3600000;\n if (unit == \"hour\") {\n hDuration = 3600000 * count;\n }\n if (newTime + hDuration <= initialTime) {\n if (unit == \"hour\" || unit == \"minute\" || unit == \"second\" || unit == \"millisecond\") {\n date = new Date(newTime + hDuration);\n }\n }\n // end of fix\n let newTimeZoneOffset = date.getTimezoneOffset();\n let newTzoffset = timezone.offsetUTC(date);\n let newDiff = newTzoffset - newTimeZoneOffset;\n if (newDiff != offsetDif) {\n date.setTime(date.getTime() + (newDiff - offsetDif) * 60000);\n }\n return date;\n }\n}\n/**\r\n * @ignore\r\n */\nexport function chooseInterval(index, duration, gridCount, intervals) {\n let gridInterval = intervals[index];\n let intervalDuration = getIntervalDuration(gridInterval);\n let lastIndex = intervals.length - 1;\n if (index >= lastIndex) {\n return Object.assign({}, intervals[lastIndex]);\n }\n let count = Math.ceil(duration / intervalDuration);\n if (duration < intervalDuration && index > 0) {\n return Object.assign({}, intervals[index - 1]);\n }\n if (count <= gridCount) {\n return Object.assign({}, intervals[index]);\n } else {\n if (index + 1 < intervals.length) {\n return chooseInterval(index + 1, duration, gridCount, intervals);\n } else {\n return Object.assign({}, intervals[index]);\n }\n }\n}\n/**\r\n * @ignore\r\n */\nexport function getUnitValue(date, unit) {\n switch (unit) {\n case \"day\":\n return date.getDate();\n case \"second\":\n return date.getSeconds();\n case \"millisecond\":\n return date.getMilliseconds();\n case \"hour\":\n return date.getHours();\n case \"minute\":\n return date.getMinutes();\n case \"month\":\n return date.getMonth();\n case \"year\":\n return date.getFullYear();\n case \"week\":\n return $utils.getWeek(date);\n }\n}\n","import { __awaiter } from \"tslib\";\nimport { Component } from \"../../core/render/Component\";\nimport { List } from \"../../core/util/List\";\nimport { Color } from \"../../core/util/Color\";\nimport { percentInterpolate } from \"../../core/util/Animation\";\nimport { Percent } from \"../../core/util/Percent\";\nimport { p100 } from \"../../core/util/Percent\";\nimport { Container } from \"../../core/render/Container\";\nimport { Label } from \"../../core/render/Label\";\n//import { Animations } from \"../../core/util/Animation\";\nimport * as $array from \"../../core/util/Array\";\nimport * as $type from \"../../core/util/Type\";\nimport * as $time from \"../../core/util/Time\";\n/**\r\n * A base class for all series.\r\n */\nexport class Series extends Component {\n constructor() {\n super(...arguments);\n Object.defineProperty(this, \"_aggregatesCalculated\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_selectionAggregatesCalculated\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_dataProcessed\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: false\n });\n Object.defineProperty(this, \"_psi\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n Object.defineProperty(this, \"_pei\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * A chart series belongs to.\r\n */\n Object.defineProperty(this, \"chart\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: void 0\n });\n /**\r\n * List of bullets to use for the series.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/bullets/} for more info\r\n */\n Object.defineProperty(this, \"bullets\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: new List()\n });\n /**\r\n * A [[Container]] series' bullets are stored in.\r\n *\r\n * @default Container.new()\r\n */\n Object.defineProperty(this, \"bulletsContainer\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Container.new(this._root, {\n width: p100,\n height: p100,\n position: \"absolute\"\n })\n });\n }\n _afterNew() {\n this.valueFields.push(\"value\", \"customValue\");\n super._afterNew();\n this.setPrivate(\"customData\", {});\n this._disposers.push(this.bullets.events.onAll(change => {\n if (change.type === \"clear\") {\n this._handleBullets(this.dataItems);\n } else if (change.type === \"push\") {\n this._handleBullets(this.dataItems);\n } else if (change.type === \"setIndex\") {\n this._handleBullets(this.dataItems);\n } else if (change.type === \"insertIndex\") {\n this._handleBullets(this.dataItems);\n } else if (change.type === \"removeIndex\") {\n this._handleBullets(this.dataItems);\n } else if (change.type === \"moveIndex\") {\n this._handleBullets(this.dataItems);\n } else {\n throw new Error(\"Unknown IListEvent type\");\n }\n }));\n }\n _dispose() {\n this.bulletsContainer.dispose(); // can be in a different parent\n super._dispose();\n }\n startIndex() {\n let len = this.dataItems.length;\n return Math.min(this.getPrivate(\"startIndex\", 0), len);\n }\n endIndex() {\n let len = this.dataItems.length;\n return Math.min(this.getPrivate(\"endIndex\", len), len);\n }\n _handleBullets(dataItems) {\n $array.each(dataItems, dataItem => {\n const bullets = dataItem.bullets;\n if (bullets) {\n $array.each(bullets, bullet => {\n bullet.dispose();\n });\n dataItem.bullets = undefined;\n }\n });\n this.markDirtyValues();\n }\n /**\r\n * Looks up and returns a data item by its ID.\r\n *\r\n * @param id ID\r\n * @return Data item\r\n */\n getDataItemById(id) {\n return $array.find(this.dataItems, dataItem => {\n return dataItem.get(\"id\") == id;\n });\n }\n _makeBullets(dataItem) {\n if (this._shouldMakeBullet(dataItem)) {\n dataItem.bullets = [];\n this.bullets.each(bulletFunction => {\n this._makeBullet(dataItem, bulletFunction);\n });\n }\n }\n _shouldMakeBullet(_dataItem) {\n return true;\n }\n _makeBullet(dataItem, bulletFunction, index) {\n const bullet = bulletFunction(this._root, this, dataItem);\n if (bullet) {\n bullet._index = index;\n this._makeBulletReal(dataItem, bullet);\n }\n return bullet;\n }\n _makeBulletReal(dataItem, bullet) {\n let sprite = bullet.get(\"sprite\");\n if (sprite) {\n sprite._setDataItem(dataItem);\n sprite.setRaw(\"position\", \"absolute\");\n this.bulletsContainer.children.push(sprite);\n }\n bullet.series = this;\n dataItem.bullets.push(bullet);\n }\n /**\r\n * Adds bullet directly to a data item.\r\n *\r\n * Please note: method accepts [[Bullet]] instance as a paramter, not a\r\n * reference to a function.\r\n *\r\n * You should add Bullet instance, not a method like you do it on series.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/bullets/#Adding_directly_to_data_item} for more info\r\n * @since 5.6.0\r\n *\r\n * @param dataItem Target data item\r\n * @param bullet Bullet instance\r\n */\n addBullet(dataItem, bullet) {\n if (!dataItem.bullets) {\n dataItem.bullets = [];\n }\n if (bullet) {\n this._makeBulletReal(dataItem, bullet);\n }\n }\n _clearDirty() {\n super._clearDirty();\n this._aggregatesCalculated = false;\n this._selectionAggregatesCalculated = false;\n }\n _prepareChildren() {\n super._prepareChildren();\n let startIndex = this.startIndex();\n let endIndex = this.endIndex();\n if (this.isDirty(\"name\")) {\n this.updateLegendValue();\n }\n if (this.isDirty(\"heatRules\")) {\n this._valuesDirty = true;\n }\n if (this.isPrivateDirty(\"baseValueSeries\")) {\n const baseValueSeries = this.getPrivate(\"baseValueSeries\");\n if (baseValueSeries) {\n this._disposers.push(baseValueSeries.onPrivate(\"startIndex\", () => {\n this.markDirtyValues();\n }));\n }\n }\n const calculateAggregates = this.get(\"calculateAggregates\");\n if (calculateAggregates) {\n if (this._valuesDirty && !this._dataProcessed) {\n if (!this._aggregatesCalculated) {\n this._calculateAggregates(0, this.dataItems.length);\n this._aggregatesCalculated = true;\n if (startIndex != 0) {\n this._psi = undefined;\n }\n }\n }\n if ((this._psi != startIndex || this._pei != endIndex || this.isPrivateDirty(\"adjustedStartIndex\")) && !this._selectionAggregatesCalculated) {\n if (startIndex === 0 && endIndex === this.dataItems.length && this._aggregatesCalculated) {\n // void\n } else {\n this._calculateAggregates(startIndex, endIndex);\n }\n this._selectionAggregatesCalculated = true;\n }\n }\n if (this.isDirty(\"tooltip\")) {\n let tooltip = this.get(\"tooltip\");\n if (tooltip) {\n tooltip.hide(0);\n tooltip.set(\"tooltipTarget\", this);\n }\n }\n if (this.isDirty(\"fill\") || this.isDirty(\"stroke\")) {\n let markerRectangle;\n const legendDataItem = this.get(\"legendDataItem\");\n if (legendDataItem) {\n markerRectangle = legendDataItem.get(\"markerRectangle\");\n if (markerRectangle) {\n if (this.isVisible()) {\n if (this.isDirty(\"stroke\")) {\n let stroke = this.get(\"stroke\");\n markerRectangle.set(\"stroke\", stroke);\n }\n if (this.isDirty(\"fill\")) {\n let fill = this.get(\"fill\");\n markerRectangle.set(\"fill\", fill);\n }\n }\n }\n }\n this.updateLegendMarker(undefined);\n }\n if (this.bullets.length > 0) {\n let startIndex = this.startIndex();\n let endIndex = this.endIndex();\n if (endIndex < this.dataItems.length) {\n endIndex++;\n }\n for (let i = startIndex; i < endIndex; i++) {\n let dataItem = this.dataItems[i];\n if (!dataItem.bullets) {\n this._makeBullets(dataItem);\n }\n }\n }\n }\n /**\r\n * @ignore\r\n */\n _adjustStartIndex(index) {\n return index;\n }\n _calculateAggregates(startIndex, endIndex) {\n let fields = this._valueFields;\n if (!fields) {\n throw new Error(\"No value fields are set for the series.\");\n }\n const sum = {};\n const absSum = {};\n const count = {};\n const low = {};\n const high = {};\n const open = {};\n const close = {};\n const average = {};\n const previous = {};\n $array.each(fields, key => {\n sum[key] = 0;\n absSum[key] = 0;\n count[key] = 0;\n });\n $array.each(fields, key => {\n let change = key + \"Change\";\n let changePercent = key + \"ChangePercent\";\n let changePrevious = key + \"ChangePrevious\";\n let changePreviousPercent = key + \"ChangePreviousPercent\";\n let changeSelection = key + \"ChangeSelection\";\n let changeSelectionPercent = key + \"ChangeSelectionPercent\";\n let openKey = \"valueY\";\n if (key == \"valueX\" || key == \"openValueX\" || key == \"lowValueX\" || key == \"highValueX\") {\n openKey = \"valueX\";\n }\n const baseValueSeries = this.getPrivate(\"baseValueSeries\");\n const adjustedStartIndex = this.getPrivate(\"adjustedStartIndex\", startIndex);\n for (let i = adjustedStartIndex; i < endIndex; i++) {\n const dataItem = this.dataItems[i];\n if (dataItem) {\n let value = dataItem.get(key);\n if (value != null) {\n count[key]++;\n sum[key] += value;\n absSum[key] += Math.abs(value);\n average[key] = sum[key] / count[key];\n if (low[key] > value || low[key] == null) {\n low[key] = value;\n }\n if (high[key] < value || high[key] == null) {\n high[key] = value;\n }\n close[key] = value;\n if (open[key] == null) {\n open[key] = value;\n previous[key] = value;\n if (baseValueSeries) {\n open[openKey] = baseValueSeries._getBase(openKey);\n }\n }\n if (startIndex === 0) {\n dataItem.setRaw(change, value - open[openKey]);\n dataItem.setRaw(changePercent, (value - open[openKey]) / open[openKey] * 100);\n }\n dataItem.setRaw(changePrevious, value - previous[openKey]);\n dataItem.setRaw(changePreviousPercent, (value - previous[openKey]) / previous[openKey] * 100);\n dataItem.setRaw(changeSelection, value - open[openKey]);\n dataItem.setRaw(changeSelectionPercent, (value - open[openKey]) / open[openKey] * 100);\n previous[key] = value;\n }\n }\n }\n if (endIndex < this.dataItems.length - 1) {\n const dataItem = this.dataItems[endIndex];\n if (dataItem) {\n let value = dataItem.get(key);\n dataItem.setRaw(changePrevious, value - previous[openKey]);\n dataItem.setRaw(changePreviousPercent, (value - previous[openKey]) / previous[openKey] * 100);\n dataItem.setRaw(changeSelection, value - open[openKey]);\n dataItem.setRaw(changeSelectionPercent, (value - open[openKey]) / open[openKey] * 100);\n }\n }\n if (startIndex > 0) {\n startIndex--;\n }\n delete previous[key];\n for (let i = startIndex; i < adjustedStartIndex; i++) {\n const dataItem = this.dataItems[i];\n if (dataItem) {\n let value = dataItem.get(key);\n if (previous[key] == null) {\n previous[key] = value;\n }\n if (value != null) {\n dataItem.setRaw(changePrevious, value - previous[openKey]);\n dataItem.setRaw(changePreviousPercent, (value - previous[openKey]) / previous[openKey] * 100);\n dataItem.setRaw(changeSelection, value - open[openKey]);\n dataItem.setRaw(changeSelectionPercent, (value - open[openKey]) / open[openKey] * 100);\n previous[key] = value;\n }\n }\n }\n });\n $array.each(fields, key => {\n this.setPrivate(key + \"AverageSelection\", average[key]);\n this.setPrivate(key + \"CountSelection\", count[key]);\n this.setPrivate(key + \"SumSelection\", sum[key]);\n this.setPrivate(key + \"AbsoluteSumSelection\", absSum[key]);\n this.setPrivate(key + \"LowSelection\", low[key]);\n this.setPrivate(key + \"HighSelection\", high[key]);\n this.setPrivate(key + \"OpenSelection\", open[key]);\n this.setPrivate(key + \"CloseSelection\", close[key]);\n });\n if (startIndex === 0 && endIndex === this.dataItems.length) {\n $array.each(fields, key => {\n this.setPrivate(key + \"Average\", average[key]);\n this.setPrivate(key + \"Count\", count[key]);\n this.setPrivate(key + \"Sum\", sum[key]);\n this.setPrivate(key + \"AbsoluteSum\", absSum[key]);\n this.setPrivate(key + \"Low\", low[key]);\n this.setPrivate(key + \"High\", high[key]);\n this.setPrivate(key + \"Open\", open[key]);\n this.setPrivate(key + \"Close\", close[key]);\n });\n }\n }\n _updateChildren() {\n super._updateChildren();\n this._psi = this.startIndex();\n this._pei = this.endIndex();\n if (this.isDirty(\"visible\")) {\n this.bulletsContainer.set(\"visible\", this.get(\"visible\"));\n }\n // Apply heat rules\n const rules = this.get(\"heatRules\");\n if (this._valuesDirty && rules && rules.length > 0) {\n $array.each(rules, rule => {\n const minValue = rule.minValue || this.getPrivate(rule.dataField + \"Low\") || 0;\n const maxValue = rule.maxValue || this.getPrivate(rule.dataField + \"High\") || 0;\n $array.each(rule.target._entities, target => {\n const value = target.dataItem.get(rule.dataField);\n if (!$type.isNumber(value)) {\n if (rule.neutral) {\n target.set(rule.key, rule.neutral);\n }\n const states = target.states;\n if (states) {\n const defaultState = states.lookup(\"default\");\n if (defaultState && rule.neutral) {\n defaultState.set(rule.key, rule.neutral);\n }\n }\n if (!rule.customFunction) {\n return;\n }\n }\n if (rule.customFunction) {\n rule.customFunction.call(this, target, minValue, maxValue, value);\n } else {\n let percent;\n if (rule.logarithmic) {\n percent = (Math.log(value) * Math.LOG10E - Math.log(minValue) * Math.LOG10E) / (Math.log(maxValue) * Math.LOG10E - Math.log(minValue) * Math.LOG10E);\n } else {\n percent = (value - minValue) / (maxValue - minValue);\n }\n if ($type.isNumber(value) && (!$type.isNumber(percent) || Math.abs(percent) == Infinity)) {\n percent = 0.5;\n }\n // fixes problems if all values are the same\n let propertyValue;\n if ($type.isNumber(rule.min)) {\n propertyValue = rule.min + (rule.max - rule.min) * percent;\n } else if (rule.min instanceof Color) {\n propertyValue = Color.interpolate(percent, rule.min, rule.max);\n } else if (rule.min instanceof Percent) {\n propertyValue = percentInterpolate(percent, rule.min, rule.max);\n }\n target.set(rule.key, propertyValue);\n const states = target.states;\n if (states) {\n const defaultState = states.lookup(\"default\");\n if (defaultState) {\n defaultState.set(rule.key, propertyValue);\n }\n }\n }\n });\n });\n }\n if (this.get(\"visible\")) {\n let count = this.dataItems.length;\n let startIndex = this.startIndex();\n let endIndex = this.endIndex();\n if (endIndex < count) {\n endIndex++;\n }\n if (startIndex > 0) {\n startIndex--;\n }\n for (let i = 0; i < startIndex; i++) {\n this._hideBullets(this.dataItems[i]);\n }\n for (let i = startIndex; i < endIndex; i++) {\n this._positionBullets(this.dataItems[i]);\n }\n for (let i = endIndex; i < count; i++) {\n this._hideBullets(this.dataItems[i]);\n }\n }\n }\n _positionBullets(dataItem) {\n if (dataItem.bullets) {\n $array.each(dataItem.bullets, bullet => {\n this._positionBullet(bullet);\n const sprite = bullet.get(\"sprite\");\n if (bullet.get(\"dynamic\")) {\n if (sprite) {\n sprite._markDirtyKey(\"fill\");\n sprite.markDirtySize();\n }\n if (sprite instanceof Container) {\n sprite.walkChildren(child => {\n child._markDirtyKey(\"fill\");\n child.markDirtySize();\n if (child instanceof Label) {\n child.text.markDirtyText();\n }\n });\n }\n }\n if (sprite instanceof Label && sprite.get(\"populateText\")) {\n sprite.text.markDirtyText();\n }\n });\n }\n }\n _hideBullets(dataItem) {\n if (dataItem.bullets) {\n $array.each(dataItem.bullets, bullet => {\n let sprite = bullet.get(\"sprite\");\n if (sprite) {\n sprite.setPrivate(\"visible\", false);\n }\n });\n }\n }\n _positionBullet(_bullet) {}\n _placeBulletsContainer(chart) {\n chart.bulletsContainer.children.moveValue(this.bulletsContainer);\n }\n _removeBulletsContainer() {\n const bulletsContainer = this.bulletsContainer;\n if (bulletsContainer.parent) {\n bulletsContainer.parent.children.removeValue(bulletsContainer);\n }\n }\n /**\r\n * @ignore\r\n */\n disposeDataItem(dataItem) {\n //super.disposeDataItem(dataItem); // does nothing\n const bullets = dataItem.bullets;\n if (bullets) {\n $array.each(bullets, bullet => {\n bullet.dispose();\n });\n }\n }\n _getItemReaderLabel() {\n return \"\";\n }\n /**\r\n * Shows series's data item.\r\n *\r\n * @param dataItem Data item\r\n * @param duration Animation duration in milliseconds\r\n * @return Promise\r\n */\n showDataItem(dataItem, duration) {\n const _super = Object.create(null, {\n showDataItem: {\n get: () => super.showDataItem\n }\n });\n return __awaiter(this, void 0, void 0, function* () {\n const promises = [_super.showDataItem.call(this, dataItem, duration)];\n const bullets = dataItem.bullets;\n if (bullets) {\n $array.each(bullets, bullet => {\n const sprite = bullet.get(\"sprite\");\n if (sprite) {\n promises.push(sprite.show(duration));\n }\n });\n }\n yield Promise.all(promises);\n });\n }\n /**\r\n * Hides series's data item.\r\n *\r\n * @param dataItem Data item\r\n * @param duration Animation duration in milliseconds\r\n * @return Promise\r\n */\n hideDataItem(dataItem, duration) {\n const _super = Object.create(null, {\n hideDataItem: {\n get: () => super.hideDataItem\n }\n });\n return __awaiter(this, void 0, void 0, function* () {\n const promises = [_super.hideDataItem.call(this, dataItem, duration)];\n const bullets = dataItem.bullets;\n if (bullets) {\n $array.each(bullets, bullet => {\n const sprite = bullet.get(\"sprite\");\n if (sprite) {\n promises.push(sprite.hide(duration));\n }\n });\n }\n yield Promise.all(promises);\n });\n }\n _sequencedShowHide(show, duration) {\n return __awaiter(this, void 0, void 0, function* () {\n if (this.get(\"sequencedInterpolation\")) {\n if (!$type.isNumber(duration)) {\n duration = this.get(\"interpolationDuration\", 0);\n }\n if (duration > 0) {\n const startIndex = this.startIndex();\n const endIndex = this.endIndex();\n yield Promise.all($array.map(this.dataItems, (dataItem, i) => __awaiter(this, void 0, void 0, function* () {\n let realDuration = duration || 0;\n if (i < startIndex - 10 || i > endIndex + 10) {\n realDuration = 0;\n }\n //let delay = this.get(\"sequencedDelay\", 0) * i + realDuration * (i - startIndex) / (endIndex - startIndex);\n let delay = this.get(\"sequencedDelay\", 0) + realDuration / (endIndex - startIndex);\n yield $time.sleep(delay * (i - startIndex));\n if (show) {\n yield this.showDataItem(dataItem, realDuration);\n } else {\n yield this.hideDataItem(dataItem, realDuration);\n }\n })));\n } else {\n yield Promise.all($array.map(this.dataItems, dataItem => {\n if (show) {\n return this.showDataItem(dataItem, 0);\n } else {\n return this.hideDataItem(dataItem, 0);\n }\n }));\n }\n }\n });\n }\n /**\r\n * @ignore\r\n */\n updateLegendValue(dataItem) {\n if (dataItem) {\n const legendDataItem = dataItem.get(\"legendDataItem\");\n if (legendDataItem) {\n const valueLabel = legendDataItem.get(\"valueLabel\");\n if (valueLabel) {\n const text = valueLabel.text;\n let txt = \"\";\n valueLabel._setDataItem(dataItem);\n txt = this.get(\"legendValueText\", text.get(\"text\", \"\"));\n valueLabel.set(\"text\", txt);\n text.markDirtyText();\n }\n const label = legendDataItem.get(\"label\");\n if (label) {\n const text = label.text;\n let txt = \"\";\n label._setDataItem(dataItem);\n txt = this.get(\"legendLabelText\", text.get(\"text\", \"\"));\n label.set(\"text\", txt);\n text.markDirtyText();\n }\n }\n }\n }\n /**\r\n * @ignore\r\n */\n updateLegendMarker(_dataItem) {}\n _onHide() {\n super._onHide();\n const tooltip = this.getTooltip();\n if (tooltip) {\n tooltip.hide();\n }\n }\n /**\r\n * @ignore\r\n */\n hoverDataItem(_dataItem) {}\n /**\r\n * @ignore\r\n */\n unhoverDataItem(_dataItem) {}\n /**\r\n * @ignore\r\n */\n _getBase(key) {\n const dataItem = this.dataItems[this.startIndex()];\n if (dataItem) {\n return dataItem.get(key);\n }\n return 0;\n }\n}\nObject.defineProperty(Series, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"Series\"\n});\nObject.defineProperty(Series, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Component.classNames.concat([Series.className])\n});\n","import * as $type from \"../util/Type\";\nimport * as $math from \"../util/Math\";\nimport * as $utils from \"../util/Utils\";\nimport { Rectangle } from \"./Rectangle\";\n/**\r\n * Draws a rectangle with rounded corners.\r\n *\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/common-elements/graphics/} for more info\r\n * @important\r\n */\nexport class RoundedRectangle extends Rectangle {\n _beforeChanged() {\n super._beforeChanged();\n if (this.isDirty(\"cornerRadiusTL\") || this.isDirty(\"cornerRadiusTR\") || this.isDirty(\"cornerRadiusBR\") || this.isDirty(\"cornerRadiusBL\")) {\n this._clear = true;\n }\n }\n _draw() {\n let width = this.width();\n let height = this.height();\n let w = width;\n let h = height;\n let wSign = w / Math.abs(width);\n let hSign = h / Math.abs(height);\n if ($type.isNumber(w) && $type.isNumber(h)) {\n let minSide = Math.min(w, h) / 2;\n let crtl = $utils.relativeToValue(this.get(\"cornerRadiusTL\", 8), minSide);\n let crtr = $utils.relativeToValue(this.get(\"cornerRadiusTR\", 8), minSide);\n let crbr = $utils.relativeToValue(this.get(\"cornerRadiusBR\", 8), minSide);\n let crbl = $utils.relativeToValue(this.get(\"cornerRadiusBL\", 8), minSide);\n let maxcr = Math.min(Math.abs(w / 2), Math.abs(h / 2));\n crtl = $math.fitToRange(crtl, 0, maxcr);\n crtr = $math.fitToRange(crtr, 0, maxcr);\n crbr = $math.fitToRange(crbr, 0, maxcr);\n crbl = $math.fitToRange(crbl, 0, maxcr);\n const display = this._display;\n display.moveTo(crtl * wSign, 0);\n display.lineTo(w - crtr * wSign, 0);\n if (crtr > 0) {\n display.arcTo(w, 0, w, crtr * hSign, crtr);\n }\n display.lineTo(w, h - crbr * hSign);\n if (crbr > 0) {\n display.arcTo(w, h, w - crbr * wSign, h, crbr);\n }\n display.lineTo(crbl * wSign, h);\n if (crbl > 0) {\n display.arcTo(0, h, 0, h - crbl * hSign, crbl);\n }\n display.lineTo(0, crtl * hSign);\n if (crtl > 0) {\n display.arcTo(0, 0, crtl * wSign, 0, crtl);\n }\n display.closePath();\n }\n }\n}\nObject.defineProperty(RoundedRectangle, \"className\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: \"RoundedRectangle\"\n});\nObject.defineProperty(RoundedRectangle, \"classNames\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: Rectangle.classNames.concat([RoundedRectangle.className])\n});\n","import { Series } from \"./Series\";\nimport { Container } from \"../../core/render/Container\";\nimport { Label } from \"../../core/render/Label\";\nimport { RoundedRectangle } from \"../../core/render/RoundedRectangle\";\nimport { Template } from \"../../core/util/Template\";\nimport { ListTemplate } from \"../../core/util/List\";\nimport * as $utils from \"../../core/util/Utils\";\n/**\r\n * A universal legend control.\r\n *\r\n * @important\r\n * @see {@link https://www.amcharts.com/docs/v5/concepts/legend/} for more info\r\n */\nexport class Legend extends Series {\n constructor() {\n super(...arguments);\n /**\r\n * List of all [[Container]] elements for legend items.\r\n *\r\n * @default new ListTemplate\r\n */\n Object.defineProperty(this, \"itemContainers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this.addDisposer(new ListTemplate(Template.new({}), () => Container._new(this._root, {\n themeTags: $utils.mergeTags(this.itemContainers.template.get(\"themeTags\", []), [\"legend\", \"item\"]),\n themeTagsSelf: $utils.mergeTags(this.itemContainers.template.get(\"themeTagsSelf\", []), [\"itemcontainer\"]),\n background: RoundedRectangle.new(this._root, {\n themeTags: $utils.mergeTags(this.itemContainers.template.get(\"themeTags\", []), [\"legend\", \"item\", \"background\"]),\n themeTagsSelf: $utils.mergeTags(this.itemContainers.template.get(\"themeTagsSelf\", []), [\"itemcontainer\"])\n })\n }, [this.itemContainers.template])))\n });\n /**\r\n * List of legend marker elements.\r\n *\r\n * @default new ListTemplate\r\n */\n Object.defineProperty(this, \"markers\", {\n enumerable: true,\n configurable: true,\n writable: true,\n value: this.addDisposer(new ListTemplate(Template.new({}), () => Container._new(this._root, {\n themeTags: $utils.mergeTags(this.markers.template.get(\"themeTags\", []), [\"legend\", \"marker\"])\n }, [this.markers.template])))\n });\n /**\r\n * List of legend label elements.\r\n *\r\n * @default new ListTemplate